GEO Tiles Downloader
authorDmitry Shalnoff <dev@shalnoff.com>
Fri, 10 Jul 2020 02:08:04 +0000 (04:08 +0200)
committerDmitry Shalnoff <dev@shalnoff.com>
Fri, 10 Jul 2020 02:08:04 +0000 (04:08 +0200)
14 files changed:
.gitignore [new file with mode: 0644]
README.md [new file with mode: 0644]
TESTING_WEB/index.php [new file with mode: 0644]
TESTING_WEB/js/jquery-1.11.0.min.js [new file with mode: 0644]
TESTING_WEB/js/leaflet-0.7.5/images/layers-2x.png [new file with mode: 0644]
TESTING_WEB/js/leaflet-0.7.5/images/layers.png [new file with mode: 0644]
TESTING_WEB/js/leaflet-0.7.5/images/marker-icon-2x.png [new file with mode: 0644]
TESTING_WEB/js/leaflet-0.7.5/images/marker-icon.png [new file with mode: 0644]
TESTING_WEB/js/leaflet-0.7.5/images/marker-shadow.png [new file with mode: 0644]
TESTING_WEB/js/leaflet-0.7.5/leaflet-src.js [new file with mode: 0644]
TESTING_WEB/js/leaflet-0.7.5/leaflet.css [new file with mode: 0644]
TESTING_WEB/js/leaflet-0.7.5/leaflet.js [new file with mode: 0644]
TESTING_WEB/maps [new symlink]
geotiles.sh [new file with mode: 0755]

diff --git a/.gitignore b/.gitignore
new file mode 100644 (file)
index 0000000..9101239
--- /dev/null
@@ -0,0 +1,5 @@
+memo
+info
+todo
+BKP/
+MAP/
diff --git a/README.md b/README.md
new file mode 100644 (file)
index 0000000..790ee0b
--- /dev/null
+++ b/README.md
@@ -0,0 +1,56 @@
+#GEO Tiles Downloader
+
+This is a script for map tiles downloading + simple web app for testing and selecting the area. 
+
+## Usage
+
+       ./geotiles.sh <lat> <lng> <lat2> <lng2> <MIN_ZOON> <MAX_ZOOM> -d <NAME_OF_THE_MAP>
+
+with specific map source 
+
+       ./geotiles.sh <lat> <lng> <lat2> <lng2> <MIN_ZOON> <MAX_ZOOM> -d <NAME_OF_THE_MAP> -m <your tile source>
+
+## Testing
+
+create MAP directory and symlink to it from TESTING_WEB directory
+
+       mkdir MAP
+       cd TESTING_WEB
+       ln -s ../MAP/ maps
+
+- point your server to the TESTING_WEB/ and open it in the browser
+- select target map using right corner menu
+- click and draw rectangle area that you would like to have tiles for
+- copy the resulting commandline and execute in terminal 
+
+       ./geotiles.sh \[parameters from clipboard\] <MIN_ZOON> <MAX_ZOOM> -d <NAME_OF_THE_MAP>
+
+- wait until the script is complete
+- check MAP/NAME_OF_THE_MAP for tile set 
+
+## Troubleshooting 
+
+If you see *Something went wrong* message and the script has been interrupted, that means that you most probably abuse the server and you was banned for a while. Try to change server. 
+
+IMPORTANT! Please use reasonably. Don't abuse tile servers!
+
+
+## License
+
+Copyright © 2018 Dmitry Shalnov [interplaymedium.org]
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this files except in compliance with the License.
+You may obtain a copy of the License at
+
+    http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+
+
+
+
diff --git a/TESTING_WEB/index.php b/TESTING_WEB/index.php
new file mode 100644 (file)
index 0000000..4294a41
--- /dev/null
@@ -0,0 +1,182 @@
+<?
+
+$defMap                = [ 
+                       'https://a.tile.openstreetmap.org/',
+                       'https://b.tile.openstreetmap.org/',
+                       'https://b.tile.openstreetmap.de/',
+
+                       'http://tile.thunderforest.com/cycle/',
+                       'http://tile.thunderforest.com/transport/',
+                       'http://tile.thunderforest.com/landscape/',
+
+                       'http://tile.memomaps.de/tilegen/',
+                       'https://tiles.wmflabs.org/hikebike/',
+
+                       'http://tile.stamen.com/toner/',
+                       'http://tile.stamen.com/toner-hybrid/',
+                       'http://tile.stamen.com/toner-labels/',
+                       'http://tile.stamen.com/toner-lines/',
+                       'http://tile.stamen.com/toner-background/',
+                       'http://tile.stamen.com/toner-lite/'
+
+//                     "https://stamen-tiles.a.ssl.fastly.net/toner/"
+               ];
+
+$defLatLon     = [ 50.0740, 14.4505 ];
+$defZoom       = 10;
+
+// ---------------------- log proxy ------------------------------------------
+
+$O_local = false; 
+
+if ( $_SERVER['SERVER_NAME'] == 'localhost' || $_SERVER['SERVER_NAME'] == '127.0.0.1' || strstr ($_SERVER['SERVER_NAME'], '10.0.0.') ) {  
+       $O_local = true; 
+       ini_set("log_errors", 1);
+       ini_set("error_log", "/tmp/php-error.log");
+} else {
+       ini_set("log_errors", 1);
+       ini_set("error_log", "../MYLOG/.php-error.log");
+}
+
+function myLog( $message, $var = '' ){
+
+       global $globalPHPFile;
+
+       if ( is_array($var) ) $var = print_r( $var, true );
+
+       error_log( '[' . urldecode(getenv('REQUEST_URI')) . '][' . basename($globalPHPFile, '.php') . '] ' . $message . $var );
+}
+
+if ( !isset ($_POST[ 'session_test' ]) ) {
+       myLog( "----------- MAIN -------------" );
+       myLog('REQUEST_URI MAIN: ' . $_SERVER['SERVER_NAME']);
+}
+
+ini_set('session.cookie_domain', $_SERVER['SERVER_NAME']);
+
+//------------------------------ url parsing ---------------------------------
+
+$urlLine       = explode('?', rtrim( getenv('REQUEST_URI') , '/') ); 
+$url           = explode('/', $urlLine[0] );
+
+if ( !empty($url[1]) )                         $mapNum         = $url[1]; else $mapNum = 0;
+if ( !empty($url[2]) )                                 $targetLocation = '/maps/' . "$url[2]|$url[3]|$url[4]|$url[5]" . '/'; else $targetLocation = $defMap[ $mapNum ];
+if ( !empty($url[3]) && !empty($url[4]) )      $targetLatLon   = [ $url[3], $url[4] ]; else $targetLatLon = $defLatLon;
+if ( !empty($url[5]) )                                 $targetZoom     = $url[5]; else $targetZoom = $defZoom;
+
+myLog('$targetLocation: ', $targetLocation);
+myLog('$mapNum: ', $mapNum);
+
+// ---------------------------------------------------------------------------
+
+exec("ls 'maps/'", $mapList );
+
+// ---------------------------------------------------------------------------
+
+?><html>
+       <head>
+               <script src="/js/jquery-1.11.0.min.js"></script>
+
+               <link rel="stylesheet" type="text/css" href="/js/leaflet-0.7.5/leaflet.css" />
+               <script src="/js/leaflet-0.7.5/leaflet.js"></script>
+
+       </head>
+       
+       <style>
+               body    { margin: 0; padding: 0 }
+               #map    { width: 100%; height: 100% }
+               #debug  { position: fixed; color: #fff; padding: 15px 20px; top: 10; right: 10; width: 300px; height: auto; background: rgba(0,0,0,0.5); border-radius: 15px }
+               #debug a        { color: #eee; margin-left: -5px; padding: 2px 5px; text-decoration: none; line-height: 25px }
+               #debug a:hover, .select { background: rgba(1,0,0,0.3); border-radius: 15px; color: white; }
+       </style>
+
+       <body>
+               <div id="map"><!-- --></div>
+               <div id="debug">
+<?
+               foreach( $mapList as $mapLine ){
+                       $map = explode('|', $mapLine);
+
+                       if ( $url[2] == $map[0] ) $select = 'class="select"'; else $select = ''
+?>             
+                       <a href="/<? echo $mapNum ?>/<? echo $map[0]?>/<? echo $map[1]?>/<? echo $map[2]?>/<? echo $map[3]?>" <? echo $select ?>> <?echo $map[0] ?> </a> <br />
+<?
+               }
+?>
+                       <br />
+<?
+               for( $a = 0; $a < count( $defMap ); $a ++ ){
+
+                       if ( $url[1] == $a ) $select = 'class="select"'; else $select = ''
+?>
+                       <a href="/<? echo $a ?>/" <? echo $select ?>> <? echo $defMap[ $a ] ?> </a><br />
+<?
+               }
+?>
+                       <br />
+                       <br />
+
+                       <div id="current"><!-- --></div>
+                       <div id="command"><!-- --></div>
+               </div>
+       </body>
+
+       <script>
+
+       ml              = console.log;
+
+       defPosition     = <? echo json_encode($targetLatLon) ?>;
+       defMapZoom      = <? echo $targetZoom ?>;
+       mapPath         = '<? echo $targetLocation ?>';
+
+//     var map = L.map('map', { zoomControl:false, attributionControl:false, fadeAnimation:false, zoomAnimation:false }).setView([ defLat, defLon ], defMapZoom);
+       map = L.map('map').setView( defPosition, defMapZoom);
+
+//     mapObj = L.tileLayer( 'http://{s}.tile.openstreetmap.de/{z}/{x}/{y}.png');
+       mapObj = L.tileLayer( mapPath + '{z}/{x}/{y}.png');
+
+       map.addLayer( mapObj );
+
+       lat = 0
+       lng = 0
+
+       var cl = 0;
+       var clc = [[0, 0][0, 0]];
+
+       function displayCommand(){
+               debugTxt = clc[0][0] + ' ' + clc[0][1] + ' ' + clc[1][0] + ' ' + clc[1][1] + ' ' + map.getZoom();
+               $('#debug #command').html( debugTxt );
+       }
+
+       function displayCurrent(){
+               debugTxt = lat + ' ' + lng + ' ' + map.getZoom();
+               $('#debug #current').html( debugTxt );
+       }
+
+       map.addEventListener('click', function(ev) {
+               lat = Number(ev.latlng.lat).toFixed(5);
+               lng = Number(ev.latlng.lng).toFixed(5);
+
+               displayCurrent();
+
+               clc[ cl ] = [ lat, lng ];
+
+               if (cl == 1) {
+                       if (rect) map.removeLayer( rect );
+                       var rect = L.rectangle( [clc[0], clc[1]] , {color: 'blue', weight: 1}).addTo(map);      
+                       displayCommand();
+               }
+
+               marker = L.marker( ev.latlng,{ draggable: false } ).addTo( map );
+
+               if (cl < 1) cl++;  else cl = 0;
+               
+       });
+
+       map.on('zoomend', function() {
+               displayCurrent();
+       });
+
+       </script>
+</html>
+
diff --git a/TESTING_WEB/js/jquery-1.11.0.min.js b/TESTING_WEB/js/jquery-1.11.0.min.js
new file mode 100644 (file)
index 0000000..73f33fb
--- /dev/null
@@ -0,0 +1,4 @@
+/*! jQuery v1.11.0 | (c) 2005, 2014 jQuery Foundation, Inc. | jquery.org/license */
+!function(a,b){"object"==typeof module&&"object"==typeof module.exports?module.exports=a.document?b(a,!0):function(a){if(!a.document)throw new Error("jQuery requires a window with a document");return b(a)}:b(a)}("undefined"!=typeof window?window:this,function(a,b){var c=[],d=c.slice,e=c.concat,f=c.push,g=c.indexOf,h={},i=h.toString,j=h.hasOwnProperty,k="".trim,l={},m="1.11.0",n=function(a,b){return new n.fn.init(a,b)},o=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,p=/^-ms-/,q=/-([\da-z])/gi,r=function(a,b){return b.toUpperCase()};n.fn=n.prototype={jquery:m,constructor:n,selector:"",length:0,toArray:function(){return d.call(this)},get:function(a){return null!=a?0>a?this[a+this.length]:this[a]:d.call(this)},pushStack:function(a){var b=n.merge(this.constructor(),a);return b.prevObject=this,b.context=this.context,b},each:function(a,b){return n.each(this,a,b)},map:function(a){return this.pushStack(n.map(this,function(b,c){return a.call(b,c,b)}))},slice:function(){return this.pushStack(d.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(a){var b=this.length,c=+a+(0>a?b:0);return this.pushStack(c>=0&&b>c?[this[c]]:[])},end:function(){return this.prevObject||this.constructor(null)},push:f,sort:c.sort,splice:c.splice},n.extend=n.fn.extend=function(){var a,b,c,d,e,f,g=arguments[0]||{},h=1,i=arguments.length,j=!1;for("boolean"==typeof g&&(j=g,g=arguments[h]||{},h++),"object"==typeof g||n.isFunction(g)||(g={}),h===i&&(g=this,h--);i>h;h++)if(null!=(e=arguments[h]))for(d in e)a=g[d],c=e[d],g!==c&&(j&&c&&(n.isPlainObject(c)||(b=n.isArray(c)))?(b?(b=!1,f=a&&n.isArray(a)?a:[]):f=a&&n.isPlainObject(a)?a:{},g[d]=n.extend(j,f,c)):void 0!==c&&(g[d]=c));return g},n.extend({expando:"jQuery"+(m+Math.random()).replace(/\D/g,""),isReady:!0,error:function(a){throw new Error(a)},noop:function(){},isFunction:function(a){return"function"===n.type(a)},isArray:Array.isArray||function(a){return"array"===n.type(a)},isWindow:function(a){return null!=a&&a==a.window},isNumeric:function(a){return a-parseFloat(a)>=0},isEmptyObject:function(a){var b;for(b in a)return!1;return!0},isPlainObject:function(a){var b;if(!a||"object"!==n.type(a)||a.nodeType||n.isWindow(a))return!1;try{if(a.constructor&&!j.call(a,"constructor")&&!j.call(a.constructor.prototype,"isPrototypeOf"))return!1}catch(c){return!1}if(l.ownLast)for(b in a)return j.call(a,b);for(b in a);return void 0===b||j.call(a,b)},type:function(a){return null==a?a+"":"object"==typeof a||"function"==typeof a?h[i.call(a)]||"object":typeof a},globalEval:function(b){b&&n.trim(b)&&(a.execScript||function(b){a.eval.call(a,b)})(b)},camelCase:function(a){return a.replace(p,"ms-").replace(q,r)},nodeName:function(a,b){return a.nodeName&&a.nodeName.toLowerCase()===b.toLowerCase()},each:function(a,b,c){var d,e=0,f=a.length,g=s(a);if(c){if(g){for(;f>e;e++)if(d=b.apply(a[e],c),d===!1)break}else for(e in a)if(d=b.apply(a[e],c),d===!1)break}else if(g){for(;f>e;e++)if(d=b.call(a[e],e,a[e]),d===!1)break}else for(e in a)if(d=b.call(a[e],e,a[e]),d===!1)break;return a},trim:k&&!k.call("\ufeff\xa0")?function(a){return null==a?"":k.call(a)}:function(a){return null==a?"":(a+"").replace(o,"")},makeArray:function(a,b){var c=b||[];return null!=a&&(s(Object(a))?n.merge(c,"string"==typeof a?[a]:a):f.call(c,a)),c},inArray:function(a,b,c){var d;if(b){if(g)return g.call(b,a,c);for(d=b.length,c=c?0>c?Math.max(0,d+c):c:0;d>c;c++)if(c in b&&b[c]===a)return c}return-1},merge:function(a,b){var c=+b.length,d=0,e=a.length;while(c>d)a[e++]=b[d++];if(c!==c)while(void 0!==b[d])a[e++]=b[d++];return a.length=e,a},grep:function(a,b,c){for(var d,e=[],f=0,g=a.length,h=!c;g>f;f++)d=!b(a[f],f),d!==h&&e.push(a[f]);return e},map:function(a,b,c){var d,f=0,g=a.length,h=s(a),i=[];if(h)for(;g>f;f++)d=b(a[f],f,c),null!=d&&i.push(d);else for(f in a)d=b(a[f],f,c),null!=d&&i.push(d);return e.apply([],i)},guid:1,proxy:function(a,b){var c,e,f;return"string"==typeof b&&(f=a[b],b=a,a=f),n.isFunction(a)?(c=d.call(arguments,2),e=function(){return a.apply(b||this,c.concat(d.call(arguments)))},e.guid=a.guid=a.guid||n.guid++,e):void 0},now:function(){return+new Date},support:l}),n.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(a,b){h["[object "+b+"]"]=b.toLowerCase()});function s(a){var b=a.length,c=n.type(a);return"function"===c||n.isWindow(a)?!1:1===a.nodeType&&b?!0:"array"===c||0===b||"number"==typeof b&&b>0&&b-1 in a}var t=function(a){var b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s="sizzle"+-new Date,t=a.document,u=0,v=0,w=eb(),x=eb(),y=eb(),z=function(a,b){return a===b&&(j=!0),0},A="undefined",B=1<<31,C={}.hasOwnProperty,D=[],E=D.pop,F=D.push,G=D.push,H=D.slice,I=D.indexOf||function(a){for(var b=0,c=this.length;c>b;b++)if(this[b]===a)return b;return-1},J="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",K="[\\x20\\t\\r\\n\\f]",L="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",M=L.replace("w","w#"),N="\\["+K+"*("+L+")"+K+"*(?:([*^$|!~]?=)"+K+"*(?:(['\"])((?:\\\\.|[^\\\\])*?)\\3|("+M+")|)|)"+K+"*\\]",O=":("+L+")(?:\\(((['\"])((?:\\\\.|[^\\\\])*?)\\3|((?:\\\\.|[^\\\\()[\\]]|"+N.replace(3,8)+")*)|.*)\\)|)",P=new RegExp("^"+K+"+|((?:^|[^\\\\])(?:\\\\.)*)"+K+"+$","g"),Q=new RegExp("^"+K+"*,"+K+"*"),R=new RegExp("^"+K+"*([>+~]|"+K+")"+K+"*"),S=new RegExp("="+K+"*([^\\]'\"]*?)"+K+"*\\]","g"),T=new RegExp(O),U=new RegExp("^"+M+"$"),V={ID:new RegExp("^#("+L+")"),CLASS:new RegExp("^\\.("+L+")"),TAG:new RegExp("^("+L.replace("w","w*")+")"),ATTR:new RegExp("^"+N),PSEUDO:new RegExp("^"+O),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+K+"*(even|odd|(([+-]|)(\\d*)n|)"+K+"*(?:([+-]|)"+K+"*(\\d+)|))"+K+"*\\)|)","i"),bool:new RegExp("^(?:"+J+")$","i"),needsContext:new RegExp("^"+K+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+K+"*((?:-\\d)?\\d*)"+K+"*\\)|)(?=[^-]|$)","i")},W=/^(?:input|select|textarea|button)$/i,X=/^h\d$/i,Y=/^[^{]+\{\s*\[native \w/,Z=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,$=/[+~]/,_=/'|\\/g,ab=new RegExp("\\\\([\\da-f]{1,6}"+K+"?|("+K+")|.)","ig"),bb=function(a,b,c){var d="0x"+b-65536;return d!==d||c?b:0>d?String.fromCharCode(d+65536):String.fromCharCode(d>>10|55296,1023&d|56320)};try{G.apply(D=H.call(t.childNodes),t.childNodes),D[t.childNodes.length].nodeType}catch(cb){G={apply:D.length?function(a,b){F.apply(a,H.call(b))}:function(a,b){var c=a.length,d=0;while(a[c++]=b[d++]);a.length=c-1}}}function db(a,b,d,e){var f,g,h,i,j,m,p,q,u,v;if((b?b.ownerDocument||b:t)!==l&&k(b),b=b||l,d=d||[],!a||"string"!=typeof a)return d;if(1!==(i=b.nodeType)&&9!==i)return[];if(n&&!e){if(f=Z.exec(a))if(h=f[1]){if(9===i){if(g=b.getElementById(h),!g||!g.parentNode)return d;if(g.id===h)return d.push(g),d}else if(b.ownerDocument&&(g=b.ownerDocument.getElementById(h))&&r(b,g)&&g.id===h)return d.push(g),d}else{if(f[2])return G.apply(d,b.getElementsByTagName(a)),d;if((h=f[3])&&c.getElementsByClassName&&b.getElementsByClassName)return G.apply(d,b.getElementsByClassName(h)),d}if(c.qsa&&(!o||!o.test(a))){if(q=p=s,u=b,v=9===i&&a,1===i&&"object"!==b.nodeName.toLowerCase()){m=ob(a),(p=b.getAttribute("id"))?q=p.replace(_,"\\$&"):b.setAttribute("id",q),q="[id='"+q+"'] ",j=m.length;while(j--)m[j]=q+pb(m[j]);u=$.test(a)&&mb(b.parentNode)||b,v=m.join(",")}if(v)try{return G.apply(d,u.querySelectorAll(v)),d}catch(w){}finally{p||b.removeAttribute("id")}}}return xb(a.replace(P,"$1"),b,d,e)}function eb(){var a=[];function b(c,e){return a.push(c+" ")>d.cacheLength&&delete b[a.shift()],b[c+" "]=e}return b}function fb(a){return a[s]=!0,a}function gb(a){var b=l.createElement("div");try{return!!a(b)}catch(c){return!1}finally{b.parentNode&&b.parentNode.removeChild(b),b=null}}function hb(a,b){var c=a.split("|"),e=a.length;while(e--)d.attrHandle[c[e]]=b}function ib(a,b){var c=b&&a,d=c&&1===a.nodeType&&1===b.nodeType&&(~b.sourceIndex||B)-(~a.sourceIndex||B);if(d)return d;if(c)while(c=c.nextSibling)if(c===b)return-1;return a?1:-1}function jb(a){return function(b){var c=b.nodeName.toLowerCase();return"input"===c&&b.type===a}}function kb(a){return function(b){var c=b.nodeName.toLowerCase();return("input"===c||"button"===c)&&b.type===a}}function lb(a){return fb(function(b){return b=+b,fb(function(c,d){var e,f=a([],c.length,b),g=f.length;while(g--)c[e=f[g]]&&(c[e]=!(d[e]=c[e]))})})}function mb(a){return a&&typeof a.getElementsByTagName!==A&&a}c=db.support={},f=db.isXML=function(a){var b=a&&(a.ownerDocument||a).documentElement;return b?"HTML"!==b.nodeName:!1},k=db.setDocument=function(a){var b,e=a?a.ownerDocument||a:t,g=e.defaultView;return e!==l&&9===e.nodeType&&e.documentElement?(l=e,m=e.documentElement,n=!f(e),g&&g!==g.top&&(g.addEventListener?g.addEventListener("unload",function(){k()},!1):g.attachEvent&&g.attachEvent("onunload",function(){k()})),c.attributes=gb(function(a){return a.className="i",!a.getAttribute("className")}),c.getElementsByTagName=gb(function(a){return a.appendChild(e.createComment("")),!a.getElementsByTagName("*").length}),c.getElementsByClassName=Y.test(e.getElementsByClassName)&&gb(function(a){return a.innerHTML="<div class='a'></div><div class='a i'></div>",a.firstChild.className="i",2===a.getElementsByClassName("i").length}),c.getById=gb(function(a){return m.appendChild(a).id=s,!e.getElementsByName||!e.getElementsByName(s).length}),c.getById?(d.find.ID=function(a,b){if(typeof b.getElementById!==A&&n){var c=b.getElementById(a);return c&&c.parentNode?[c]:[]}},d.filter.ID=function(a){var b=a.replace(ab,bb);return function(a){return a.getAttribute("id")===b}}):(delete d.find.ID,d.filter.ID=function(a){var b=a.replace(ab,bb);return function(a){var c=typeof a.getAttributeNode!==A&&a.getAttributeNode("id");return c&&c.value===b}}),d.find.TAG=c.getElementsByTagName?function(a,b){return typeof b.getElementsByTagName!==A?b.getElementsByTagName(a):void 0}:function(a,b){var c,d=[],e=0,f=b.getElementsByTagName(a);if("*"===a){while(c=f[e++])1===c.nodeType&&d.push(c);return d}return f},d.find.CLASS=c.getElementsByClassName&&function(a,b){return typeof b.getElementsByClassName!==A&&n?b.getElementsByClassName(a):void 0},p=[],o=[],(c.qsa=Y.test(e.querySelectorAll))&&(gb(function(a){a.innerHTML="<select t=''><option selected=''></option></select>",a.querySelectorAll("[t^='']").length&&o.push("[*^$]="+K+"*(?:''|\"\")"),a.querySelectorAll("[selected]").length||o.push("\\["+K+"*(?:value|"+J+")"),a.querySelectorAll(":checked").length||o.push(":checked")}),gb(function(a){var b=e.createElement("input");b.setAttribute("type","hidden"),a.appendChild(b).setAttribute("name","D"),a.querySelectorAll("[name=d]").length&&o.push("name"+K+"*[*^$|!~]?="),a.querySelectorAll(":enabled").length||o.push(":enabled",":disabled"),a.querySelectorAll("*,:x"),o.push(",.*:")})),(c.matchesSelector=Y.test(q=m.webkitMatchesSelector||m.mozMatchesSelector||m.oMatchesSelector||m.msMatchesSelector))&&gb(function(a){c.disconnectedMatch=q.call(a,"div"),q.call(a,"[s!='']:x"),p.push("!=",O)}),o=o.length&&new RegExp(o.join("|")),p=p.length&&new RegExp(p.join("|")),b=Y.test(m.compareDocumentPosition),r=b||Y.test(m.contains)?function(a,b){var c=9===a.nodeType?a.documentElement:a,d=b&&b.parentNode;return a===d||!(!d||1!==d.nodeType||!(c.contains?c.contains(d):a.compareDocumentPosition&&16&a.compareDocumentPosition(d)))}:function(a,b){if(b)while(b=b.parentNode)if(b===a)return!0;return!1},z=b?function(a,b){if(a===b)return j=!0,0;var d=!a.compareDocumentPosition-!b.compareDocumentPosition;return d?d:(d=(a.ownerDocument||a)===(b.ownerDocument||b)?a.compareDocumentPosition(b):1,1&d||!c.sortDetached&&b.compareDocumentPosition(a)===d?a===e||a.ownerDocument===t&&r(t,a)?-1:b===e||b.ownerDocument===t&&r(t,b)?1:i?I.call(i,a)-I.call(i,b):0:4&d?-1:1)}:function(a,b){if(a===b)return j=!0,0;var c,d=0,f=a.parentNode,g=b.parentNode,h=[a],k=[b];if(!f||!g)return a===e?-1:b===e?1:f?-1:g?1:i?I.call(i,a)-I.call(i,b):0;if(f===g)return ib(a,b);c=a;while(c=c.parentNode)h.unshift(c);c=b;while(c=c.parentNode)k.unshift(c);while(h[d]===k[d])d++;return d?ib(h[d],k[d]):h[d]===t?-1:k[d]===t?1:0},e):l},db.matches=function(a,b){return db(a,null,null,b)},db.matchesSelector=function(a,b){if((a.ownerDocument||a)!==l&&k(a),b=b.replace(S,"='$1']"),!(!c.matchesSelector||!n||p&&p.test(b)||o&&o.test(b)))try{var d=q.call(a,b);if(d||c.disconnectedMatch||a.document&&11!==a.document.nodeType)return d}catch(e){}return db(b,l,null,[a]).length>0},db.contains=function(a,b){return(a.ownerDocument||a)!==l&&k(a),r(a,b)},db.attr=function(a,b){(a.ownerDocument||a)!==l&&k(a);var e=d.attrHandle[b.toLowerCase()],f=e&&C.call(d.attrHandle,b.toLowerCase())?e(a,b,!n):void 0;return void 0!==f?f:c.attributes||!n?a.getAttribute(b):(f=a.getAttributeNode(b))&&f.specified?f.value:null},db.error=function(a){throw new Error("Syntax error, unrecognized expression: "+a)},db.uniqueSort=function(a){var b,d=[],e=0,f=0;if(j=!c.detectDuplicates,i=!c.sortStable&&a.slice(0),a.sort(z),j){while(b=a[f++])b===a[f]&&(e=d.push(f));while(e--)a.splice(d[e],1)}return i=null,a},e=db.getText=function(a){var b,c="",d=0,f=a.nodeType;if(f){if(1===f||9===f||11===f){if("string"==typeof a.textContent)return a.textContent;for(a=a.firstChild;a;a=a.nextSibling)c+=e(a)}else if(3===f||4===f)return a.nodeValue}else while(b=a[d++])c+=e(b);return c},d=db.selectors={cacheLength:50,createPseudo:fb,match:V,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(a){return a[1]=a[1].replace(ab,bb),a[3]=(a[4]||a[5]||"").replace(ab,bb),"~="===a[2]&&(a[3]=" "+a[3]+" "),a.slice(0,4)},CHILD:function(a){return a[1]=a[1].toLowerCase(),"nth"===a[1].slice(0,3)?(a[3]||db.error(a[0]),a[4]=+(a[4]?a[5]+(a[6]||1):2*("even"===a[3]||"odd"===a[3])),a[5]=+(a[7]+a[8]||"odd"===a[3])):a[3]&&db.error(a[0]),a},PSEUDO:function(a){var b,c=!a[5]&&a[2];return V.CHILD.test(a[0])?null:(a[3]&&void 0!==a[4]?a[2]=a[4]:c&&T.test(c)&&(b=ob(c,!0))&&(b=c.indexOf(")",c.length-b)-c.length)&&(a[0]=a[0].slice(0,b),a[2]=c.slice(0,b)),a.slice(0,3))}},filter:{TAG:function(a){var b=a.replace(ab,bb).toLowerCase();return"*"===a?function(){return!0}:function(a){return a.nodeName&&a.nodeName.toLowerCase()===b}},CLASS:function(a){var b=w[a+" "];return b||(b=new RegExp("(^|"+K+")"+a+"("+K+"|$)"))&&w(a,function(a){return b.test("string"==typeof a.className&&a.className||typeof a.getAttribute!==A&&a.getAttribute("class")||"")})},ATTR:function(a,b,c){return function(d){var e=db.attr(d,a);return null==e?"!="===b:b?(e+="","="===b?e===c:"!="===b?e!==c:"^="===b?c&&0===e.indexOf(c):"*="===b?c&&e.indexOf(c)>-1:"$="===b?c&&e.slice(-c.length)===c:"~="===b?(" "+e+" ").indexOf(c)>-1:"|="===b?e===c||e.slice(0,c.length+1)===c+"-":!1):!0}},CHILD:function(a,b,c,d,e){var f="nth"!==a.slice(0,3),g="last"!==a.slice(-4),h="of-type"===b;return 1===d&&0===e?function(a){return!!a.parentNode}:function(b,c,i){var j,k,l,m,n,o,p=f!==g?"nextSibling":"previousSibling",q=b.parentNode,r=h&&b.nodeName.toLowerCase(),t=!i&&!h;if(q){if(f){while(p){l=b;while(l=l[p])if(h?l.nodeName.toLowerCase()===r:1===l.nodeType)return!1;o=p="only"===a&&!o&&"nextSibling"}return!0}if(o=[g?q.firstChild:q.lastChild],g&&t){k=q[s]||(q[s]={}),j=k[a]||[],n=j[0]===u&&j[1],m=j[0]===u&&j[2],l=n&&q.childNodes[n];while(l=++n&&l&&l[p]||(m=n=0)||o.pop())if(1===l.nodeType&&++m&&l===b){k[a]=[u,n,m];break}}else if(t&&(j=(b[s]||(b[s]={}))[a])&&j[0]===u)m=j[1];else while(l=++n&&l&&l[p]||(m=n=0)||o.pop())if((h?l.nodeName.toLowerCase()===r:1===l.nodeType)&&++m&&(t&&((l[s]||(l[s]={}))[a]=[u,m]),l===b))break;return m-=e,m===d||m%d===0&&m/d>=0}}},PSEUDO:function(a,b){var c,e=d.pseudos[a]||d.setFilters[a.toLowerCase()]||db.error("unsupported pseudo: "+a);return e[s]?e(b):e.length>1?(c=[a,a,"",b],d.setFilters.hasOwnProperty(a.toLowerCase())?fb(function(a,c){var d,f=e(a,b),g=f.length;while(g--)d=I.call(a,f[g]),a[d]=!(c[d]=f[g])}):function(a){return e(a,0,c)}):e}},pseudos:{not:fb(function(a){var b=[],c=[],d=g(a.replace(P,"$1"));return d[s]?fb(function(a,b,c,e){var f,g=d(a,null,e,[]),h=a.length;while(h--)(f=g[h])&&(a[h]=!(b[h]=f))}):function(a,e,f){return b[0]=a,d(b,null,f,c),!c.pop()}}),has:fb(function(a){return function(b){return db(a,b).length>0}}),contains:fb(function(a){return function(b){return(b.textContent||b.innerText||e(b)).indexOf(a)>-1}}),lang:fb(function(a){return U.test(a||"")||db.error("unsupported lang: "+a),a=a.replace(ab,bb).toLowerCase(),function(b){var c;do if(c=n?b.lang:b.getAttribute("xml:lang")||b.getAttribute("lang"))return c=c.toLowerCase(),c===a||0===c.indexOf(a+"-");while((b=b.parentNode)&&1===b.nodeType);return!1}}),target:function(b){var c=a.location&&a.location.hash;return c&&c.slice(1)===b.id},root:function(a){return a===m},focus:function(a){return a===l.activeElement&&(!l.hasFocus||l.hasFocus())&&!!(a.type||a.href||~a.tabIndex)},enabled:function(a){return a.disabled===!1},disabled:function(a){return a.disabled===!0},checked:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&!!a.checked||"option"===b&&!!a.selected},selected:function(a){return a.parentNode&&a.parentNode.selectedIndex,a.selected===!0},empty:function(a){for(a=a.firstChild;a;a=a.nextSibling)if(a.nodeType<6)return!1;return!0},parent:function(a){return!d.pseudos.empty(a)},header:function(a){return X.test(a.nodeName)},input:function(a){return W.test(a.nodeName)},button:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&"button"===a.type||"button"===b},text:function(a){var b;return"input"===a.nodeName.toLowerCase()&&"text"===a.type&&(null==(b=a.getAttribute("type"))||"text"===b.toLowerCase())},first:lb(function(){return[0]}),last:lb(function(a,b){return[b-1]}),eq:lb(function(a,b,c){return[0>c?c+b:c]}),even:lb(function(a,b){for(var c=0;b>c;c+=2)a.push(c);return a}),odd:lb(function(a,b){for(var c=1;b>c;c+=2)a.push(c);return a}),lt:lb(function(a,b,c){for(var d=0>c?c+b:c;--d>=0;)a.push(d);return a}),gt:lb(function(a,b,c){for(var d=0>c?c+b:c;++d<b;)a.push(d);return a})}},d.pseudos.nth=d.pseudos.eq;for(b in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})d.pseudos[b]=jb(b);for(b in{submit:!0,reset:!0})d.pseudos[b]=kb(b);function nb(){}nb.prototype=d.filters=d.pseudos,d.setFilters=new nb;function ob(a,b){var c,e,f,g,h,i,j,k=x[a+" "];if(k)return b?0:k.slice(0);h=a,i=[],j=d.preFilter;while(h){(!c||(e=Q.exec(h)))&&(e&&(h=h.slice(e[0].length)||h),i.push(f=[])),c=!1,(e=R.exec(h))&&(c=e.shift(),f.push({value:c,type:e[0].replace(P," ")}),h=h.slice(c.length));for(g in d.filter)!(e=V[g].exec(h))||j[g]&&!(e=j[g](e))||(c=e.shift(),f.push({value:c,type:g,matches:e}),h=h.slice(c.length));if(!c)break}return b?h.length:h?db.error(a):x(a,i).slice(0)}function pb(a){for(var b=0,c=a.length,d="";c>b;b++)d+=a[b].value;return d}function qb(a,b,c){var d=b.dir,e=c&&"parentNode"===d,f=v++;return b.first?function(b,c,f){while(b=b[d])if(1===b.nodeType||e)return a(b,c,f)}:function(b,c,g){var h,i,j=[u,f];if(g){while(b=b[d])if((1===b.nodeType||e)&&a(b,c,g))return!0}else while(b=b[d])if(1===b.nodeType||e){if(i=b[s]||(b[s]={}),(h=i[d])&&h[0]===u&&h[1]===f)return j[2]=h[2];if(i[d]=j,j[2]=a(b,c,g))return!0}}}function rb(a){return a.length>1?function(b,c,d){var e=a.length;while(e--)if(!a[e](b,c,d))return!1;return!0}:a[0]}function sb(a,b,c,d,e){for(var f,g=[],h=0,i=a.length,j=null!=b;i>h;h++)(f=a[h])&&(!c||c(f,d,e))&&(g.push(f),j&&b.push(h));return g}function tb(a,b,c,d,e,f){return d&&!d[s]&&(d=tb(d)),e&&!e[s]&&(e=tb(e,f)),fb(function(f,g,h,i){var j,k,l,m=[],n=[],o=g.length,p=f||wb(b||"*",h.nodeType?[h]:h,[]),q=!a||!f&&b?p:sb(p,m,a,h,i),r=c?e||(f?a:o||d)?[]:g:q;if(c&&c(q,r,h,i),d){j=sb(r,n),d(j,[],h,i),k=j.length;while(k--)(l=j[k])&&(r[n[k]]=!(q[n[k]]=l))}if(f){if(e||a){if(e){j=[],k=r.length;while(k--)(l=r[k])&&j.push(q[k]=l);e(null,r=[],j,i)}k=r.length;while(k--)(l=r[k])&&(j=e?I.call(f,l):m[k])>-1&&(f[j]=!(g[j]=l))}}else r=sb(r===g?r.splice(o,r.length):r),e?e(null,g,r,i):G.apply(g,r)})}function ub(a){for(var b,c,e,f=a.length,g=d.relative[a[0].type],i=g||d.relative[" "],j=g?1:0,k=qb(function(a){return a===b},i,!0),l=qb(function(a){return I.call(b,a)>-1},i,!0),m=[function(a,c,d){return!g&&(d||c!==h)||((b=c).nodeType?k(a,c,d):l(a,c,d))}];f>j;j++)if(c=d.relative[a[j].type])m=[qb(rb(m),c)];else{if(c=d.filter[a[j].type].apply(null,a[j].matches),c[s]){for(e=++j;f>e;e++)if(d.relative[a[e].type])break;return tb(j>1&&rb(m),j>1&&pb(a.slice(0,j-1).concat({value:" "===a[j-2].type?"*":""})).replace(P,"$1"),c,e>j&&ub(a.slice(j,e)),f>e&&ub(a=a.slice(e)),f>e&&pb(a))}m.push(c)}return rb(m)}function vb(a,b){var c=b.length>0,e=a.length>0,f=function(f,g,i,j,k){var m,n,o,p=0,q="0",r=f&&[],s=[],t=h,v=f||e&&d.find.TAG("*",k),w=u+=null==t?1:Math.random()||.1,x=v.length;for(k&&(h=g!==l&&g);q!==x&&null!=(m=v[q]);q++){if(e&&m){n=0;while(o=a[n++])if(o(m,g,i)){j.push(m);break}k&&(u=w)}c&&((m=!o&&m)&&p--,f&&r.push(m))}if(p+=q,c&&q!==p){n=0;while(o=b[n++])o(r,s,g,i);if(f){if(p>0)while(q--)r[q]||s[q]||(s[q]=E.call(j));s=sb(s)}G.apply(j,s),k&&!f&&s.length>0&&p+b.length>1&&db.uniqueSort(j)}return k&&(u=w,h=t),r};return c?fb(f):f}g=db.compile=function(a,b){var c,d=[],e=[],f=y[a+" "];if(!f){b||(b=ob(a)),c=b.length;while(c--)f=ub(b[c]),f[s]?d.push(f):e.push(f);f=y(a,vb(e,d))}return f};function wb(a,b,c){for(var d=0,e=b.length;e>d;d++)db(a,b[d],c);return c}function xb(a,b,e,f){var h,i,j,k,l,m=ob(a);if(!f&&1===m.length){if(i=m[0]=m[0].slice(0),i.length>2&&"ID"===(j=i[0]).type&&c.getById&&9===b.nodeType&&n&&d.relative[i[1].type]){if(b=(d.find.ID(j.matches[0].replace(ab,bb),b)||[])[0],!b)return e;a=a.slice(i.shift().value.length)}h=V.needsContext.test(a)?0:i.length;while(h--){if(j=i[h],d.relative[k=j.type])break;if((l=d.find[k])&&(f=l(j.matches[0].replace(ab,bb),$.test(i[0].type)&&mb(b.parentNode)||b))){if(i.splice(h,1),a=f.length&&pb(i),!a)return G.apply(e,f),e;break}}}return g(a,m)(f,b,!n,e,$.test(a)&&mb(b.parentNode)||b),e}return c.sortStable=s.split("").sort(z).join("")===s,c.detectDuplicates=!!j,k(),c.sortDetached=gb(function(a){return 1&a.compareDocumentPosition(l.createElement("div"))}),gb(function(a){return a.innerHTML="<a href='#'></a>","#"===a.firstChild.getAttribute("href")})||hb("type|href|height|width",function(a,b,c){return c?void 0:a.getAttribute(b,"type"===b.toLowerCase()?1:2)}),c.attributes&&gb(function(a){return a.innerHTML="<input/>",a.firstChild.setAttribute("value",""),""===a.firstChild.getAttribute("value")})||hb("value",function(a,b,c){return c||"input"!==a.nodeName.toLowerCase()?void 0:a.defaultValue}),gb(function(a){return null==a.getAttribute("disabled")})||hb(J,function(a,b,c){var d;return c?void 0:a[b]===!0?b.toLowerCase():(d=a.getAttributeNode(b))&&d.specified?d.value:null}),db}(a);n.find=t,n.expr=t.selectors,n.expr[":"]=n.expr.pseudos,n.unique=t.uniqueSort,n.text=t.getText,n.isXMLDoc=t.isXML,n.contains=t.contains;var u=n.expr.match.needsContext,v=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,w=/^.[^:#\[\.,]*$/;function x(a,b,c){if(n.isFunction(b))return n.grep(a,function(a,d){return!!b.call(a,d,a)!==c});if(b.nodeType)return n.grep(a,function(a){return a===b!==c});if("string"==typeof b){if(w.test(b))return n.filter(b,a,c);b=n.filter(b,a)}return n.grep(a,function(a){return n.inArray(a,b)>=0!==c})}n.filter=function(a,b,c){var d=b[0];return c&&(a=":not("+a+")"),1===b.length&&1===d.nodeType?n.find.matchesSelector(d,a)?[d]:[]:n.find.matches(a,n.grep(b,function(a){return 1===a.nodeType}))},n.fn.extend({find:function(a){var b,c=[],d=this,e=d.length;if("string"!=typeof a)return this.pushStack(n(a).filter(function(){for(b=0;e>b;b++)if(n.contains(d[b],this))return!0}));for(b=0;e>b;b++)n.find(a,d[b],c);return c=this.pushStack(e>1?n.unique(c):c),c.selector=this.selector?this.selector+" "+a:a,c},filter:function(a){return this.pushStack(x(this,a||[],!1))},not:function(a){return this.pushStack(x(this,a||[],!0))},is:function(a){return!!x(this,"string"==typeof a&&u.test(a)?n(a):a||[],!1).length}});var y,z=a.document,A=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,B=n.fn.init=function(a,b){var c,d;if(!a)return this;if("string"==typeof a){if(c="<"===a.charAt(0)&&">"===a.charAt(a.length-1)&&a.length>=3?[null,a,null]:A.exec(a),!c||!c[1]&&b)return!b||b.jquery?(b||y).find(a):this.constructor(b).find(a);if(c[1]){if(b=b instanceof n?b[0]:b,n.merge(this,n.parseHTML(c[1],b&&b.nodeType?b.ownerDocument||b:z,!0)),v.test(c[1])&&n.isPlainObject(b))for(c in b)n.isFunction(this[c])?this[c](b[c]):this.attr(c,b[c]);return this}if(d=z.getElementById(c[2]),d&&d.parentNode){if(d.id!==c[2])return y.find(a);this.length=1,this[0]=d}return this.context=z,this.selector=a,this}return a.nodeType?(this.context=this[0]=a,this.length=1,this):n.isFunction(a)?"undefined"!=typeof y.ready?y.ready(a):a(n):(void 0!==a.selector&&(this.selector=a.selector,this.context=a.context),n.makeArray(a,this))};B.prototype=n.fn,y=n(z);var C=/^(?:parents|prev(?:Until|All))/,D={children:!0,contents:!0,next:!0,prev:!0};n.extend({dir:function(a,b,c){var d=[],e=a[b];while(e&&9!==e.nodeType&&(void 0===c||1!==e.nodeType||!n(e).is(c)))1===e.nodeType&&d.push(e),e=e[b];return d},sibling:function(a,b){for(var c=[];a;a=a.nextSibling)1===a.nodeType&&a!==b&&c.push(a);return c}}),n.fn.extend({has:function(a){var b,c=n(a,this),d=c.length;return this.filter(function(){for(b=0;d>b;b++)if(n.contains(this,c[b]))return!0})},closest:function(a,b){for(var c,d=0,e=this.length,f=[],g=u.test(a)||"string"!=typeof a?n(a,b||this.context):0;e>d;d++)for(c=this[d];c&&c!==b;c=c.parentNode)if(c.nodeType<11&&(g?g.index(c)>-1:1===c.nodeType&&n.find.matchesSelector(c,a))){f.push(c);break}return this.pushStack(f.length>1?n.unique(f):f)},index:function(a){return a?"string"==typeof a?n.inArray(this[0],n(a)):n.inArray(a.jquery?a[0]:a,this):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(a,b){return this.pushStack(n.unique(n.merge(this.get(),n(a,b))))},addBack:function(a){return this.add(null==a?this.prevObject:this.prevObject.filter(a))}});function E(a,b){do a=a[b];while(a&&1!==a.nodeType);return a}n.each({parent:function(a){var b=a.parentNode;return b&&11!==b.nodeType?b:null},parents:function(a){return n.dir(a,"parentNode")},parentsUntil:function(a,b,c){return n.dir(a,"parentNode",c)},next:function(a){return E(a,"nextSibling")},prev:function(a){return E(a,"previousSibling")},nextAll:function(a){return n.dir(a,"nextSibling")},prevAll:function(a){return n.dir(a,"previousSibling")},nextUntil:function(a,b,c){return n.dir(a,"nextSibling",c)},prevUntil:function(a,b,c){return n.dir(a,"previousSibling",c)},siblings:function(a){return n.sibling((a.parentNode||{}).firstChild,a)},children:function(a){return n.sibling(a.firstChild)},contents:function(a){return n.nodeName(a,"iframe")?a.contentDocument||a.contentWindow.document:n.merge([],a.childNodes)}},function(a,b){n.fn[a]=function(c,d){var e=n.map(this,b,c);return"Until"!==a.slice(-5)&&(d=c),d&&"string"==typeof d&&(e=n.filter(d,e)),this.length>1&&(D[a]||(e=n.unique(e)),C.test(a)&&(e=e.reverse())),this.pushStack(e)}});var F=/\S+/g,G={};function H(a){var b=G[a]={};return n.each(a.match(F)||[],function(a,c){b[c]=!0}),b}n.Callbacks=function(a){a="string"==typeof a?G[a]||H(a):n.extend({},a);var b,c,d,e,f,g,h=[],i=!a.once&&[],j=function(l){for(c=a.memory&&l,d=!0,f=g||0,g=0,e=h.length,b=!0;h&&e>f;f++)if(h[f].apply(l[0],l[1])===!1&&a.stopOnFalse){c=!1;break}b=!1,h&&(i?i.length&&j(i.shift()):c?h=[]:k.disable())},k={add:function(){if(h){var d=h.length;!function f(b){n.each(b,function(b,c){var d=n.type(c);"function"===d?a.unique&&k.has(c)||h.push(c):c&&c.length&&"string"!==d&&f(c)})}(arguments),b?e=h.length:c&&(g=d,j(c))}return this},remove:function(){return h&&n.each(arguments,function(a,c){var d;while((d=n.inArray(c,h,d))>-1)h.splice(d,1),b&&(e>=d&&e--,f>=d&&f--)}),this},has:function(a){return a?n.inArray(a,h)>-1:!(!h||!h.length)},empty:function(){return h=[],e=0,this},disable:function(){return h=i=c=void 0,this},disabled:function(){return!h},lock:function(){return i=void 0,c||k.disable(),this},locked:function(){return!i},fireWith:function(a,c){return!h||d&&!i||(c=c||[],c=[a,c.slice?c.slice():c],b?i.push(c):j(c)),this},fire:function(){return k.fireWith(this,arguments),this},fired:function(){return!!d}};return k},n.extend({Deferred:function(a){var b=[["resolve","done",n.Callbacks("once memory"),"resolved"],["reject","fail",n.Callbacks("once memory"),"rejected"],["notify","progress",n.Callbacks("memory")]],c="pending",d={state:function(){return c},always:function(){return e.done(arguments).fail(arguments),this},then:function(){var a=arguments;return n.Deferred(function(c){n.each(b,function(b,f){var g=n.isFunction(a[b])&&a[b];e[f[1]](function(){var a=g&&g.apply(this,arguments);a&&n.isFunction(a.promise)?a.promise().done(c.resolve).fail(c.reject).progress(c.notify):c[f[0]+"With"](this===d?c.promise():this,g?[a]:arguments)})}),a=null}).promise()},promise:function(a){return null!=a?n.extend(a,d):d}},e={};return d.pipe=d.then,n.each(b,function(a,f){var g=f[2],h=f[3];d[f[1]]=g.add,h&&g.add(function(){c=h},b[1^a][2].disable,b[2][2].lock),e[f[0]]=function(){return e[f[0]+"With"](this===e?d:this,arguments),this},e[f[0]+"With"]=g.fireWith}),d.promise(e),a&&a.call(e,e),e},when:function(a){var b=0,c=d.call(arguments),e=c.length,f=1!==e||a&&n.isFunction(a.promise)?e:0,g=1===f?a:n.Deferred(),h=function(a,b,c){return function(e){b[a]=this,c[a]=arguments.length>1?d.call(arguments):e,c===i?g.notifyWith(b,c):--f||g.resolveWith(b,c)}},i,j,k;if(e>1)for(i=new Array(e),j=new Array(e),k=new Array(e);e>b;b++)c[b]&&n.isFunction(c[b].promise)?c[b].promise().done(h(b,k,c)).fail(g.reject).progress(h(b,j,i)):--f;return f||g.resolveWith(k,c),g.promise()}});var I;n.fn.ready=function(a){return n.ready.promise().done(a),this},n.extend({isReady:!1,readyWait:1,holdReady:function(a){a?n.readyWait++:n.ready(!0)},ready:function(a){if(a===!0?!--n.readyWait:!n.isReady){if(!z.body)return setTimeout(n.ready);n.isReady=!0,a!==!0&&--n.readyWait>0||(I.resolveWith(z,[n]),n.fn.trigger&&n(z).trigger("ready").off("ready"))}}});function J(){z.addEventListener?(z.removeEventListener("DOMContentLoaded",K,!1),a.removeEventListener("load",K,!1)):(z.detachEvent("onreadystatechange",K),a.detachEvent("onload",K))}function K(){(z.addEventListener||"load"===event.type||"complete"===z.readyState)&&(J(),n.ready())}n.ready.promise=function(b){if(!I)if(I=n.Deferred(),"complete"===z.readyState)setTimeout(n.ready);else if(z.addEventListener)z.addEventListener("DOMContentLoaded",K,!1),a.addEventListener("load",K,!1);else{z.attachEvent("onreadystatechange",K),a.attachEvent("onload",K);var c=!1;try{c=null==a.frameElement&&z.documentElement}catch(d){}c&&c.doScroll&&!function e(){if(!n.isReady){try{c.doScroll("left")}catch(a){return setTimeout(e,50)}J(),n.ready()}}()}return I.promise(b)};var L="undefined",M;for(M in n(l))break;l.ownLast="0"!==M,l.inlineBlockNeedsLayout=!1,n(function(){var a,b,c=z.getElementsByTagName("body")[0];c&&(a=z.createElement("div"),a.style.cssText="border:0;width:0;height:0;position:absolute;top:0;left:-9999px;margin-top:1px",b=z.createElement("div"),c.appendChild(a).appendChild(b),typeof b.style.zoom!==L&&(b.style.cssText="border:0;margin:0;width:1px;padding:1px;display:inline;zoom:1",(l.inlineBlockNeedsLayout=3===b.offsetWidth)&&(c.style.zoom=1)),c.removeChild(a),a=b=null)}),function(){var a=z.createElement("div");if(null==l.deleteExpando){l.deleteExpando=!0;try{delete a.test}catch(b){l.deleteExpando=!1}}a=null}(),n.acceptData=function(a){var b=n.noData[(a.nodeName+" ").toLowerCase()],c=+a.nodeType||1;return 1!==c&&9!==c?!1:!b||b!==!0&&a.getAttribute("classid")===b};var N=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,O=/([A-Z])/g;function P(a,b,c){if(void 0===c&&1===a.nodeType){var d="data-"+b.replace(O,"-$1").toLowerCase();if(c=a.getAttribute(d),"string"==typeof c){try{c="true"===c?!0:"false"===c?!1:"null"===c?null:+c+""===c?+c:N.test(c)?n.parseJSON(c):c}catch(e){}n.data(a,b,c)}else c=void 0}return c}function Q(a){var b;for(b in a)if(("data"!==b||!n.isEmptyObject(a[b]))&&"toJSON"!==b)return!1;return!0}function R(a,b,d,e){if(n.acceptData(a)){var f,g,h=n.expando,i=a.nodeType,j=i?n.cache:a,k=i?a[h]:a[h]&&h;if(k&&j[k]&&(e||j[k].data)||void 0!==d||"string"!=typeof b)return k||(k=i?a[h]=c.pop()||n.guid++:h),j[k]||(j[k]=i?{}:{toJSON:n.noop}),("object"==typeof b||"function"==typeof b)&&(e?j[k]=n.extend(j[k],b):j[k].data=n.extend(j[k].data,b)),g=j[k],e||(g.data||(g.data={}),g=g.data),void 0!==d&&(g[n.camelCase(b)]=d),"string"==typeof b?(f=g[b],null==f&&(f=g[n.camelCase(b)])):f=g,f
+}}function S(a,b,c){if(n.acceptData(a)){var d,e,f=a.nodeType,g=f?n.cache:a,h=f?a[n.expando]:n.expando;if(g[h]){if(b&&(d=c?g[h]:g[h].data)){n.isArray(b)?b=b.concat(n.map(b,n.camelCase)):b in d?b=[b]:(b=n.camelCase(b),b=b in d?[b]:b.split(" ")),e=b.length;while(e--)delete d[b[e]];if(c?!Q(d):!n.isEmptyObject(d))return}(c||(delete g[h].data,Q(g[h])))&&(f?n.cleanData([a],!0):l.deleteExpando||g!=g.window?delete g[h]:g[h]=null)}}}n.extend({cache:{},noData:{"applet ":!0,"embed ":!0,"object ":"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000"},hasData:function(a){return a=a.nodeType?n.cache[a[n.expando]]:a[n.expando],!!a&&!Q(a)},data:function(a,b,c){return R(a,b,c)},removeData:function(a,b){return S(a,b)},_data:function(a,b,c){return R(a,b,c,!0)},_removeData:function(a,b){return S(a,b,!0)}}),n.fn.extend({data:function(a,b){var c,d,e,f=this[0],g=f&&f.attributes;if(void 0===a){if(this.length&&(e=n.data(f),1===f.nodeType&&!n._data(f,"parsedAttrs"))){c=g.length;while(c--)d=g[c].name,0===d.indexOf("data-")&&(d=n.camelCase(d.slice(5)),P(f,d,e[d]));n._data(f,"parsedAttrs",!0)}return e}return"object"==typeof a?this.each(function(){n.data(this,a)}):arguments.length>1?this.each(function(){n.data(this,a,b)}):f?P(f,a,n.data(f,a)):void 0},removeData:function(a){return this.each(function(){n.removeData(this,a)})}}),n.extend({queue:function(a,b,c){var d;return a?(b=(b||"fx")+"queue",d=n._data(a,b),c&&(!d||n.isArray(c)?d=n._data(a,b,n.makeArray(c)):d.push(c)),d||[]):void 0},dequeue:function(a,b){b=b||"fx";var c=n.queue(a,b),d=c.length,e=c.shift(),f=n._queueHooks(a,b),g=function(){n.dequeue(a,b)};"inprogress"===e&&(e=c.shift(),d--),e&&("fx"===b&&c.unshift("inprogress"),delete f.stop,e.call(a,g,f)),!d&&f&&f.empty.fire()},_queueHooks:function(a,b){var c=b+"queueHooks";return n._data(a,c)||n._data(a,c,{empty:n.Callbacks("once memory").add(function(){n._removeData(a,b+"queue"),n._removeData(a,c)})})}}),n.fn.extend({queue:function(a,b){var c=2;return"string"!=typeof a&&(b=a,a="fx",c--),arguments.length<c?n.queue(this[0],a):void 0===b?this:this.each(function(){var c=n.queue(this,a,b);n._queueHooks(this,a),"fx"===a&&"inprogress"!==c[0]&&n.dequeue(this,a)})},dequeue:function(a){return this.each(function(){n.dequeue(this,a)})},clearQueue:function(a){return this.queue(a||"fx",[])},promise:function(a,b){var c,d=1,e=n.Deferred(),f=this,g=this.length,h=function(){--d||e.resolveWith(f,[f])};"string"!=typeof a&&(b=a,a=void 0),a=a||"fx";while(g--)c=n._data(f[g],a+"queueHooks"),c&&c.empty&&(d++,c.empty.add(h));return h(),e.promise(b)}});var T=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,U=["Top","Right","Bottom","Left"],V=function(a,b){return a=b||a,"none"===n.css(a,"display")||!n.contains(a.ownerDocument,a)},W=n.access=function(a,b,c,d,e,f,g){var h=0,i=a.length,j=null==c;if("object"===n.type(c)){e=!0;for(h in c)n.access(a,b,h,c[h],!0,f,g)}else if(void 0!==d&&(e=!0,n.isFunction(d)||(g=!0),j&&(g?(b.call(a,d),b=null):(j=b,b=function(a,b,c){return j.call(n(a),c)})),b))for(;i>h;h++)b(a[h],c,g?d:d.call(a[h],h,b(a[h],c)));return e?a:j?b.call(a):i?b(a[0],c):f},X=/^(?:checkbox|radio)$/i;!function(){var a=z.createDocumentFragment(),b=z.createElement("div"),c=z.createElement("input");if(b.setAttribute("className","t"),b.innerHTML="  <link/><table></table><a href='/a'>a</a>",l.leadingWhitespace=3===b.firstChild.nodeType,l.tbody=!b.getElementsByTagName("tbody").length,l.htmlSerialize=!!b.getElementsByTagName("link").length,l.html5Clone="<:nav></:nav>"!==z.createElement("nav").cloneNode(!0).outerHTML,c.type="checkbox",c.checked=!0,a.appendChild(c),l.appendChecked=c.checked,b.innerHTML="<textarea>x</textarea>",l.noCloneChecked=!!b.cloneNode(!0).lastChild.defaultValue,a.appendChild(b),b.innerHTML="<input type='radio' checked='checked' name='t'/>",l.checkClone=b.cloneNode(!0).cloneNode(!0).lastChild.checked,l.noCloneEvent=!0,b.attachEvent&&(b.attachEvent("onclick",function(){l.noCloneEvent=!1}),b.cloneNode(!0).click()),null==l.deleteExpando){l.deleteExpando=!0;try{delete b.test}catch(d){l.deleteExpando=!1}}a=b=c=null}(),function(){var b,c,d=z.createElement("div");for(b in{submit:!0,change:!0,focusin:!0})c="on"+b,(l[b+"Bubbles"]=c in a)||(d.setAttribute(c,"t"),l[b+"Bubbles"]=d.attributes[c].expando===!1);d=null}();var Y=/^(?:input|select|textarea)$/i,Z=/^key/,$=/^(?:mouse|contextmenu)|click/,_=/^(?:focusinfocus|focusoutblur)$/,ab=/^([^.]*)(?:\.(.+)|)$/;function bb(){return!0}function cb(){return!1}function db(){try{return z.activeElement}catch(a){}}n.event={global:{},add:function(a,b,c,d,e){var f,g,h,i,j,k,l,m,o,p,q,r=n._data(a);if(r){c.handler&&(i=c,c=i.handler,e=i.selector),c.guid||(c.guid=n.guid++),(g=r.events)||(g=r.events={}),(k=r.handle)||(k=r.handle=function(a){return typeof n===L||a&&n.event.triggered===a.type?void 0:n.event.dispatch.apply(k.elem,arguments)},k.elem=a),b=(b||"").match(F)||[""],h=b.length;while(h--)f=ab.exec(b[h])||[],o=q=f[1],p=(f[2]||"").split(".").sort(),o&&(j=n.event.special[o]||{},o=(e?j.delegateType:j.bindType)||o,j=n.event.special[o]||{},l=n.extend({type:o,origType:q,data:d,handler:c,guid:c.guid,selector:e,needsContext:e&&n.expr.match.needsContext.test(e),namespace:p.join(".")},i),(m=g[o])||(m=g[o]=[],m.delegateCount=0,j.setup&&j.setup.call(a,d,p,k)!==!1||(a.addEventListener?a.addEventListener(o,k,!1):a.attachEvent&&a.attachEvent("on"+o,k))),j.add&&(j.add.call(a,l),l.handler.guid||(l.handler.guid=c.guid)),e?m.splice(m.delegateCount++,0,l):m.push(l),n.event.global[o]=!0);a=null}},remove:function(a,b,c,d,e){var f,g,h,i,j,k,l,m,o,p,q,r=n.hasData(a)&&n._data(a);if(r&&(k=r.events)){b=(b||"").match(F)||[""],j=b.length;while(j--)if(h=ab.exec(b[j])||[],o=q=h[1],p=(h[2]||"").split(".").sort(),o){l=n.event.special[o]||{},o=(d?l.delegateType:l.bindType)||o,m=k[o]||[],h=h[2]&&new RegExp("(^|\\.)"+p.join("\\.(?:.*\\.|)")+"(\\.|$)"),i=f=m.length;while(f--)g=m[f],!e&&q!==g.origType||c&&c.guid!==g.guid||h&&!h.test(g.namespace)||d&&d!==g.selector&&("**"!==d||!g.selector)||(m.splice(f,1),g.selector&&m.delegateCount--,l.remove&&l.remove.call(a,g));i&&!m.length&&(l.teardown&&l.teardown.call(a,p,r.handle)!==!1||n.removeEvent(a,o,r.handle),delete k[o])}else for(o in k)n.event.remove(a,o+b[j],c,d,!0);n.isEmptyObject(k)&&(delete r.handle,n._removeData(a,"events"))}},trigger:function(b,c,d,e){var f,g,h,i,k,l,m,o=[d||z],p=j.call(b,"type")?b.type:b,q=j.call(b,"namespace")?b.namespace.split("."):[];if(h=l=d=d||z,3!==d.nodeType&&8!==d.nodeType&&!_.test(p+n.event.triggered)&&(p.indexOf(".")>=0&&(q=p.split("."),p=q.shift(),q.sort()),g=p.indexOf(":")<0&&"on"+p,b=b[n.expando]?b:new n.Event(p,"object"==typeof b&&b),b.isTrigger=e?2:3,b.namespace=q.join("."),b.namespace_re=b.namespace?new RegExp("(^|\\.)"+q.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,b.result=void 0,b.target||(b.target=d),c=null==c?[b]:n.makeArray(c,[b]),k=n.event.special[p]||{},e||!k.trigger||k.trigger.apply(d,c)!==!1)){if(!e&&!k.noBubble&&!n.isWindow(d)){for(i=k.delegateType||p,_.test(i+p)||(h=h.parentNode);h;h=h.parentNode)o.push(h),l=h;l===(d.ownerDocument||z)&&o.push(l.defaultView||l.parentWindow||a)}m=0;while((h=o[m++])&&!b.isPropagationStopped())b.type=m>1?i:k.bindType||p,f=(n._data(h,"events")||{})[b.type]&&n._data(h,"handle"),f&&f.apply(h,c),f=g&&h[g],f&&f.apply&&n.acceptData(h)&&(b.result=f.apply(h,c),b.result===!1&&b.preventDefault());if(b.type=p,!e&&!b.isDefaultPrevented()&&(!k._default||k._default.apply(o.pop(),c)===!1)&&n.acceptData(d)&&g&&d[p]&&!n.isWindow(d)){l=d[g],l&&(d[g]=null),n.event.triggered=p;try{d[p]()}catch(r){}n.event.triggered=void 0,l&&(d[g]=l)}return b.result}},dispatch:function(a){a=n.event.fix(a);var b,c,e,f,g,h=[],i=d.call(arguments),j=(n._data(this,"events")||{})[a.type]||[],k=n.event.special[a.type]||{};if(i[0]=a,a.delegateTarget=this,!k.preDispatch||k.preDispatch.call(this,a)!==!1){h=n.event.handlers.call(this,a,j),b=0;while((f=h[b++])&&!a.isPropagationStopped()){a.currentTarget=f.elem,g=0;while((e=f.handlers[g++])&&!a.isImmediatePropagationStopped())(!a.namespace_re||a.namespace_re.test(e.namespace))&&(a.handleObj=e,a.data=e.data,c=((n.event.special[e.origType]||{}).handle||e.handler).apply(f.elem,i),void 0!==c&&(a.result=c)===!1&&(a.preventDefault(),a.stopPropagation()))}return k.postDispatch&&k.postDispatch.call(this,a),a.result}},handlers:function(a,b){var c,d,e,f,g=[],h=b.delegateCount,i=a.target;if(h&&i.nodeType&&(!a.button||"click"!==a.type))for(;i!=this;i=i.parentNode||this)if(1===i.nodeType&&(i.disabled!==!0||"click"!==a.type)){for(e=[],f=0;h>f;f++)d=b[f],c=d.selector+" ",void 0===e[c]&&(e[c]=d.needsContext?n(c,this).index(i)>=0:n.find(c,this,null,[i]).length),e[c]&&e.push(d);e.length&&g.push({elem:i,handlers:e})}return h<b.length&&g.push({elem:this,handlers:b.slice(h)}),g},fix:function(a){if(a[n.expando])return a;var b,c,d,e=a.type,f=a,g=this.fixHooks[e];g||(this.fixHooks[e]=g=$.test(e)?this.mouseHooks:Z.test(e)?this.keyHooks:{}),d=g.props?this.props.concat(g.props):this.props,a=new n.Event(f),b=d.length;while(b--)c=d[b],a[c]=f[c];return a.target||(a.target=f.srcElement||z),3===a.target.nodeType&&(a.target=a.target.parentNode),a.metaKey=!!a.metaKey,g.filter?g.filter(a,f):a},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(a,b){return null==a.which&&(a.which=null!=b.charCode?b.charCode:b.keyCode),a}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),filter:function(a,b){var c,d,e,f=b.button,g=b.fromElement;return null==a.pageX&&null!=b.clientX&&(d=a.target.ownerDocument||z,e=d.documentElement,c=d.body,a.pageX=b.clientX+(e&&e.scrollLeft||c&&c.scrollLeft||0)-(e&&e.clientLeft||c&&c.clientLeft||0),a.pageY=b.clientY+(e&&e.scrollTop||c&&c.scrollTop||0)-(e&&e.clientTop||c&&c.clientTop||0)),!a.relatedTarget&&g&&(a.relatedTarget=g===a.target?b.toElement:g),a.which||void 0===f||(a.which=1&f?1:2&f?3:4&f?2:0),a}},special:{load:{noBubble:!0},focus:{trigger:function(){if(this!==db()&&this.focus)try{return this.focus(),!1}catch(a){}},delegateType:"focusin"},blur:{trigger:function(){return this===db()&&this.blur?(this.blur(),!1):void 0},delegateType:"focusout"},click:{trigger:function(){return n.nodeName(this,"input")&&"checkbox"===this.type&&this.click?(this.click(),!1):void 0},_default:function(a){return n.nodeName(a.target,"a")}},beforeunload:{postDispatch:function(a){void 0!==a.result&&(a.originalEvent.returnValue=a.result)}}},simulate:function(a,b,c,d){var e=n.extend(new n.Event,c,{type:a,isSimulated:!0,originalEvent:{}});d?n.event.trigger(e,null,b):n.event.dispatch.call(b,e),e.isDefaultPrevented()&&c.preventDefault()}},n.removeEvent=z.removeEventListener?function(a,b,c){a.removeEventListener&&a.removeEventListener(b,c,!1)}:function(a,b,c){var d="on"+b;a.detachEvent&&(typeof a[d]===L&&(a[d]=null),a.detachEvent(d,c))},n.Event=function(a,b){return this instanceof n.Event?(a&&a.type?(this.originalEvent=a,this.type=a.type,this.isDefaultPrevented=a.defaultPrevented||void 0===a.defaultPrevented&&(a.returnValue===!1||a.getPreventDefault&&a.getPreventDefault())?bb:cb):this.type=a,b&&n.extend(this,b),this.timeStamp=a&&a.timeStamp||n.now(),void(this[n.expando]=!0)):new n.Event(a,b)},n.Event.prototype={isDefaultPrevented:cb,isPropagationStopped:cb,isImmediatePropagationStopped:cb,preventDefault:function(){var a=this.originalEvent;this.isDefaultPrevented=bb,a&&(a.preventDefault?a.preventDefault():a.returnValue=!1)},stopPropagation:function(){var a=this.originalEvent;this.isPropagationStopped=bb,a&&(a.stopPropagation&&a.stopPropagation(),a.cancelBubble=!0)},stopImmediatePropagation:function(){this.isImmediatePropagationStopped=bb,this.stopPropagation()}},n.each({mouseenter:"mouseover",mouseleave:"mouseout"},function(a,b){n.event.special[a]={delegateType:b,bindType:b,handle:function(a){var c,d=this,e=a.relatedTarget,f=a.handleObj;return(!e||e!==d&&!n.contains(d,e))&&(a.type=f.origType,c=f.handler.apply(this,arguments),a.type=b),c}}}),l.submitBubbles||(n.event.special.submit={setup:function(){return n.nodeName(this,"form")?!1:void n.event.add(this,"click._submit keypress._submit",function(a){var b=a.target,c=n.nodeName(b,"input")||n.nodeName(b,"button")?b.form:void 0;c&&!n._data(c,"submitBubbles")&&(n.event.add(c,"submit._submit",function(a){a._submit_bubble=!0}),n._data(c,"submitBubbles",!0))})},postDispatch:function(a){a._submit_bubble&&(delete a._submit_bubble,this.parentNode&&!a.isTrigger&&n.event.simulate("submit",this.parentNode,a,!0))},teardown:function(){return n.nodeName(this,"form")?!1:void n.event.remove(this,"._submit")}}),l.changeBubbles||(n.event.special.change={setup:function(){return Y.test(this.nodeName)?(("checkbox"===this.type||"radio"===this.type)&&(n.event.add(this,"propertychange._change",function(a){"checked"===a.originalEvent.propertyName&&(this._just_changed=!0)}),n.event.add(this,"click._change",function(a){this._just_changed&&!a.isTrigger&&(this._just_changed=!1),n.event.simulate("change",this,a,!0)})),!1):void n.event.add(this,"beforeactivate._change",function(a){var b=a.target;Y.test(b.nodeName)&&!n._data(b,"changeBubbles")&&(n.event.add(b,"change._change",function(a){!this.parentNode||a.isSimulated||a.isTrigger||n.event.simulate("change",this.parentNode,a,!0)}),n._data(b,"changeBubbles",!0))})},handle:function(a){var b=a.target;return this!==b||a.isSimulated||a.isTrigger||"radio"!==b.type&&"checkbox"!==b.type?a.handleObj.handler.apply(this,arguments):void 0},teardown:function(){return n.event.remove(this,"._change"),!Y.test(this.nodeName)}}),l.focusinBubbles||n.each({focus:"focusin",blur:"focusout"},function(a,b){var c=function(a){n.event.simulate(b,a.target,n.event.fix(a),!0)};n.event.special[b]={setup:function(){var d=this.ownerDocument||this,e=n._data(d,b);e||d.addEventListener(a,c,!0),n._data(d,b,(e||0)+1)},teardown:function(){var d=this.ownerDocument||this,e=n._data(d,b)-1;e?n._data(d,b,e):(d.removeEventListener(a,c,!0),n._removeData(d,b))}}}),n.fn.extend({on:function(a,b,c,d,e){var f,g;if("object"==typeof a){"string"!=typeof b&&(c=c||b,b=void 0);for(f in a)this.on(f,b,c,a[f],e);return this}if(null==c&&null==d?(d=b,c=b=void 0):null==d&&("string"==typeof b?(d=c,c=void 0):(d=c,c=b,b=void 0)),d===!1)d=cb;else if(!d)return this;return 1===e&&(g=d,d=function(a){return n().off(a),g.apply(this,arguments)},d.guid=g.guid||(g.guid=n.guid++)),this.each(function(){n.event.add(this,a,d,c,b)})},one:function(a,b,c,d){return this.on(a,b,c,d,1)},off:function(a,b,c){var d,e;if(a&&a.preventDefault&&a.handleObj)return d=a.handleObj,n(a.delegateTarget).off(d.namespace?d.origType+"."+d.namespace:d.origType,d.selector,d.handler),this;if("object"==typeof a){for(e in a)this.off(e,b,a[e]);return this}return(b===!1||"function"==typeof b)&&(c=b,b=void 0),c===!1&&(c=cb),this.each(function(){n.event.remove(this,a,c,b)})},trigger:function(a,b){return this.each(function(){n.event.trigger(a,b,this)})},triggerHandler:function(a,b){var c=this[0];return c?n.event.trigger(a,b,c,!0):void 0}});function eb(a){var b=fb.split("|"),c=a.createDocumentFragment();if(c.createElement)while(b.length)c.createElement(b.pop());return c}var fb="abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|summary|time|video",gb=/ jQuery\d+="(?:null|\d+)"/g,hb=new RegExp("<(?:"+fb+")[\\s/>]","i"),ib=/^\s+/,jb=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,kb=/<([\w:]+)/,lb=/<tbody/i,mb=/<|&#?\w+;/,nb=/<(?:script|style|link)/i,ob=/checked\s*(?:[^=]|=\s*.checked.)/i,pb=/^$|\/(?:java|ecma)script/i,qb=/^true\/(.*)/,rb=/^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g,sb={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:l.htmlSerialize?[0,"",""]:[1,"X<div>","</div>"]},tb=eb(z),ub=tb.appendChild(z.createElement("div"));sb.optgroup=sb.option,sb.tbody=sb.tfoot=sb.colgroup=sb.caption=sb.thead,sb.th=sb.td;function vb(a,b){var c,d,e=0,f=typeof a.getElementsByTagName!==L?a.getElementsByTagName(b||"*"):typeof a.querySelectorAll!==L?a.querySelectorAll(b||"*"):void 0;if(!f)for(f=[],c=a.childNodes||a;null!=(d=c[e]);e++)!b||n.nodeName(d,b)?f.push(d):n.merge(f,vb(d,b));return void 0===b||b&&n.nodeName(a,b)?n.merge([a],f):f}function wb(a){X.test(a.type)&&(a.defaultChecked=a.checked)}function xb(a,b){return n.nodeName(a,"table")&&n.nodeName(11!==b.nodeType?b:b.firstChild,"tr")?a.getElementsByTagName("tbody")[0]||a.appendChild(a.ownerDocument.createElement("tbody")):a}function yb(a){return a.type=(null!==n.find.attr(a,"type"))+"/"+a.type,a}function zb(a){var b=qb.exec(a.type);return b?a.type=b[1]:a.removeAttribute("type"),a}function Ab(a,b){for(var c,d=0;null!=(c=a[d]);d++)n._data(c,"globalEval",!b||n._data(b[d],"globalEval"))}function Bb(a,b){if(1===b.nodeType&&n.hasData(a)){var c,d,e,f=n._data(a),g=n._data(b,f),h=f.events;if(h){delete g.handle,g.events={};for(c in h)for(d=0,e=h[c].length;e>d;d++)n.event.add(b,c,h[c][d])}g.data&&(g.data=n.extend({},g.data))}}function Cb(a,b){var c,d,e;if(1===b.nodeType){if(c=b.nodeName.toLowerCase(),!l.noCloneEvent&&b[n.expando]){e=n._data(b);for(d in e.events)n.removeEvent(b,d,e.handle);b.removeAttribute(n.expando)}"script"===c&&b.text!==a.text?(yb(b).text=a.text,zb(b)):"object"===c?(b.parentNode&&(b.outerHTML=a.outerHTML),l.html5Clone&&a.innerHTML&&!n.trim(b.innerHTML)&&(b.innerHTML=a.innerHTML)):"input"===c&&X.test(a.type)?(b.defaultChecked=b.checked=a.checked,b.value!==a.value&&(b.value=a.value)):"option"===c?b.defaultSelected=b.selected=a.defaultSelected:("input"===c||"textarea"===c)&&(b.defaultValue=a.defaultValue)}}n.extend({clone:function(a,b,c){var d,e,f,g,h,i=n.contains(a.ownerDocument,a);if(l.html5Clone||n.isXMLDoc(a)||!hb.test("<"+a.nodeName+">")?f=a.cloneNode(!0):(ub.innerHTML=a.outerHTML,ub.removeChild(f=ub.firstChild)),!(l.noCloneEvent&&l.noCloneChecked||1!==a.nodeType&&11!==a.nodeType||n.isXMLDoc(a)))for(d=vb(f),h=vb(a),g=0;null!=(e=h[g]);++g)d[g]&&Cb(e,d[g]);if(b)if(c)for(h=h||vb(a),d=d||vb(f),g=0;null!=(e=h[g]);g++)Bb(e,d[g]);else Bb(a,f);return d=vb(f,"script"),d.length>0&&Ab(d,!i&&vb(a,"script")),d=h=e=null,f},buildFragment:function(a,b,c,d){for(var e,f,g,h,i,j,k,m=a.length,o=eb(b),p=[],q=0;m>q;q++)if(f=a[q],f||0===f)if("object"===n.type(f))n.merge(p,f.nodeType?[f]:f);else if(mb.test(f)){h=h||o.appendChild(b.createElement("div")),i=(kb.exec(f)||["",""])[1].toLowerCase(),k=sb[i]||sb._default,h.innerHTML=k[1]+f.replace(jb,"<$1></$2>")+k[2],e=k[0];while(e--)h=h.lastChild;if(!l.leadingWhitespace&&ib.test(f)&&p.push(b.createTextNode(ib.exec(f)[0])),!l.tbody){f="table"!==i||lb.test(f)?"<table>"!==k[1]||lb.test(f)?0:h:h.firstChild,e=f&&f.childNodes.length;while(e--)n.nodeName(j=f.childNodes[e],"tbody")&&!j.childNodes.length&&f.removeChild(j)}n.merge(p,h.childNodes),h.textContent="";while(h.firstChild)h.removeChild(h.firstChild);h=o.lastChild}else p.push(b.createTextNode(f));h&&o.removeChild(h),l.appendChecked||n.grep(vb(p,"input"),wb),q=0;while(f=p[q++])if((!d||-1===n.inArray(f,d))&&(g=n.contains(f.ownerDocument,f),h=vb(o.appendChild(f),"script"),g&&Ab(h),c)){e=0;while(f=h[e++])pb.test(f.type||"")&&c.push(f)}return h=null,o},cleanData:function(a,b){for(var d,e,f,g,h=0,i=n.expando,j=n.cache,k=l.deleteExpando,m=n.event.special;null!=(d=a[h]);h++)if((b||n.acceptData(d))&&(f=d[i],g=f&&j[f])){if(g.events)for(e in g.events)m[e]?n.event.remove(d,e):n.removeEvent(d,e,g.handle);j[f]&&(delete j[f],k?delete d[i]:typeof d.removeAttribute!==L?d.removeAttribute(i):d[i]=null,c.push(f))}}}),n.fn.extend({text:function(a){return W(this,function(a){return void 0===a?n.text(this):this.empty().append((this[0]&&this[0].ownerDocument||z).createTextNode(a))},null,a,arguments.length)},append:function(){return this.domManip(arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=xb(this,a);b.appendChild(a)}})},prepend:function(){return this.domManip(arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=xb(this,a);b.insertBefore(a,b.firstChild)}})},before:function(){return this.domManip(arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this)})},after:function(){return this.domManip(arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this.nextSibling)})},remove:function(a,b){for(var c,d=a?n.filter(a,this):this,e=0;null!=(c=d[e]);e++)b||1!==c.nodeType||n.cleanData(vb(c)),c.parentNode&&(b&&n.contains(c.ownerDocument,c)&&Ab(vb(c,"script")),c.parentNode.removeChild(c));return this},empty:function(){for(var a,b=0;null!=(a=this[b]);b++){1===a.nodeType&&n.cleanData(vb(a,!1));while(a.firstChild)a.removeChild(a.firstChild);a.options&&n.nodeName(a,"select")&&(a.options.length=0)}return this},clone:function(a,b){return a=null==a?!1:a,b=null==b?a:b,this.map(function(){return n.clone(this,a,b)})},html:function(a){return W(this,function(a){var b=this[0]||{},c=0,d=this.length;if(void 0===a)return 1===b.nodeType?b.innerHTML.replace(gb,""):void 0;if(!("string"!=typeof a||nb.test(a)||!l.htmlSerialize&&hb.test(a)||!l.leadingWhitespace&&ib.test(a)||sb[(kb.exec(a)||["",""])[1].toLowerCase()])){a=a.replace(jb,"<$1></$2>");try{for(;d>c;c++)b=this[c]||{},1===b.nodeType&&(n.cleanData(vb(b,!1)),b.innerHTML=a);b=0}catch(e){}}b&&this.empty().append(a)},null,a,arguments.length)},replaceWith:function(){var a=arguments[0];return this.domManip(arguments,function(b){a=this.parentNode,n.cleanData(vb(this)),a&&a.replaceChild(b,this)}),a&&(a.length||a.nodeType)?this:this.remove()},detach:function(a){return this.remove(a,!0)},domManip:function(a,b){a=e.apply([],a);var c,d,f,g,h,i,j=0,k=this.length,m=this,o=k-1,p=a[0],q=n.isFunction(p);if(q||k>1&&"string"==typeof p&&!l.checkClone&&ob.test(p))return this.each(function(c){var d=m.eq(c);q&&(a[0]=p.call(this,c,d.html())),d.domManip(a,b)});if(k&&(i=n.buildFragment(a,this[0].ownerDocument,!1,this),c=i.firstChild,1===i.childNodes.length&&(i=c),c)){for(g=n.map(vb(i,"script"),yb),f=g.length;k>j;j++)d=i,j!==o&&(d=n.clone(d,!0,!0),f&&n.merge(g,vb(d,"script"))),b.call(this[j],d,j);if(f)for(h=g[g.length-1].ownerDocument,n.map(g,zb),j=0;f>j;j++)d=g[j],pb.test(d.type||"")&&!n._data(d,"globalEval")&&n.contains(h,d)&&(d.src?n._evalUrl&&n._evalUrl(d.src):n.globalEval((d.text||d.textContent||d.innerHTML||"").replace(rb,"")));i=c=null}return this}}),n.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){n.fn[a]=function(a){for(var c,d=0,e=[],g=n(a),h=g.length-1;h>=d;d++)c=d===h?this:this.clone(!0),n(g[d])[b](c),f.apply(e,c.get());return this.pushStack(e)}});var Db,Eb={};function Fb(b,c){var d=n(c.createElement(b)).appendTo(c.body),e=a.getDefaultComputedStyle?a.getDefaultComputedStyle(d[0]).display:n.css(d[0],"display");return d.detach(),e}function Gb(a){var b=z,c=Eb[a];return c||(c=Fb(a,b),"none"!==c&&c||(Db=(Db||n("<iframe frameborder='0' width='0' height='0'/>")).appendTo(b.documentElement),b=(Db[0].contentWindow||Db[0].contentDocument).document,b.write(),b.close(),c=Fb(a,b),Db.detach()),Eb[a]=c),c}!function(){var a,b,c=z.createElement("div"),d="-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;display:block;padding:0;margin:0;border:0";c.innerHTML="  <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",a=c.getElementsByTagName("a")[0],a.style.cssText="float:left;opacity:.5",l.opacity=/^0.5/.test(a.style.opacity),l.cssFloat=!!a.style.cssFloat,c.style.backgroundClip="content-box",c.cloneNode(!0).style.backgroundClip="",l.clearCloneStyle="content-box"===c.style.backgroundClip,a=c=null,l.shrinkWrapBlocks=function(){var a,c,e,f;if(null==b){if(a=z.getElementsByTagName("body")[0],!a)return;f="border:0;width:0;height:0;position:absolute;top:0;left:-9999px",c=z.createElement("div"),e=z.createElement("div"),a.appendChild(c).appendChild(e),b=!1,typeof e.style.zoom!==L&&(e.style.cssText=d+";width:1px;padding:1px;zoom:1",e.innerHTML="<div></div>",e.firstChild.style.width="5px",b=3!==e.offsetWidth),a.removeChild(c),a=c=e=null}return b}}();var Hb=/^margin/,Ib=new RegExp("^("+T+")(?!px)[a-z%]+$","i"),Jb,Kb,Lb=/^(top|right|bottom|left)$/;a.getComputedStyle?(Jb=function(a){return a.ownerDocument.defaultView.getComputedStyle(a,null)},Kb=function(a,b,c){var d,e,f,g,h=a.style;return c=c||Jb(a),g=c?c.getPropertyValue(b)||c[b]:void 0,c&&(""!==g||n.contains(a.ownerDocument,a)||(g=n.style(a,b)),Ib.test(g)&&Hb.test(b)&&(d=h.width,e=h.minWidth,f=h.maxWidth,h.minWidth=h.maxWidth=h.width=g,g=c.width,h.width=d,h.minWidth=e,h.maxWidth=f)),void 0===g?g:g+""}):z.documentElement.currentStyle&&(Jb=function(a){return a.currentStyle},Kb=function(a,b,c){var d,e,f,g,h=a.style;return c=c||Jb(a),g=c?c[b]:void 0,null==g&&h&&h[b]&&(g=h[b]),Ib.test(g)&&!Lb.test(b)&&(d=h.left,e=a.runtimeStyle,f=e&&e.left,f&&(e.left=a.currentStyle.left),h.left="fontSize"===b?"1em":g,g=h.pixelLeft+"px",h.left=d,f&&(e.left=f)),void 0===g?g:g+""||"auto"});function Mb(a,b){return{get:function(){var c=a();if(null!=c)return c?void delete this.get:(this.get=b).apply(this,arguments)}}}!function(){var b,c,d,e,f,g,h=z.createElement("div"),i="border:0;width:0;height:0;position:absolute;top:0;left:-9999px",j="-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;display:block;padding:0;margin:0;border:0";h.innerHTML="  <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",b=h.getElementsByTagName("a")[0],b.style.cssText="float:left;opacity:.5",l.opacity=/^0.5/.test(b.style.opacity),l.cssFloat=!!b.style.cssFloat,h.style.backgroundClip="content-box",h.cloneNode(!0).style.backgroundClip="",l.clearCloneStyle="content-box"===h.style.backgroundClip,b=h=null,n.extend(l,{reliableHiddenOffsets:function(){if(null!=c)return c;var a,b,d,e=z.createElement("div"),f=z.getElementsByTagName("body")[0];if(f)return e.setAttribute("className","t"),e.innerHTML="  <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",a=z.createElement("div"),a.style.cssText=i,f.appendChild(a).appendChild(e),e.innerHTML="<table><tr><td></td><td>t</td></tr></table>",b=e.getElementsByTagName("td"),b[0].style.cssText="padding:0;margin:0;border:0;display:none",d=0===b[0].offsetHeight,b[0].style.display="",b[1].style.display="none",c=d&&0===b[0].offsetHeight,f.removeChild(a),e=f=null,c},boxSizing:function(){return null==d&&k(),d},boxSizingReliable:function(){return null==e&&k(),e},pixelPosition:function(){return null==f&&k(),f},reliableMarginRight:function(){var b,c,d,e;if(null==g&&a.getComputedStyle){if(b=z.getElementsByTagName("body")[0],!b)return;c=z.createElement("div"),d=z.createElement("div"),c.style.cssText=i,b.appendChild(c).appendChild(d),e=d.appendChild(z.createElement("div")),e.style.cssText=d.style.cssText=j,e.style.marginRight=e.style.width="0",d.style.width="1px",g=!parseFloat((a.getComputedStyle(e,null)||{}).marginRight),b.removeChild(c)}return g}});function k(){var b,c,h=z.getElementsByTagName("body")[0];h&&(b=z.createElement("div"),c=z.createElement("div"),b.style.cssText=i,h.appendChild(b).appendChild(c),c.style.cssText="-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;position:absolute;display:block;padding:1px;border:1px;width:4px;margin-top:1%;top:1%",n.swap(h,null!=h.style.zoom?{zoom:1}:{},function(){d=4===c.offsetWidth}),e=!0,f=!1,g=!0,a.getComputedStyle&&(f="1%"!==(a.getComputedStyle(c,null)||{}).top,e="4px"===(a.getComputedStyle(c,null)||{width:"4px"}).width),h.removeChild(b),c=h=null)}}(),n.swap=function(a,b,c,d){var e,f,g={};for(f in b)g[f]=a.style[f],a.style[f]=b[f];e=c.apply(a,d||[]);for(f in b)a.style[f]=g[f];return e};var Nb=/alpha\([^)]*\)/i,Ob=/opacity\s*=\s*([^)]*)/,Pb=/^(none|table(?!-c[ea]).+)/,Qb=new RegExp("^("+T+")(.*)$","i"),Rb=new RegExp("^([+-])=("+T+")","i"),Sb={position:"absolute",visibility:"hidden",display:"block"},Tb={letterSpacing:0,fontWeight:400},Ub=["Webkit","O","Moz","ms"];function Vb(a,b){if(b in a)return b;var c=b.charAt(0).toUpperCase()+b.slice(1),d=b,e=Ub.length;while(e--)if(b=Ub[e]+c,b in a)return b;return d}function Wb(a,b){for(var c,d,e,f=[],g=0,h=a.length;h>g;g++)d=a[g],d.style&&(f[g]=n._data(d,"olddisplay"),c=d.style.display,b?(f[g]||"none"!==c||(d.style.display=""),""===d.style.display&&V(d)&&(f[g]=n._data(d,"olddisplay",Gb(d.nodeName)))):f[g]||(e=V(d),(c&&"none"!==c||!e)&&n._data(d,"olddisplay",e?c:n.css(d,"display"))));for(g=0;h>g;g++)d=a[g],d.style&&(b&&"none"!==d.style.display&&""!==d.style.display||(d.style.display=b?f[g]||"":"none"));return a}function Xb(a,b,c){var d=Qb.exec(b);return d?Math.max(0,d[1]-(c||0))+(d[2]||"px"):b}function Yb(a,b,c,d,e){for(var f=c===(d?"border":"content")?4:"width"===b?1:0,g=0;4>f;f+=2)"margin"===c&&(g+=n.css(a,c+U[f],!0,e)),d?("content"===c&&(g-=n.css(a,"padding"+U[f],!0,e)),"margin"!==c&&(g-=n.css(a,"border"+U[f]+"Width",!0,e))):(g+=n.css(a,"padding"+U[f],!0,e),"padding"!==c&&(g+=n.css(a,"border"+U[f]+"Width",!0,e)));return g}function Zb(a,b,c){var d=!0,e="width"===b?a.offsetWidth:a.offsetHeight,f=Jb(a),g=l.boxSizing()&&"border-box"===n.css(a,"boxSizing",!1,f);if(0>=e||null==e){if(e=Kb(a,b,f),(0>e||null==e)&&(e=a.style[b]),Ib.test(e))return e;d=g&&(l.boxSizingReliable()||e===a.style[b]),e=parseFloat(e)||0}return e+Yb(a,b,c||(g?"border":"content"),d,f)+"px"}n.extend({cssHooks:{opacity:{get:function(a,b){if(b){var c=Kb(a,"opacity");return""===c?"1":c}}}},cssNumber:{columnCount:!0,fillOpacity:!0,fontWeight:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":l.cssFloat?"cssFloat":"styleFloat"},style:function(a,b,c,d){if(a&&3!==a.nodeType&&8!==a.nodeType&&a.style){var e,f,g,h=n.camelCase(b),i=a.style;if(b=n.cssProps[h]||(n.cssProps[h]=Vb(i,h)),g=n.cssHooks[b]||n.cssHooks[h],void 0===c)return g&&"get"in g&&void 0!==(e=g.get(a,!1,d))?e:i[b];if(f=typeof c,"string"===f&&(e=Rb.exec(c))&&(c=(e[1]+1)*e[2]+parseFloat(n.css(a,b)),f="number"),null!=c&&c===c&&("number"!==f||n.cssNumber[h]||(c+="px"),l.clearCloneStyle||""!==c||0!==b.indexOf("background")||(i[b]="inherit"),!(g&&"set"in g&&void 0===(c=g.set(a,c,d)))))try{i[b]="",i[b]=c}catch(j){}}},css:function(a,b,c,d){var e,f,g,h=n.camelCase(b);return b=n.cssProps[h]||(n.cssProps[h]=Vb(a.style,h)),g=n.cssHooks[b]||n.cssHooks[h],g&&"get"in g&&(f=g.get(a,!0,c)),void 0===f&&(f=Kb(a,b,d)),"normal"===f&&b in Tb&&(f=Tb[b]),""===c||c?(e=parseFloat(f),c===!0||n.isNumeric(e)?e||0:f):f}}),n.each(["height","width"],function(a,b){n.cssHooks[b]={get:function(a,c,d){return c?0===a.offsetWidth&&Pb.test(n.css(a,"display"))?n.swap(a,Sb,function(){return Zb(a,b,d)}):Zb(a,b,d):void 0},set:function(a,c,d){var e=d&&Jb(a);return Xb(a,c,d?Yb(a,b,d,l.boxSizing()&&"border-box"===n.css(a,"boxSizing",!1,e),e):0)}}}),l.opacity||(n.cssHooks.opacity={get:function(a,b){return Ob.test((b&&a.currentStyle?a.currentStyle.filter:a.style.filter)||"")?.01*parseFloat(RegExp.$1)+"":b?"1":""},set:function(a,b){var c=a.style,d=a.currentStyle,e=n.isNumeric(b)?"alpha(opacity="+100*b+")":"",f=d&&d.filter||c.filter||"";c.zoom=1,(b>=1||""===b)&&""===n.trim(f.replace(Nb,""))&&c.removeAttribute&&(c.removeAttribute("filter"),""===b||d&&!d.filter)||(c.filter=Nb.test(f)?f.replace(Nb,e):f+" "+e)}}),n.cssHooks.marginRight=Mb(l.reliableMarginRight,function(a,b){return b?n.swap(a,{display:"inline-block"},Kb,[a,"marginRight"]):void 0}),n.each({margin:"",padding:"",border:"Width"},function(a,b){n.cssHooks[a+b]={expand:function(c){for(var d=0,e={},f="string"==typeof c?c.split(" "):[c];4>d;d++)e[a+U[d]+b]=f[d]||f[d-2]||f[0];return e}},Hb.test(a)||(n.cssHooks[a+b].set=Xb)}),n.fn.extend({css:function(a,b){return W(this,function(a,b,c){var d,e,f={},g=0;if(n.isArray(b)){for(d=Jb(a),e=b.length;e>g;g++)f[b[g]]=n.css(a,b[g],!1,d);return f}return void 0!==c?n.style(a,b,c):n.css(a,b)
+},a,b,arguments.length>1)},show:function(){return Wb(this,!0)},hide:function(){return Wb(this)},toggle:function(a){return"boolean"==typeof a?a?this.show():this.hide():this.each(function(){V(this)?n(this).show():n(this).hide()})}});function $b(a,b,c,d,e){return new $b.prototype.init(a,b,c,d,e)}n.Tween=$b,$b.prototype={constructor:$b,init:function(a,b,c,d,e,f){this.elem=a,this.prop=c,this.easing=e||"swing",this.options=b,this.start=this.now=this.cur(),this.end=d,this.unit=f||(n.cssNumber[c]?"":"px")},cur:function(){var a=$b.propHooks[this.prop];return a&&a.get?a.get(this):$b.propHooks._default.get(this)},run:function(a){var b,c=$b.propHooks[this.prop];return this.pos=b=this.options.duration?n.easing[this.easing](a,this.options.duration*a,0,1,this.options.duration):a,this.now=(this.end-this.start)*b+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),c&&c.set?c.set(this):$b.propHooks._default.set(this),this}},$b.prototype.init.prototype=$b.prototype,$b.propHooks={_default:{get:function(a){var b;return null==a.elem[a.prop]||a.elem.style&&null!=a.elem.style[a.prop]?(b=n.css(a.elem,a.prop,""),b&&"auto"!==b?b:0):a.elem[a.prop]},set:function(a){n.fx.step[a.prop]?n.fx.step[a.prop](a):a.elem.style&&(null!=a.elem.style[n.cssProps[a.prop]]||n.cssHooks[a.prop])?n.style(a.elem,a.prop,a.now+a.unit):a.elem[a.prop]=a.now}}},$b.propHooks.scrollTop=$b.propHooks.scrollLeft={set:function(a){a.elem.nodeType&&a.elem.parentNode&&(a.elem[a.prop]=a.now)}},n.easing={linear:function(a){return a},swing:function(a){return.5-Math.cos(a*Math.PI)/2}},n.fx=$b.prototype.init,n.fx.step={};var _b,ac,bc=/^(?:toggle|show|hide)$/,cc=new RegExp("^(?:([+-])=|)("+T+")([a-z%]*)$","i"),dc=/queueHooks$/,ec=[jc],fc={"*":[function(a,b){var c=this.createTween(a,b),d=c.cur(),e=cc.exec(b),f=e&&e[3]||(n.cssNumber[a]?"":"px"),g=(n.cssNumber[a]||"px"!==f&&+d)&&cc.exec(n.css(c.elem,a)),h=1,i=20;if(g&&g[3]!==f){f=f||g[3],e=e||[],g=+d||1;do h=h||".5",g/=h,n.style(c.elem,a,g+f);while(h!==(h=c.cur()/d)&&1!==h&&--i)}return e&&(g=c.start=+g||+d||0,c.unit=f,c.end=e[1]?g+(e[1]+1)*e[2]:+e[2]),c}]};function gc(){return setTimeout(function(){_b=void 0}),_b=n.now()}function hc(a,b){var c,d={height:a},e=0;for(b=b?1:0;4>e;e+=2-b)c=U[e],d["margin"+c]=d["padding"+c]=a;return b&&(d.opacity=d.width=a),d}function ic(a,b,c){for(var d,e=(fc[b]||[]).concat(fc["*"]),f=0,g=e.length;g>f;f++)if(d=e[f].call(c,b,a))return d}function jc(a,b,c){var d,e,f,g,h,i,j,k,m=this,o={},p=a.style,q=a.nodeType&&V(a),r=n._data(a,"fxshow");c.queue||(h=n._queueHooks(a,"fx"),null==h.unqueued&&(h.unqueued=0,i=h.empty.fire,h.empty.fire=function(){h.unqueued||i()}),h.unqueued++,m.always(function(){m.always(function(){h.unqueued--,n.queue(a,"fx").length||h.empty.fire()})})),1===a.nodeType&&("height"in b||"width"in b)&&(c.overflow=[p.overflow,p.overflowX,p.overflowY],j=n.css(a,"display"),k=Gb(a.nodeName),"none"===j&&(j=k),"inline"===j&&"none"===n.css(a,"float")&&(l.inlineBlockNeedsLayout&&"inline"!==k?p.zoom=1:p.display="inline-block")),c.overflow&&(p.overflow="hidden",l.shrinkWrapBlocks()||m.always(function(){p.overflow=c.overflow[0],p.overflowX=c.overflow[1],p.overflowY=c.overflow[2]}));for(d in b)if(e=b[d],bc.exec(e)){if(delete b[d],f=f||"toggle"===e,e===(q?"hide":"show")){if("show"!==e||!r||void 0===r[d])continue;q=!0}o[d]=r&&r[d]||n.style(a,d)}if(!n.isEmptyObject(o)){r?"hidden"in r&&(q=r.hidden):r=n._data(a,"fxshow",{}),f&&(r.hidden=!q),q?n(a).show():m.done(function(){n(a).hide()}),m.done(function(){var b;n._removeData(a,"fxshow");for(b in o)n.style(a,b,o[b])});for(d in o)g=ic(q?r[d]:0,d,m),d in r||(r[d]=g.start,q&&(g.end=g.start,g.start="width"===d||"height"===d?1:0))}}function kc(a,b){var c,d,e,f,g;for(c in a)if(d=n.camelCase(c),e=b[d],f=a[c],n.isArray(f)&&(e=f[1],f=a[c]=f[0]),c!==d&&(a[d]=f,delete a[c]),g=n.cssHooks[d],g&&"expand"in g){f=g.expand(f),delete a[d];for(c in f)c in a||(a[c]=f[c],b[c]=e)}else b[d]=e}function lc(a,b,c){var d,e,f=0,g=ec.length,h=n.Deferred().always(function(){delete i.elem}),i=function(){if(e)return!1;for(var b=_b||gc(),c=Math.max(0,j.startTime+j.duration-b),d=c/j.duration||0,f=1-d,g=0,i=j.tweens.length;i>g;g++)j.tweens[g].run(f);return h.notifyWith(a,[j,f,c]),1>f&&i?c:(h.resolveWith(a,[j]),!1)},j=h.promise({elem:a,props:n.extend({},b),opts:n.extend(!0,{specialEasing:{}},c),originalProperties:b,originalOptions:c,startTime:_b||gc(),duration:c.duration,tweens:[],createTween:function(b,c){var d=n.Tween(a,j.opts,b,c,j.opts.specialEasing[b]||j.opts.easing);return j.tweens.push(d),d},stop:function(b){var c=0,d=b?j.tweens.length:0;if(e)return this;for(e=!0;d>c;c++)j.tweens[c].run(1);return b?h.resolveWith(a,[j,b]):h.rejectWith(a,[j,b]),this}}),k=j.props;for(kc(k,j.opts.specialEasing);g>f;f++)if(d=ec[f].call(j,a,k,j.opts))return d;return n.map(k,ic,j),n.isFunction(j.opts.start)&&j.opts.start.call(a,j),n.fx.timer(n.extend(i,{elem:a,anim:j,queue:j.opts.queue})),j.progress(j.opts.progress).done(j.opts.done,j.opts.complete).fail(j.opts.fail).always(j.opts.always)}n.Animation=n.extend(lc,{tweener:function(a,b){n.isFunction(a)?(b=a,a=["*"]):a=a.split(" ");for(var c,d=0,e=a.length;e>d;d++)c=a[d],fc[c]=fc[c]||[],fc[c].unshift(b)},prefilter:function(a,b){b?ec.unshift(a):ec.push(a)}}),n.speed=function(a,b,c){var d=a&&"object"==typeof a?n.extend({},a):{complete:c||!c&&b||n.isFunction(a)&&a,duration:a,easing:c&&b||b&&!n.isFunction(b)&&b};return d.duration=n.fx.off?0:"number"==typeof d.duration?d.duration:d.duration in n.fx.speeds?n.fx.speeds[d.duration]:n.fx.speeds._default,(null==d.queue||d.queue===!0)&&(d.queue="fx"),d.old=d.complete,d.complete=function(){n.isFunction(d.old)&&d.old.call(this),d.queue&&n.dequeue(this,d.queue)},d},n.fn.extend({fadeTo:function(a,b,c,d){return this.filter(V).css("opacity",0).show().end().animate({opacity:b},a,c,d)},animate:function(a,b,c,d){var e=n.isEmptyObject(a),f=n.speed(b,c,d),g=function(){var b=lc(this,n.extend({},a),f);(e||n._data(this,"finish"))&&b.stop(!0)};return g.finish=g,e||f.queue===!1?this.each(g):this.queue(f.queue,g)},stop:function(a,b,c){var d=function(a){var b=a.stop;delete a.stop,b(c)};return"string"!=typeof a&&(c=b,b=a,a=void 0),b&&a!==!1&&this.queue(a||"fx",[]),this.each(function(){var b=!0,e=null!=a&&a+"queueHooks",f=n.timers,g=n._data(this);if(e)g[e]&&g[e].stop&&d(g[e]);else for(e in g)g[e]&&g[e].stop&&dc.test(e)&&d(g[e]);for(e=f.length;e--;)f[e].elem!==this||null!=a&&f[e].queue!==a||(f[e].anim.stop(c),b=!1,f.splice(e,1));(b||!c)&&n.dequeue(this,a)})},finish:function(a){return a!==!1&&(a=a||"fx"),this.each(function(){var b,c=n._data(this),d=c[a+"queue"],e=c[a+"queueHooks"],f=n.timers,g=d?d.length:0;for(c.finish=!0,n.queue(this,a,[]),e&&e.stop&&e.stop.call(this,!0),b=f.length;b--;)f[b].elem===this&&f[b].queue===a&&(f[b].anim.stop(!0),f.splice(b,1));for(b=0;g>b;b++)d[b]&&d[b].finish&&d[b].finish.call(this);delete c.finish})}}),n.each(["toggle","show","hide"],function(a,b){var c=n.fn[b];n.fn[b]=function(a,d,e){return null==a||"boolean"==typeof a?c.apply(this,arguments):this.animate(hc(b,!0),a,d,e)}}),n.each({slideDown:hc("show"),slideUp:hc("hide"),slideToggle:hc("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(a,b){n.fn[a]=function(a,c,d){return this.animate(b,a,c,d)}}),n.timers=[],n.fx.tick=function(){var a,b=n.timers,c=0;for(_b=n.now();c<b.length;c++)a=b[c],a()||b[c]!==a||b.splice(c--,1);b.length||n.fx.stop(),_b=void 0},n.fx.timer=function(a){n.timers.push(a),a()?n.fx.start():n.timers.pop()},n.fx.interval=13,n.fx.start=function(){ac||(ac=setInterval(n.fx.tick,n.fx.interval))},n.fx.stop=function(){clearInterval(ac),ac=null},n.fx.speeds={slow:600,fast:200,_default:400},n.fn.delay=function(a,b){return a=n.fx?n.fx.speeds[a]||a:a,b=b||"fx",this.queue(b,function(b,c){var d=setTimeout(b,a);c.stop=function(){clearTimeout(d)}})},function(){var a,b,c,d,e=z.createElement("div");e.setAttribute("className","t"),e.innerHTML="  <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",a=e.getElementsByTagName("a")[0],c=z.createElement("select"),d=c.appendChild(z.createElement("option")),b=e.getElementsByTagName("input")[0],a.style.cssText="top:1px",l.getSetAttribute="t"!==e.className,l.style=/top/.test(a.getAttribute("style")),l.hrefNormalized="/a"===a.getAttribute("href"),l.checkOn=!!b.value,l.optSelected=d.selected,l.enctype=!!z.createElement("form").enctype,c.disabled=!0,l.optDisabled=!d.disabled,b=z.createElement("input"),b.setAttribute("value",""),l.input=""===b.getAttribute("value"),b.value="t",b.setAttribute("type","radio"),l.radioValue="t"===b.value,a=b=c=d=e=null}();var mc=/\r/g;n.fn.extend({val:function(a){var b,c,d,e=this[0];{if(arguments.length)return d=n.isFunction(a),this.each(function(c){var e;1===this.nodeType&&(e=d?a.call(this,c,n(this).val()):a,null==e?e="":"number"==typeof e?e+="":n.isArray(e)&&(e=n.map(e,function(a){return null==a?"":a+""})),b=n.valHooks[this.type]||n.valHooks[this.nodeName.toLowerCase()],b&&"set"in b&&void 0!==b.set(this,e,"value")||(this.value=e))});if(e)return b=n.valHooks[e.type]||n.valHooks[e.nodeName.toLowerCase()],b&&"get"in b&&void 0!==(c=b.get(e,"value"))?c:(c=e.value,"string"==typeof c?c.replace(mc,""):null==c?"":c)}}}),n.extend({valHooks:{option:{get:function(a){var b=n.find.attr(a,"value");return null!=b?b:n.text(a)}},select:{get:function(a){for(var b,c,d=a.options,e=a.selectedIndex,f="select-one"===a.type||0>e,g=f?null:[],h=f?e+1:d.length,i=0>e?h:f?e:0;h>i;i++)if(c=d[i],!(!c.selected&&i!==e||(l.optDisabled?c.disabled:null!==c.getAttribute("disabled"))||c.parentNode.disabled&&n.nodeName(c.parentNode,"optgroup"))){if(b=n(c).val(),f)return b;g.push(b)}return g},set:function(a,b){var c,d,e=a.options,f=n.makeArray(b),g=e.length;while(g--)if(d=e[g],n.inArray(n.valHooks.option.get(d),f)>=0)try{d.selected=c=!0}catch(h){d.scrollHeight}else d.selected=!1;return c||(a.selectedIndex=-1),e}}}}),n.each(["radio","checkbox"],function(){n.valHooks[this]={set:function(a,b){return n.isArray(b)?a.checked=n.inArray(n(a).val(),b)>=0:void 0}},l.checkOn||(n.valHooks[this].get=function(a){return null===a.getAttribute("value")?"on":a.value})});var nc,oc,pc=n.expr.attrHandle,qc=/^(?:checked|selected)$/i,rc=l.getSetAttribute,sc=l.input;n.fn.extend({attr:function(a,b){return W(this,n.attr,a,b,arguments.length>1)},removeAttr:function(a){return this.each(function(){n.removeAttr(this,a)})}}),n.extend({attr:function(a,b,c){var d,e,f=a.nodeType;if(a&&3!==f&&8!==f&&2!==f)return typeof a.getAttribute===L?n.prop(a,b,c):(1===f&&n.isXMLDoc(a)||(b=b.toLowerCase(),d=n.attrHooks[b]||(n.expr.match.bool.test(b)?oc:nc)),void 0===c?d&&"get"in d&&null!==(e=d.get(a,b))?e:(e=n.find.attr(a,b),null==e?void 0:e):null!==c?d&&"set"in d&&void 0!==(e=d.set(a,c,b))?e:(a.setAttribute(b,c+""),c):void n.removeAttr(a,b))},removeAttr:function(a,b){var c,d,e=0,f=b&&b.match(F);if(f&&1===a.nodeType)while(c=f[e++])d=n.propFix[c]||c,n.expr.match.bool.test(c)?sc&&rc||!qc.test(c)?a[d]=!1:a[n.camelCase("default-"+c)]=a[d]=!1:n.attr(a,c,""),a.removeAttribute(rc?c:d)},attrHooks:{type:{set:function(a,b){if(!l.radioValue&&"radio"===b&&n.nodeName(a,"input")){var c=a.value;return a.setAttribute("type",b),c&&(a.value=c),b}}}}}),oc={set:function(a,b,c){return b===!1?n.removeAttr(a,c):sc&&rc||!qc.test(c)?a.setAttribute(!rc&&n.propFix[c]||c,c):a[n.camelCase("default-"+c)]=a[c]=!0,c}},n.each(n.expr.match.bool.source.match(/\w+/g),function(a,b){var c=pc[b]||n.find.attr;pc[b]=sc&&rc||!qc.test(b)?function(a,b,d){var e,f;return d||(f=pc[b],pc[b]=e,e=null!=c(a,b,d)?b.toLowerCase():null,pc[b]=f),e}:function(a,b,c){return c?void 0:a[n.camelCase("default-"+b)]?b.toLowerCase():null}}),sc&&rc||(n.attrHooks.value={set:function(a,b,c){return n.nodeName(a,"input")?void(a.defaultValue=b):nc&&nc.set(a,b,c)}}),rc||(nc={set:function(a,b,c){var d=a.getAttributeNode(c);return d||a.setAttributeNode(d=a.ownerDocument.createAttribute(c)),d.value=b+="","value"===c||b===a.getAttribute(c)?b:void 0}},pc.id=pc.name=pc.coords=function(a,b,c){var d;return c?void 0:(d=a.getAttributeNode(b))&&""!==d.value?d.value:null},n.valHooks.button={get:function(a,b){var c=a.getAttributeNode(b);return c&&c.specified?c.value:void 0},set:nc.set},n.attrHooks.contenteditable={set:function(a,b,c){nc.set(a,""===b?!1:b,c)}},n.each(["width","height"],function(a,b){n.attrHooks[b]={set:function(a,c){return""===c?(a.setAttribute(b,"auto"),c):void 0}}})),l.style||(n.attrHooks.style={get:function(a){return a.style.cssText||void 0},set:function(a,b){return a.style.cssText=b+""}});var tc=/^(?:input|select|textarea|button|object)$/i,uc=/^(?:a|area)$/i;n.fn.extend({prop:function(a,b){return W(this,n.prop,a,b,arguments.length>1)},removeProp:function(a){return a=n.propFix[a]||a,this.each(function(){try{this[a]=void 0,delete this[a]}catch(b){}})}}),n.extend({propFix:{"for":"htmlFor","class":"className"},prop:function(a,b,c){var d,e,f,g=a.nodeType;if(a&&3!==g&&8!==g&&2!==g)return f=1!==g||!n.isXMLDoc(a),f&&(b=n.propFix[b]||b,e=n.propHooks[b]),void 0!==c?e&&"set"in e&&void 0!==(d=e.set(a,c,b))?d:a[b]=c:e&&"get"in e&&null!==(d=e.get(a,b))?d:a[b]},propHooks:{tabIndex:{get:function(a){var b=n.find.attr(a,"tabindex");return b?parseInt(b,10):tc.test(a.nodeName)||uc.test(a.nodeName)&&a.href?0:-1}}}}),l.hrefNormalized||n.each(["href","src"],function(a,b){n.propHooks[b]={get:function(a){return a.getAttribute(b,4)}}}),l.optSelected||(n.propHooks.selected={get:function(a){var b=a.parentNode;return b&&(b.selectedIndex,b.parentNode&&b.parentNode.selectedIndex),null}}),n.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){n.propFix[this.toLowerCase()]=this}),l.enctype||(n.propFix.enctype="encoding");var vc=/[\t\r\n\f]/g;n.fn.extend({addClass:function(a){var b,c,d,e,f,g,h=0,i=this.length,j="string"==typeof a&&a;if(n.isFunction(a))return this.each(function(b){n(this).addClass(a.call(this,b,this.className))});if(j)for(b=(a||"").match(F)||[];i>h;h++)if(c=this[h],d=1===c.nodeType&&(c.className?(" "+c.className+" ").replace(vc," "):" ")){f=0;while(e=b[f++])d.indexOf(" "+e+" ")<0&&(d+=e+" ");g=n.trim(d),c.className!==g&&(c.className=g)}return this},removeClass:function(a){var b,c,d,e,f,g,h=0,i=this.length,j=0===arguments.length||"string"==typeof a&&a;if(n.isFunction(a))return this.each(function(b){n(this).removeClass(a.call(this,b,this.className))});if(j)for(b=(a||"").match(F)||[];i>h;h++)if(c=this[h],d=1===c.nodeType&&(c.className?(" "+c.className+" ").replace(vc," "):"")){f=0;while(e=b[f++])while(d.indexOf(" "+e+" ")>=0)d=d.replace(" "+e+" "," ");g=a?n.trim(d):"",c.className!==g&&(c.className=g)}return this},toggleClass:function(a,b){var c=typeof a;return"boolean"==typeof b&&"string"===c?b?this.addClass(a):this.removeClass(a):this.each(n.isFunction(a)?function(c){n(this).toggleClass(a.call(this,c,this.className,b),b)}:function(){if("string"===c){var b,d=0,e=n(this),f=a.match(F)||[];while(b=f[d++])e.hasClass(b)?e.removeClass(b):e.addClass(b)}else(c===L||"boolean"===c)&&(this.className&&n._data(this,"__className__",this.className),this.className=this.className||a===!1?"":n._data(this,"__className__")||"")})},hasClass:function(a){for(var b=" "+a+" ",c=0,d=this.length;d>c;c++)if(1===this[c].nodeType&&(" "+this[c].className+" ").replace(vc," ").indexOf(b)>=0)return!0;return!1}}),n.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(a,b){n.fn[b]=function(a,c){return arguments.length>0?this.on(b,null,a,c):this.trigger(b)}}),n.fn.extend({hover:function(a,b){return this.mouseenter(a).mouseleave(b||a)},bind:function(a,b,c){return this.on(a,null,b,c)},unbind:function(a,b){return this.off(a,null,b)},delegate:function(a,b,c,d){return this.on(b,a,c,d)},undelegate:function(a,b,c){return 1===arguments.length?this.off(a,"**"):this.off(b,a||"**",c)}});var wc=n.now(),xc=/\?/,yc=/(,)|(\[|{)|(}|])|"(?:[^"\\\r\n]|\\["\\\/bfnrt]|\\u[\da-fA-F]{4})*"\s*:?|true|false|null|-?(?!0\d)\d+(?:\.\d+|)(?:[eE][+-]?\d+|)/g;n.parseJSON=function(b){if(a.JSON&&a.JSON.parse)return a.JSON.parse(b+"");var c,d=null,e=n.trim(b+"");return e&&!n.trim(e.replace(yc,function(a,b,e,f){return c&&b&&(d=0),0===d?a:(c=e||b,d+=!f-!e,"")}))?Function("return "+e)():n.error("Invalid JSON: "+b)},n.parseXML=function(b){var c,d;if(!b||"string"!=typeof b)return null;try{a.DOMParser?(d=new DOMParser,c=d.parseFromString(b,"text/xml")):(c=new ActiveXObject("Microsoft.XMLDOM"),c.async="false",c.loadXML(b))}catch(e){c=void 0}return c&&c.documentElement&&!c.getElementsByTagName("parsererror").length||n.error("Invalid XML: "+b),c};var zc,Ac,Bc=/#.*$/,Cc=/([?&])_=[^&]*/,Dc=/^(.*?):[ \t]*([^\r\n]*)\r?$/gm,Ec=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,Fc=/^(?:GET|HEAD)$/,Gc=/^\/\//,Hc=/^([\w.+-]+:)(?:\/\/(?:[^\/?#]*@|)([^\/?#:]*)(?::(\d+)|)|)/,Ic={},Jc={},Kc="*/".concat("*");try{Ac=location.href}catch(Lc){Ac=z.createElement("a"),Ac.href="",Ac=Ac.href}zc=Hc.exec(Ac.toLowerCase())||[];function Mc(a){return function(b,c){"string"!=typeof b&&(c=b,b="*");var d,e=0,f=b.toLowerCase().match(F)||[];if(n.isFunction(c))while(d=f[e++])"+"===d.charAt(0)?(d=d.slice(1)||"*",(a[d]=a[d]||[]).unshift(c)):(a[d]=a[d]||[]).push(c)}}function Nc(a,b,c,d){var e={},f=a===Jc;function g(h){var i;return e[h]=!0,n.each(a[h]||[],function(a,h){var j=h(b,c,d);return"string"!=typeof j||f||e[j]?f?!(i=j):void 0:(b.dataTypes.unshift(j),g(j),!1)}),i}return g(b.dataTypes[0])||!e["*"]&&g("*")}function Oc(a,b){var c,d,e=n.ajaxSettings.flatOptions||{};for(d in b)void 0!==b[d]&&((e[d]?a:c||(c={}))[d]=b[d]);return c&&n.extend(!0,a,c),a}function Pc(a,b,c){var d,e,f,g,h=a.contents,i=a.dataTypes;while("*"===i[0])i.shift(),void 0===e&&(e=a.mimeType||b.getResponseHeader("Content-Type"));if(e)for(g in h)if(h[g]&&h[g].test(e)){i.unshift(g);break}if(i[0]in c)f=i[0];else{for(g in c){if(!i[0]||a.converters[g+" "+i[0]]){f=g;break}d||(d=g)}f=f||d}return f?(f!==i[0]&&i.unshift(f),c[f]):void 0}function Qc(a,b,c,d){var e,f,g,h,i,j={},k=a.dataTypes.slice();if(k[1])for(g in a.converters)j[g.toLowerCase()]=a.converters[g];f=k.shift();while(f)if(a.responseFields[f]&&(c[a.responseFields[f]]=b),!i&&d&&a.dataFilter&&(b=a.dataFilter(b,a.dataType)),i=f,f=k.shift())if("*"===f)f=i;else if("*"!==i&&i!==f){if(g=j[i+" "+f]||j["* "+f],!g)for(e in j)if(h=e.split(" "),h[1]===f&&(g=j[i+" "+h[0]]||j["* "+h[0]])){g===!0?g=j[e]:j[e]!==!0&&(f=h[0],k.unshift(h[1]));break}if(g!==!0)if(g&&a["throws"])b=g(b);else try{b=g(b)}catch(l){return{state:"parsererror",error:g?l:"No conversion from "+i+" to "+f}}}return{state:"success",data:b}}n.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:Ac,type:"GET",isLocal:Ec.test(zc[1]),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":Kc,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":n.parseJSON,"text xml":n.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(a,b){return b?Oc(Oc(a,n.ajaxSettings),b):Oc(n.ajaxSettings,a)},ajaxPrefilter:Mc(Ic),ajaxTransport:Mc(Jc),ajax:function(a,b){"object"==typeof a&&(b=a,a=void 0),b=b||{};var c,d,e,f,g,h,i,j,k=n.ajaxSetup({},b),l=k.context||k,m=k.context&&(l.nodeType||l.jquery)?n(l):n.event,o=n.Deferred(),p=n.Callbacks("once memory"),q=k.statusCode||{},r={},s={},t=0,u="canceled",v={readyState:0,getResponseHeader:function(a){var b;if(2===t){if(!j){j={};while(b=Dc.exec(f))j[b[1].toLowerCase()]=b[2]}b=j[a.toLowerCase()]}return null==b?null:b},getAllResponseHeaders:function(){return 2===t?f:null},setRequestHeader:function(a,b){var c=a.toLowerCase();return t||(a=s[c]=s[c]||a,r[a]=b),this},overrideMimeType:function(a){return t||(k.mimeType=a),this},statusCode:function(a){var b;if(a)if(2>t)for(b in a)q[b]=[q[b],a[b]];else v.always(a[v.status]);return this},abort:function(a){var b=a||u;return i&&i.abort(b),x(0,b),this}};if(o.promise(v).complete=p.add,v.success=v.done,v.error=v.fail,k.url=((a||k.url||Ac)+"").replace(Bc,"").replace(Gc,zc[1]+"//"),k.type=b.method||b.type||k.method||k.type,k.dataTypes=n.trim(k.dataType||"*").toLowerCase().match(F)||[""],null==k.crossDomain&&(c=Hc.exec(k.url.toLowerCase()),k.crossDomain=!(!c||c[1]===zc[1]&&c[2]===zc[2]&&(c[3]||("http:"===c[1]?"80":"443"))===(zc[3]||("http:"===zc[1]?"80":"443")))),k.data&&k.processData&&"string"!=typeof k.data&&(k.data=n.param(k.data,k.traditional)),Nc(Ic,k,b,v),2===t)return v;h=k.global,h&&0===n.active++&&n.event.trigger("ajaxStart"),k.type=k.type.toUpperCase(),k.hasContent=!Fc.test(k.type),e=k.url,k.hasContent||(k.data&&(e=k.url+=(xc.test(e)?"&":"?")+k.data,delete k.data),k.cache===!1&&(k.url=Cc.test(e)?e.replace(Cc,"$1_="+wc++):e+(xc.test(e)?"&":"?")+"_="+wc++)),k.ifModified&&(n.lastModified[e]&&v.setRequestHeader("If-Modified-Since",n.lastModified[e]),n.etag[e]&&v.setRequestHeader("If-None-Match",n.etag[e])),(k.data&&k.hasContent&&k.contentType!==!1||b.contentType)&&v.setRequestHeader("Content-Type",k.contentType),v.setRequestHeader("Accept",k.dataTypes[0]&&k.accepts[k.dataTypes[0]]?k.accepts[k.dataTypes[0]]+("*"!==k.dataTypes[0]?", "+Kc+"; q=0.01":""):k.accepts["*"]);for(d in k.headers)v.setRequestHeader(d,k.headers[d]);if(k.beforeSend&&(k.beforeSend.call(l,v,k)===!1||2===t))return v.abort();u="abort";for(d in{success:1,error:1,complete:1})v[d](k[d]);if(i=Nc(Jc,k,b,v)){v.readyState=1,h&&m.trigger("ajaxSend",[v,k]),k.async&&k.timeout>0&&(g=setTimeout(function(){v.abort("timeout")},k.timeout));try{t=1,i.send(r,x)}catch(w){if(!(2>t))throw w;x(-1,w)}}else x(-1,"No Transport");function x(a,b,c,d){var j,r,s,u,w,x=b;2!==t&&(t=2,g&&clearTimeout(g),i=void 0,f=d||"",v.readyState=a>0?4:0,j=a>=200&&300>a||304===a,c&&(u=Pc(k,v,c)),u=Qc(k,u,v,j),j?(k.ifModified&&(w=v.getResponseHeader("Last-Modified"),w&&(n.lastModified[e]=w),w=v.getResponseHeader("etag"),w&&(n.etag[e]=w)),204===a||"HEAD"===k.type?x="nocontent":304===a?x="notmodified":(x=u.state,r=u.data,s=u.error,j=!s)):(s=x,(a||!x)&&(x="error",0>a&&(a=0))),v.status=a,v.statusText=(b||x)+"",j?o.resolveWith(l,[r,x,v]):o.rejectWith(l,[v,x,s]),v.statusCode(q),q=void 0,h&&m.trigger(j?"ajaxSuccess":"ajaxError",[v,k,j?r:s]),p.fireWith(l,[v,x]),h&&(m.trigger("ajaxComplete",[v,k]),--n.active||n.event.trigger("ajaxStop")))}return v},getJSON:function(a,b,c){return n.get(a,b,c,"json")},getScript:function(a,b){return n.get(a,void 0,b,"script")}}),n.each(["get","post"],function(a,b){n[b]=function(a,c,d,e){return n.isFunction(c)&&(e=e||d,d=c,c=void 0),n.ajax({url:a,type:b,dataType:e,data:c,success:d})}}),n.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(a,b){n.fn[b]=function(a){return this.on(b,a)}}),n._evalUrl=function(a){return n.ajax({url:a,type:"GET",dataType:"script",async:!1,global:!1,"throws":!0})},n.fn.extend({wrapAll:function(a){if(n.isFunction(a))return this.each(function(b){n(this).wrapAll(a.call(this,b))});if(this[0]){var b=n(a,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&b.insertBefore(this[0]),b.map(function(){var a=this;while(a.firstChild&&1===a.firstChild.nodeType)a=a.firstChild;return a}).append(this)}return this},wrapInner:function(a){return this.each(n.isFunction(a)?function(b){n(this).wrapInner(a.call(this,b))}:function(){var b=n(this),c=b.contents();c.length?c.wrapAll(a):b.append(a)})},wrap:function(a){var b=n.isFunction(a);return this.each(function(c){n(this).wrapAll(b?a.call(this,c):a)})},unwrap:function(){return this.parent().each(function(){n.nodeName(this,"body")||n(this).replaceWith(this.childNodes)}).end()}}),n.expr.filters.hidden=function(a){return a.offsetWidth<=0&&a.offsetHeight<=0||!l.reliableHiddenOffsets()&&"none"===(a.style&&a.style.display||n.css(a,"display"))},n.expr.filters.visible=function(a){return!n.expr.filters.hidden(a)};var Rc=/%20/g,Sc=/\[\]$/,Tc=/\r?\n/g,Uc=/^(?:submit|button|image|reset|file)$/i,Vc=/^(?:input|select|textarea|keygen)/i;function Wc(a,b,c,d){var e;if(n.isArray(b))n.each(b,function(b,e){c||Sc.test(a)?d(a,e):Wc(a+"["+("object"==typeof e?b:"")+"]",e,c,d)});else if(c||"object"!==n.type(b))d(a,b);else for(e in b)Wc(a+"["+e+"]",b[e],c,d)}n.param=function(a,b){var c,d=[],e=function(a,b){b=n.isFunction(b)?b():null==b?"":b,d[d.length]=encodeURIComponent(a)+"="+encodeURIComponent(b)};if(void 0===b&&(b=n.ajaxSettings&&n.ajaxSettings.traditional),n.isArray(a)||a.jquery&&!n.isPlainObject(a))n.each(a,function(){e(this.name,this.value)});else for(c in a)Wc(c,a[c],b,e);return d.join("&").replace(Rc,"+")},n.fn.extend({serialize:function(){return n.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var a=n.prop(this,"elements");return a?n.makeArray(a):this}).filter(function(){var a=this.type;return this.name&&!n(this).is(":disabled")&&Vc.test(this.nodeName)&&!Uc.test(a)&&(this.checked||!X.test(a))}).map(function(a,b){var c=n(this).val();return null==c?null:n.isArray(c)?n.map(c,function(a){return{name:b.name,value:a.replace(Tc,"\r\n")}}):{name:b.name,value:c.replace(Tc,"\r\n")}}).get()}}),n.ajaxSettings.xhr=void 0!==a.ActiveXObject?function(){return!this.isLocal&&/^(get|post|head|put|delete|options)$/i.test(this.type)&&$c()||_c()}:$c;var Xc=0,Yc={},Zc=n.ajaxSettings.xhr();a.ActiveXObject&&n(a).on("unload",function(){for(var a in Yc)Yc[a](void 0,!0)}),l.cors=!!Zc&&"withCredentials"in Zc,Zc=l.ajax=!!Zc,Zc&&n.ajaxTransport(function(a){if(!a.crossDomain||l.cors){var b;return{send:function(c,d){var e,f=a.xhr(),g=++Xc;if(f.open(a.type,a.url,a.async,a.username,a.password),a.xhrFields)for(e in a.xhrFields)f[e]=a.xhrFields[e];a.mimeType&&f.overrideMimeType&&f.overrideMimeType(a.mimeType),a.crossDomain||c["X-Requested-With"]||(c["X-Requested-With"]="XMLHttpRequest");for(e in c)void 0!==c[e]&&f.setRequestHeader(e,c[e]+"");f.send(a.hasContent&&a.data||null),b=function(c,e){var h,i,j;if(b&&(e||4===f.readyState))if(delete Yc[g],b=void 0,f.onreadystatechange=n.noop,e)4!==f.readyState&&f.abort();else{j={},h=f.status,"string"==typeof f.responseText&&(j.text=f.responseText);try{i=f.statusText}catch(k){i=""}h||!a.isLocal||a.crossDomain?1223===h&&(h=204):h=j.text?200:404}j&&d(h,i,j,f.getAllResponseHeaders())},a.async?4===f.readyState?setTimeout(b):f.onreadystatechange=Yc[g]=b:b()},abort:function(){b&&b(void 0,!0)}}}});function $c(){try{return new a.XMLHttpRequest}catch(b){}}function _c(){try{return new a.ActiveXObject("Microsoft.XMLHTTP")}catch(b){}}n.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/(?:java|ecma)script/},converters:{"text script":function(a){return n.globalEval(a),a}}}),n.ajaxPrefilter("script",function(a){void 0===a.cache&&(a.cache=!1),a.crossDomain&&(a.type="GET",a.global=!1)}),n.ajaxTransport("script",function(a){if(a.crossDomain){var b,c=z.head||n("head")[0]||z.documentElement;return{send:function(d,e){b=z.createElement("script"),b.async=!0,a.scriptCharset&&(b.charset=a.scriptCharset),b.src=a.url,b.onload=b.onreadystatechange=function(a,c){(c||!b.readyState||/loaded|complete/.test(b.readyState))&&(b.onload=b.onreadystatechange=null,b.parentNode&&b.parentNode.removeChild(b),b=null,c||e(200,"success"))},c.insertBefore(b,c.firstChild)},abort:function(){b&&b.onload(void 0,!0)}}}});var ad=[],bd=/(=)\?(?=&|$)|\?\?/;n.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var a=ad.pop()||n.expando+"_"+wc++;return this[a]=!0,a}}),n.ajaxPrefilter("json jsonp",function(b,c,d){var e,f,g,h=b.jsonp!==!1&&(bd.test(b.url)?"url":"string"==typeof b.data&&!(b.contentType||"").indexOf("application/x-www-form-urlencoded")&&bd.test(b.data)&&"data");return h||"jsonp"===b.dataTypes[0]?(e=b.jsonpCallback=n.isFunction(b.jsonpCallback)?b.jsonpCallback():b.jsonpCallback,h?b[h]=b[h].replace(bd,"$1"+e):b.jsonp!==!1&&(b.url+=(xc.test(b.url)?"&":"?")+b.jsonp+"="+e),b.converters["script json"]=function(){return g||n.error(e+" was not called"),g[0]},b.dataTypes[0]="json",f=a[e],a[e]=function(){g=arguments},d.always(function(){a[e]=f,b[e]&&(b.jsonpCallback=c.jsonpCallback,ad.push(e)),g&&n.isFunction(f)&&f(g[0]),g=f=void 0}),"script"):void 0}),n.parseHTML=function(a,b,c){if(!a||"string"!=typeof a)return null;"boolean"==typeof b&&(c=b,b=!1),b=b||z;var d=v.exec(a),e=!c&&[];return d?[b.createElement(d[1])]:(d=n.buildFragment([a],b,e),e&&e.length&&n(e).remove(),n.merge([],d.childNodes))};var cd=n.fn.load;n.fn.load=function(a,b,c){if("string"!=typeof a&&cd)return cd.apply(this,arguments);var d,e,f,g=this,h=a.indexOf(" ");return h>=0&&(d=a.slice(h,a.length),a=a.slice(0,h)),n.isFunction(b)?(c=b,b=void 0):b&&"object"==typeof b&&(f="POST"),g.length>0&&n.ajax({url:a,type:f,dataType:"html",data:b}).done(function(a){e=arguments,g.html(d?n("<div>").append(n.parseHTML(a)).find(d):a)}).complete(c&&function(a,b){g.each(c,e||[a.responseText,b,a])}),this},n.expr.filters.animated=function(a){return n.grep(n.timers,function(b){return a===b.elem}).length};var dd=a.document.documentElement;function ed(a){return n.isWindow(a)?a:9===a.nodeType?a.defaultView||a.parentWindow:!1}n.offset={setOffset:function(a,b,c){var d,e,f,g,h,i,j,k=n.css(a,"position"),l=n(a),m={};"static"===k&&(a.style.position="relative"),h=l.offset(),f=n.css(a,"top"),i=n.css(a,"left"),j=("absolute"===k||"fixed"===k)&&n.inArray("auto",[f,i])>-1,j?(d=l.position(),g=d.top,e=d.left):(g=parseFloat(f)||0,e=parseFloat(i)||0),n.isFunction(b)&&(b=b.call(a,c,h)),null!=b.top&&(m.top=b.top-h.top+g),null!=b.left&&(m.left=b.left-h.left+e),"using"in b?b.using.call(a,m):l.css(m)}},n.fn.extend({offset:function(a){if(arguments.length)return void 0===a?this:this.each(function(b){n.offset.setOffset(this,a,b)});var b,c,d={top:0,left:0},e=this[0],f=e&&e.ownerDocument;if(f)return b=f.documentElement,n.contains(b,e)?(typeof e.getBoundingClientRect!==L&&(d=e.getBoundingClientRect()),c=ed(f),{top:d.top+(c.pageYOffset||b.scrollTop)-(b.clientTop||0),left:d.left+(c.pageXOffset||b.scrollLeft)-(b.clientLeft||0)}):d},position:function(){if(this[0]){var a,b,c={top:0,left:0},d=this[0];return"fixed"===n.css(d,"position")?b=d.getBoundingClientRect():(a=this.offsetParent(),b=this.offset(),n.nodeName(a[0],"html")||(c=a.offset()),c.top+=n.css(a[0],"borderTopWidth",!0),c.left+=n.css(a[0],"borderLeftWidth",!0)),{top:b.top-c.top-n.css(d,"marginTop",!0),left:b.left-c.left-n.css(d,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){var a=this.offsetParent||dd;while(a&&!n.nodeName(a,"html")&&"static"===n.css(a,"position"))a=a.offsetParent;return a||dd})}}),n.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(a,b){var c=/Y/.test(b);n.fn[a]=function(d){return W(this,function(a,d,e){var f=ed(a);return void 0===e?f?b in f?f[b]:f.document.documentElement[d]:a[d]:void(f?f.scrollTo(c?n(f).scrollLeft():e,c?e:n(f).scrollTop()):a[d]=e)},a,d,arguments.length,null)}}),n.each(["top","left"],function(a,b){n.cssHooks[b]=Mb(l.pixelPosition,function(a,c){return c?(c=Kb(a,b),Ib.test(c)?n(a).position()[b]+"px":c):void 0})}),n.each({Height:"height",Width:"width"},function(a,b){n.each({padding:"inner"+a,content:b,"":"outer"+a},function(c,d){n.fn[d]=function(d,e){var f=arguments.length&&(c||"boolean"!=typeof d),g=c||(d===!0||e===!0?"margin":"border");return W(this,function(b,c,d){var e;return n.isWindow(b)?b.document.documentElement["client"+a]:9===b.nodeType?(e=b.documentElement,Math.max(b.body["scroll"+a],e["scroll"+a],b.body["offset"+a],e["offset"+a],e["client"+a])):void 0===d?n.css(b,c,g):n.style(b,c,d,g)},b,f?d:void 0,f,null)}})}),n.fn.size=function(){return this.length},n.fn.andSelf=n.fn.addBack,"function"==typeof define&&define.amd&&define("jquery",[],function(){return n});var fd=a.jQuery,gd=a.$;return n.noConflict=function(b){return a.$===n&&(a.$=gd),b&&a.jQuery===n&&(a.jQuery=fd),n},typeof b===L&&(a.jQuery=a.$=n),n});
diff --git a/TESTING_WEB/js/leaflet-0.7.5/images/layers-2x.png b/TESTING_WEB/js/leaflet-0.7.5/images/layers-2x.png
new file mode 100644 (file)
index 0000000..a2cf7f9
Binary files /dev/null and b/TESTING_WEB/js/leaflet-0.7.5/images/layers-2x.png differ
diff --git a/TESTING_WEB/js/leaflet-0.7.5/images/layers.png b/TESTING_WEB/js/leaflet-0.7.5/images/layers.png
new file mode 100644 (file)
index 0000000..bca0a0e
Binary files /dev/null and b/TESTING_WEB/js/leaflet-0.7.5/images/layers.png differ
diff --git a/TESTING_WEB/js/leaflet-0.7.5/images/marker-icon-2x.png b/TESTING_WEB/js/leaflet-0.7.5/images/marker-icon-2x.png
new file mode 100644 (file)
index 0000000..0015b64
Binary files /dev/null and b/TESTING_WEB/js/leaflet-0.7.5/images/marker-icon-2x.png differ
diff --git a/TESTING_WEB/js/leaflet-0.7.5/images/marker-icon.png b/TESTING_WEB/js/leaflet-0.7.5/images/marker-icon.png
new file mode 100644 (file)
index 0000000..e2e9f75
Binary files /dev/null and b/TESTING_WEB/js/leaflet-0.7.5/images/marker-icon.png differ
diff --git a/TESTING_WEB/js/leaflet-0.7.5/images/marker-shadow.png b/TESTING_WEB/js/leaflet-0.7.5/images/marker-shadow.png
new file mode 100644 (file)
index 0000000..d1e773c
Binary files /dev/null and b/TESTING_WEB/js/leaflet-0.7.5/images/marker-shadow.png differ
diff --git a/TESTING_WEB/js/leaflet-0.7.5/leaflet-src.js b/TESTING_WEB/js/leaflet-0.7.5/leaflet-src.js
new file mode 100644 (file)
index 0000000..a6d6064
--- /dev/null
@@ -0,0 +1,9163 @@
+/*
+ Leaflet, a JavaScript library for mobile-friendly interactive maps. http://leafletjs.com
+ (c) 2010-2013, Vladimir Agafonkin
+ (c) 2010-2011, CloudMade
+*/
+(function (window, document, undefined) {\r
+var oldL = window.L,\r
+    L = {};\r
+\r
+L.version = '0.7.5';\r
+\r
+// define Leaflet for Node module pattern loaders, including Browserify\r
+if (typeof module === 'object' && typeof module.exports === 'object') {\r
+       module.exports = L;\r
+\r
+// define Leaflet as an AMD module\r
+} else if (typeof define === 'function' && define.amd) {\r
+       define(L);\r
+}\r
+\r
+// define Leaflet as a global L variable, saving the original L to restore later if needed\r
+\r
+L.noConflict = function () {\r
+       window.L = oldL;\r
+       return this;\r
+};\r
+\r
+window.L = L;\r
+
+
+/*\r
+ * L.Util contains various utility functions used throughout Leaflet code.\r
+ */\r
+\r
+L.Util = {\r
+       extend: function (dest) { // (Object[, Object, ...]) ->\r
+               var sources = Array.prototype.slice.call(arguments, 1),\r
+                   i, j, len, src;\r
+\r
+               for (j = 0, len = sources.length; j < len; j++) {\r
+                       src = sources[j] || {};\r
+                       for (i in src) {\r
+                               if (src.hasOwnProperty(i)) {\r
+                                       dest[i] = src[i];\r
+                               }\r
+                       }\r
+               }\r
+               return dest;\r
+       },\r
+\r
+       bind: function (fn, obj) { // (Function, Object) -> Function\r
+               var args = arguments.length > 2 ? Array.prototype.slice.call(arguments, 2) : null;\r
+               return function () {\r
+                       return fn.apply(obj, args || arguments);\r
+               };\r
+       },\r
+\r
+       stamp: (function () {\r
+               var lastId = 0,\r
+                   key = '_leaflet_id';\r
+               return function (obj) {\r
+                       obj[key] = obj[key] || ++lastId;\r
+                       return obj[key];\r
+               };\r
+       }()),\r
+\r
+       invokeEach: function (obj, method, context) {\r
+               var i, args;\r
+\r
+               if (typeof obj === 'object') {\r
+                       args = Array.prototype.slice.call(arguments, 3);\r
+\r
+                       for (i in obj) {\r
+                               method.apply(context, [i, obj[i]].concat(args));\r
+                       }\r
+                       return true;\r
+               }\r
+\r
+               return false;\r
+       },\r
+\r
+       limitExecByInterval: function (fn, time, context) {\r
+               var lock, execOnUnlock;\r
+\r
+               return function wrapperFn() {\r
+                       var args = arguments;\r
+\r
+                       if (lock) {\r
+                               execOnUnlock = true;\r
+                               return;\r
+                       }\r
+\r
+                       lock = true;\r
+\r
+                       setTimeout(function () {\r
+                               lock = false;\r
+\r
+                               if (execOnUnlock) {\r
+                                       wrapperFn.apply(context, args);\r
+                                       execOnUnlock = false;\r
+                               }\r
+                       }, time);\r
+\r
+                       fn.apply(context, args);\r
+               };\r
+       },\r
+\r
+       falseFn: function () {\r
+               return false;\r
+       },\r
+\r
+       formatNum: function (num, digits) {\r
+               var pow = Math.pow(10, digits || 5);\r
+               return Math.round(num * pow) / pow;\r
+       },\r
+\r
+       trim: function (str) {\r
+               return str.trim ? str.trim() : str.replace(/^\s+|\s+$/g, '');\r
+       },\r
+\r
+       splitWords: function (str) {\r
+               return L.Util.trim(str).split(/\s+/);\r
+       },\r
+\r
+       setOptions: function (obj, options) {\r
+               obj.options = L.extend({}, obj.options, options);\r
+               return obj.options;\r
+       },\r
+\r
+       getParamString: function (obj, existingUrl, uppercase) {\r
+               var params = [];\r
+               for (var i in obj) {\r
+                       params.push(encodeURIComponent(uppercase ? i.toUpperCase() : i) + '=' + encodeURIComponent(obj[i]));\r
+               }\r
+               return ((!existingUrl || existingUrl.indexOf('?') === -1) ? '?' : '&') + params.join('&');\r
+       },\r
+       template: function (str, data) {\r
+               return str.replace(/\{ *([\w_]+) *\}/g, function (str, key) {\r
+                       var value = data[key];\r
+                       if (value === undefined) {\r
+                               throw new Error('No value provided for variable ' + str);\r
+                       } else if (typeof value === 'function') {\r
+                               value = value(data);\r
+                       }\r
+                       return value;\r
+               });\r
+       },\r
+\r
+       isArray: Array.isArray || function (obj) {\r
+               return (Object.prototype.toString.call(obj) === '[object Array]');\r
+       },\r
+\r
+       emptyImageUrl: 'data:image/gif;base64,R0lGODlhAQABAAD/ACwAAAAAAQABAAACADs='\r
+};\r
+\r
+(function () {\r
+\r
+       // inspired by http://paulirish.com/2011/requestanimationframe-for-smart-animating/\r
+\r
+       function getPrefixed(name) {\r
+               var i, fn,\r
+                   prefixes = ['webkit', 'moz', 'o', 'ms'];\r
+\r
+               for (i = 0; i < prefixes.length && !fn; i++) {\r
+                       fn = window[prefixes[i] + name];\r
+               }\r
+\r
+               return fn;\r
+       }\r
+\r
+       var lastTime = 0;\r
+\r
+       function timeoutDefer(fn) {\r
+               var time = +new Date(),\r
+                   timeToCall = Math.max(0, 16 - (time - lastTime));\r
+\r
+               lastTime = time + timeToCall;\r
+               return window.setTimeout(fn, timeToCall);\r
+       }\r
+\r
+       var requestFn = window.requestAnimationFrame ||\r
+               getPrefixed('RequestAnimationFrame') || timeoutDefer;\r
+\r
+       var cancelFn = window.cancelAnimationFrame ||\r
+               getPrefixed('CancelAnimationFrame') ||\r
+               getPrefixed('CancelRequestAnimationFrame') ||\r
+               function (id) { window.clearTimeout(id); };\r
+\r
+\r
+       L.Util.requestAnimFrame = function (fn, context, immediate, element) {\r
+               fn = L.bind(fn, context);\r
+\r
+               if (immediate && requestFn === timeoutDefer) {\r
+                       fn();\r
+               } else {\r
+                       return requestFn.call(window, fn, element);\r
+               }\r
+       };\r
+\r
+       L.Util.cancelAnimFrame = function (id) {\r
+               if (id) {\r
+                       cancelFn.call(window, id);\r
+               }\r
+       };\r
+\r
+}());\r
+\r
+// shortcuts for most used utility functions\r
+L.extend = L.Util.extend;\r
+L.bind = L.Util.bind;\r
+L.stamp = L.Util.stamp;\r
+L.setOptions = L.Util.setOptions;\r
+
+
+/*\r
+ * L.Class powers the OOP facilities of the library.\r
+ * Thanks to John Resig and Dean Edwards for inspiration!\r
+ */\r
+\r
+L.Class = function () {};\r
+\r
+L.Class.extend = function (props) {\r
+\r
+       // extended class with the new prototype\r
+       var NewClass = function () {\r
+\r
+               // call the constructor\r
+               if (this.initialize) {\r
+                       this.initialize.apply(this, arguments);\r
+               }\r
+\r
+               // call all constructor hooks\r
+               if (this._initHooks) {\r
+                       this.callInitHooks();\r
+               }\r
+       };\r
+\r
+       // instantiate class without calling constructor\r
+       var F = function () {};\r
+       F.prototype = this.prototype;\r
+\r
+       var proto = new F();\r
+       proto.constructor = NewClass;\r
+\r
+       NewClass.prototype = proto;\r
+\r
+       //inherit parent's statics\r
+       for (var i in this) {\r
+               if (this.hasOwnProperty(i) && i !== 'prototype') {\r
+                       NewClass[i] = this[i];\r
+               }\r
+       }\r
+\r
+       // mix static properties into the class\r
+       if (props.statics) {\r
+               L.extend(NewClass, props.statics);\r
+               delete props.statics;\r
+       }\r
+\r
+       // mix includes into the prototype\r
+       if (props.includes) {\r
+               L.Util.extend.apply(null, [proto].concat(props.includes));\r
+               delete props.includes;\r
+       }\r
+\r
+       // merge options\r
+       if (props.options && proto.options) {\r
+               props.options = L.extend({}, proto.options, props.options);\r
+       }\r
+\r
+       // mix given properties into the prototype\r
+       L.extend(proto, props);\r
+\r
+       proto._initHooks = [];\r
+\r
+       var parent = this;\r
+       // jshint camelcase: false\r
+       NewClass.__super__ = parent.prototype;\r
+\r
+       // add method for calling all hooks\r
+       proto.callInitHooks = function () {\r
+\r
+               if (this._initHooksCalled) { return; }\r
+\r
+               if (parent.prototype.callInitHooks) {\r
+                       parent.prototype.callInitHooks.call(this);\r
+               }\r
+\r
+               this._initHooksCalled = true;\r
+\r
+               for (var i = 0, len = proto._initHooks.length; i < len; i++) {\r
+                       proto._initHooks[i].call(this);\r
+               }\r
+       };\r
+\r
+       return NewClass;\r
+};\r
+\r
+\r
+// method for adding properties to prototype\r
+L.Class.include = function (props) {\r
+       L.extend(this.prototype, props);\r
+};\r
+\r
+// merge new default options to the Class\r
+L.Class.mergeOptions = function (options) {\r
+       L.extend(this.prototype.options, options);\r
+};\r
+\r
+// add a constructor hook\r
+L.Class.addInitHook = function (fn) { // (Function) || (String, args...)\r
+       var args = Array.prototype.slice.call(arguments, 1);\r
+\r
+       var init = typeof fn === 'function' ? fn : function () {\r
+               this[fn].apply(this, args);\r
+       };\r
+\r
+       this.prototype._initHooks = this.prototype._initHooks || [];\r
+       this.prototype._initHooks.push(init);\r
+};\r
+
+
+/*\r
+ * L.Mixin.Events is used to add custom events functionality to Leaflet classes.\r
+ */\r
+\r
+var eventsKey = '_leaflet_events';\r
+\r
+L.Mixin = {};\r
+\r
+L.Mixin.Events = {\r
+\r
+       addEventListener: function (types, fn, context) { // (String, Function[, Object]) or (Object[, Object])\r
+\r
+               // types can be a map of types/handlers\r
+               if (L.Util.invokeEach(types, this.addEventListener, this, fn, context)) { return this; }\r
+\r
+               var events = this[eventsKey] = this[eventsKey] || {},\r
+                   contextId = context && context !== this && L.stamp(context),\r
+                   i, len, event, type, indexKey, indexLenKey, typeIndex;\r
+\r
+               // types can be a string of space-separated words\r
+               types = L.Util.splitWords(types);\r
+\r
+               for (i = 0, len = types.length; i < len; i++) {\r
+                       event = {\r
+                               action: fn,\r
+                               context: context || this\r
+                       };\r
+                       type = types[i];\r
+\r
+                       if (contextId) {\r
+                               // store listeners of a particular context in a separate hash (if it has an id)\r
+                               // gives a major performance boost when removing thousands of map layers\r
+\r
+                               indexKey = type + '_idx';\r
+                               indexLenKey = indexKey + '_len';\r
+\r
+                               typeIndex = events[indexKey] = events[indexKey] || {};\r
+\r
+                               if (!typeIndex[contextId]) {\r
+                                       typeIndex[contextId] = [];\r
+\r
+                                       // keep track of the number of keys in the index to quickly check if it's empty\r
+                                       events[indexLenKey] = (events[indexLenKey] || 0) + 1;\r
+                               }\r
+\r
+                               typeIndex[contextId].push(event);\r
+\r
+\r
+                       } else {\r
+                               events[type] = events[type] || [];\r
+                               events[type].push(event);\r
+                       }\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       hasEventListeners: function (type) { // (String) -> Boolean\r
+               var events = this[eventsKey];\r
+               return !!events && ((type in events && events[type].length > 0) ||\r
+                                   (type + '_idx' in events && events[type + '_idx_len'] > 0));\r
+       },\r
+\r
+       removeEventListener: function (types, fn, context) { // ([String, Function, Object]) or (Object[, Object])\r
+\r
+               if (!this[eventsKey]) {\r
+                       return this;\r
+               }\r
+\r
+               if (!types) {\r
+                       return this.clearAllEventListeners();\r
+               }\r
+\r
+               if (L.Util.invokeEach(types, this.removeEventListener, this, fn, context)) { return this; }\r
+\r
+               var events = this[eventsKey],\r
+                   contextId = context && context !== this && L.stamp(context),\r
+                   i, len, type, listeners, j, indexKey, indexLenKey, typeIndex, removed;\r
+\r
+               types = L.Util.splitWords(types);\r
+\r
+               for (i = 0, len = types.length; i < len; i++) {\r
+                       type = types[i];\r
+                       indexKey = type + '_idx';\r
+                       indexLenKey = indexKey + '_len';\r
+\r
+                       typeIndex = events[indexKey];\r
+\r
+                       if (!fn) {\r
+                               // clear all listeners for a type if function isn't specified\r
+                               delete events[type];\r
+                               delete events[indexKey];\r
+                               delete events[indexLenKey];\r
+\r
+                       } else {\r
+                               listeners = contextId && typeIndex ? typeIndex[contextId] : events[type];\r
+\r
+                               if (listeners) {\r
+                                       for (j = listeners.length - 1; j >= 0; j--) {\r
+                                               if ((listeners[j].action === fn) && (!context || (listeners[j].context === context))) {\r
+                                                       removed = listeners.splice(j, 1);\r
+                                                       // set the old action to a no-op, because it is possible\r
+                                                       // that the listener is being iterated over as part of a dispatch\r
+                                                       removed[0].action = L.Util.falseFn;\r
+                                               }\r
+                                       }\r
+\r
+                                       if (context && typeIndex && (listeners.length === 0)) {\r
+                                               delete typeIndex[contextId];\r
+                                               events[indexLenKey]--;\r
+                                       }\r
+                               }\r
+                       }\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       clearAllEventListeners: function () {\r
+               delete this[eventsKey];\r
+               return this;\r
+       },\r
+\r
+       fireEvent: function (type, data) { // (String[, Object])\r
+               if (!this.hasEventListeners(type)) {\r
+                       return this;\r
+               }\r
+\r
+               var event = L.Util.extend({}, data, { type: type, target: this });\r
+\r
+               var events = this[eventsKey],\r
+                   listeners, i, len, typeIndex, contextId;\r
+\r
+               if (events[type]) {\r
+                       // make sure adding/removing listeners inside other listeners won't cause infinite loop\r
+                       listeners = events[type].slice();\r
+\r
+                       for (i = 0, len = listeners.length; i < len; i++) {\r
+                               listeners[i].action.call(listeners[i].context, event);\r
+                       }\r
+               }\r
+\r
+               // fire event for the context-indexed listeners as well\r
+               typeIndex = events[type + '_idx'];\r
+\r
+               for (contextId in typeIndex) {\r
+                       listeners = typeIndex[contextId].slice();\r
+\r
+                       if (listeners) {\r
+                               for (i = 0, len = listeners.length; i < len; i++) {\r
+                                       listeners[i].action.call(listeners[i].context, event);\r
+                               }\r
+                       }\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       addOneTimeEventListener: function (types, fn, context) {\r
+\r
+               if (L.Util.invokeEach(types, this.addOneTimeEventListener, this, fn, context)) { return this; }\r
+\r
+               var handler = L.bind(function () {\r
+                       this\r
+                           .removeEventListener(types, fn, context)\r
+                           .removeEventListener(types, handler, context);\r
+               }, this);\r
+\r
+               return this\r
+                   .addEventListener(types, fn, context)\r
+                   .addEventListener(types, handler, context);\r
+       }\r
+};\r
+\r
+L.Mixin.Events.on = L.Mixin.Events.addEventListener;\r
+L.Mixin.Events.off = L.Mixin.Events.removeEventListener;\r
+L.Mixin.Events.once = L.Mixin.Events.addOneTimeEventListener;\r
+L.Mixin.Events.fire = L.Mixin.Events.fireEvent;\r
+
+
+/*\r
+ * L.Browser handles different browser and feature detections for internal Leaflet use.\r
+ */\r
+\r
+(function () {\r
+\r
+       var ie = 'ActiveXObject' in window,\r
+               ielt9 = ie && !document.addEventListener,\r
+\r
+           // terrible browser detection to work around Safari / iOS / Android browser bugs\r
+           ua = navigator.userAgent.toLowerCase(),\r
+           webkit = ua.indexOf('webkit') !== -1,\r
+           chrome = ua.indexOf('chrome') !== -1,\r
+           phantomjs = ua.indexOf('phantom') !== -1,\r
+           android = ua.indexOf('android') !== -1,\r
+           android23 = ua.search('android [23]') !== -1,\r
+               gecko = ua.indexOf('gecko') !== -1,\r
+\r
+           mobile = typeof orientation !== undefined + '',\r
+           msPointer = !window.PointerEvent && window.MSPointerEvent,\r
+               pointer = (window.PointerEvent && window.navigator.pointerEnabled && window.navigator.maxTouchPoints) ||\r
+                                 msPointer,\r
+           retina = ('devicePixelRatio' in window && window.devicePixelRatio > 1) ||\r
+                    ('matchMedia' in window && window.matchMedia('(min-resolution:144dpi)') &&\r
+                     window.matchMedia('(min-resolution:144dpi)').matches),\r
+\r
+           doc = document.documentElement,\r
+           ie3d = ie && ('transition' in doc.style),\r
+           webkit3d = ('WebKitCSSMatrix' in window) && ('m11' in new window.WebKitCSSMatrix()) && !android23,\r
+           gecko3d = 'MozPerspective' in doc.style,\r
+           opera3d = 'OTransition' in doc.style,\r
+           any3d = !window.L_DISABLE_3D && (ie3d || webkit3d || gecko3d || opera3d) && !phantomjs;\r
+\r
+       var touch = !window.L_NO_TOUCH && !phantomjs && (pointer || 'ontouchstart' in window ||\r
+               (window.DocumentTouch && document instanceof window.DocumentTouch));\r
+\r
+       L.Browser = {\r
+               ie: ie,\r
+               ielt9: ielt9,\r
+               webkit: webkit,\r
+               gecko: gecko && !webkit && !window.opera && !ie,\r
+\r
+               android: android,\r
+               android23: android23,\r
+\r
+               chrome: chrome,\r
+\r
+               ie3d: ie3d,\r
+               webkit3d: webkit3d,\r
+               gecko3d: gecko3d,\r
+               opera3d: opera3d,\r
+               any3d: any3d,\r
+\r
+               mobile: mobile,\r
+               mobileWebkit: mobile && webkit,\r
+               mobileWebkit3d: mobile && webkit3d,\r
+               mobileOpera: mobile && window.opera,\r
+\r
+               touch: touch,\r
+               msPointer: msPointer,\r
+               pointer: pointer,\r
+\r
+               retina: retina\r
+       };\r
+\r
+}());\r
+
+
+/*\r
+ * L.Point represents a point with x and y coordinates.\r
+ */\r
+\r
+L.Point = function (/*Number*/ x, /*Number*/ y, /*Boolean*/ round) {\r
+       this.x = (round ? Math.round(x) : x);\r
+       this.y = (round ? Math.round(y) : y);\r
+};\r
+\r
+L.Point.prototype = {\r
+\r
+       clone: function () {\r
+               return new L.Point(this.x, this.y);\r
+       },\r
+\r
+       // non-destructive, returns a new point\r
+       add: function (point) {\r
+               return this.clone()._add(L.point(point));\r
+       },\r
+\r
+       // destructive, used directly for performance in situations where it's safe to modify existing point\r
+       _add: function (point) {\r
+               this.x += point.x;\r
+               this.y += point.y;\r
+               return this;\r
+       },\r
+\r
+       subtract: function (point) {\r
+               return this.clone()._subtract(L.point(point));\r
+       },\r
+\r
+       _subtract: function (point) {\r
+               this.x -= point.x;\r
+               this.y -= point.y;\r
+               return this;\r
+       },\r
+\r
+       divideBy: function (num) {\r
+               return this.clone()._divideBy(num);\r
+       },\r
+\r
+       _divideBy: function (num) {\r
+               this.x /= num;\r
+               this.y /= num;\r
+               return this;\r
+       },\r
+\r
+       multiplyBy: function (num) {\r
+               return this.clone()._multiplyBy(num);\r
+       },\r
+\r
+       _multiplyBy: function (num) {\r
+               this.x *= num;\r
+               this.y *= num;\r
+               return this;\r
+       },\r
+\r
+       round: function () {\r
+               return this.clone()._round();\r
+       },\r
+\r
+       _round: function () {\r
+               this.x = Math.round(this.x);\r
+               this.y = Math.round(this.y);\r
+               return this;\r
+       },\r
+\r
+       floor: function () {\r
+               return this.clone()._floor();\r
+       },\r
+\r
+       _floor: function () {\r
+               this.x = Math.floor(this.x);\r
+               this.y = Math.floor(this.y);\r
+               return this;\r
+       },\r
+\r
+       distanceTo: function (point) {\r
+               point = L.point(point);\r
+\r
+               var x = point.x - this.x,\r
+                   y = point.y - this.y;\r
+\r
+               return Math.sqrt(x * x + y * y);\r
+       },\r
+\r
+       equals: function (point) {\r
+               point = L.point(point);\r
+\r
+               return point.x === this.x &&\r
+                      point.y === this.y;\r
+       },\r
+\r
+       contains: function (point) {\r
+               point = L.point(point);\r
+\r
+               return Math.abs(point.x) <= Math.abs(this.x) &&\r
+                      Math.abs(point.y) <= Math.abs(this.y);\r
+       },\r
+\r
+       toString: function () {\r
+               return 'Point(' +\r
+                       L.Util.formatNum(this.x) + ', ' +\r
+                       L.Util.formatNum(this.y) + ')';\r
+       }\r
+};\r
+\r
+L.point = function (x, y, round) {\r
+       if (x instanceof L.Point) {\r
+               return x;\r
+       }\r
+       if (L.Util.isArray(x)) {\r
+               return new L.Point(x[0], x[1]);\r
+       }\r
+       if (x === undefined || x === null) {\r
+               return x;\r
+       }\r
+       return new L.Point(x, y, round);\r
+};\r
+
+
+/*\r
+ * L.Bounds represents a rectangular area on the screen in pixel coordinates.\r
+ */\r
+\r
+L.Bounds = function (a, b) { //(Point, Point) or Point[]\r
+       if (!a) { return; }\r
+\r
+       var points = b ? [a, b] : a;\r
+\r
+       for (var i = 0, len = points.length; i < len; i++) {\r
+               this.extend(points[i]);\r
+       }\r
+};\r
+\r
+L.Bounds.prototype = {\r
+       // extend the bounds to contain the given point\r
+       extend: function (point) { // (Point)\r
+               point = L.point(point);\r
+\r
+               if (!this.min && !this.max) {\r
+                       this.min = point.clone();\r
+                       this.max = point.clone();\r
+               } else {\r
+                       this.min.x = Math.min(point.x, this.min.x);\r
+                       this.max.x = Math.max(point.x, this.max.x);\r
+                       this.min.y = Math.min(point.y, this.min.y);\r
+                       this.max.y = Math.max(point.y, this.max.y);\r
+               }\r
+               return this;\r
+       },\r
+\r
+       getCenter: function (round) { // (Boolean) -> Point\r
+               return new L.Point(\r
+                       (this.min.x + this.max.x) / 2,\r
+                       (this.min.y + this.max.y) / 2, round);\r
+       },\r
+\r
+       getBottomLeft: function () { // -> Point\r
+               return new L.Point(this.min.x, this.max.y);\r
+       },\r
+\r
+       getTopRight: function () { // -> Point\r
+               return new L.Point(this.max.x, this.min.y);\r
+       },\r
+\r
+       getSize: function () {\r
+               return this.max.subtract(this.min);\r
+       },\r
+\r
+       contains: function (obj) { // (Bounds) or (Point) -> Boolean\r
+               var min, max;\r
+\r
+               if (typeof obj[0] === 'number' || obj instanceof L.Point) {\r
+                       obj = L.point(obj);\r
+               } else {\r
+                       obj = L.bounds(obj);\r
+               }\r
+\r
+               if (obj instanceof L.Bounds) {\r
+                       min = obj.min;\r
+                       max = obj.max;\r
+               } else {\r
+                       min = max = obj;\r
+               }\r
+\r
+               return (min.x >= this.min.x) &&\r
+                      (max.x <= this.max.x) &&\r
+                      (min.y >= this.min.y) &&\r
+                      (max.y <= this.max.y);\r
+       },\r
+\r
+       intersects: function (bounds) { // (Bounds) -> Boolean\r
+               bounds = L.bounds(bounds);\r
+\r
+               var min = this.min,\r
+                   max = this.max,\r
+                   min2 = bounds.min,\r
+                   max2 = bounds.max,\r
+                   xIntersects = (max2.x >= min.x) && (min2.x <= max.x),\r
+                   yIntersects = (max2.y >= min.y) && (min2.y <= max.y);\r
+\r
+               return xIntersects && yIntersects;\r
+       },\r
+\r
+       isValid: function () {\r
+               return !!(this.min && this.max);\r
+       }\r
+};\r
+\r
+L.bounds = function (a, b) { // (Bounds) or (Point, Point) or (Point[])\r
+       if (!a || a instanceof L.Bounds) {\r
+               return a;\r
+       }\r
+       return new L.Bounds(a, b);\r
+};\r
+
+
+/*\r
+ * L.Transformation is an utility class to perform simple point transformations through a 2d-matrix.\r
+ */\r
+\r
+L.Transformation = function (a, b, c, d) {\r
+       this._a = a;\r
+       this._b = b;\r
+       this._c = c;\r
+       this._d = d;\r
+};\r
+\r
+L.Transformation.prototype = {\r
+       transform: function (point, scale) { // (Point, Number) -> Point\r
+               return this._transform(point.clone(), scale);\r
+       },\r
+\r
+       // destructive transform (faster)\r
+       _transform: function (point, scale) {\r
+               scale = scale || 1;\r
+               point.x = scale * (this._a * point.x + this._b);\r
+               point.y = scale * (this._c * point.y + this._d);\r
+               return point;\r
+       },\r
+\r
+       untransform: function (point, scale) {\r
+               scale = scale || 1;\r
+               return new L.Point(\r
+                       (point.x / scale - this._b) / this._a,\r
+                       (point.y / scale - this._d) / this._c);\r
+       }\r
+};\r
+
+
+/*\r
+ * L.DomUtil contains various utility functions for working with DOM.\r
+ */\r
+\r
+L.DomUtil = {\r
+       get: function (id) {\r
+               return (typeof id === 'string' ? document.getElementById(id) : id);\r
+       },\r
+\r
+       getStyle: function (el, style) {\r
+\r
+               var value = el.style[style];\r
+\r
+               if (!value && el.currentStyle) {\r
+                       value = el.currentStyle[style];\r
+               }\r
+\r
+               if ((!value || value === 'auto') && document.defaultView) {\r
+                       var css = document.defaultView.getComputedStyle(el, null);\r
+                       value = css ? css[style] : null;\r
+               }\r
+\r
+               return value === 'auto' ? null : value;\r
+       },\r
+\r
+       getViewportOffset: function (element) {\r
+\r
+               var top = 0,\r
+                   left = 0,\r
+                   el = element,\r
+                   docBody = document.body,\r
+                   docEl = document.documentElement,\r
+                   pos;\r
+\r
+               do {\r
+                       top  += el.offsetTop  || 0;\r
+                       left += el.offsetLeft || 0;\r
+\r
+                       //add borders\r
+                       top += parseInt(L.DomUtil.getStyle(el, 'borderTopWidth'), 10) || 0;\r
+                       left += parseInt(L.DomUtil.getStyle(el, 'borderLeftWidth'), 10) || 0;\r
+\r
+                       pos = L.DomUtil.getStyle(el, 'position');\r
+\r
+                       if (el.offsetParent === docBody && pos === 'absolute') { break; }\r
+\r
+                       if (pos === 'fixed') {\r
+                               top  += docBody.scrollTop  || docEl.scrollTop  || 0;\r
+                               left += docBody.scrollLeft || docEl.scrollLeft || 0;\r
+                               break;\r
+                       }\r
+\r
+                       if (pos === 'relative' && !el.offsetLeft) {\r
+                               var width = L.DomUtil.getStyle(el, 'width'),\r
+                                   maxWidth = L.DomUtil.getStyle(el, 'max-width'),\r
+                                   r = el.getBoundingClientRect();\r
+\r
+                               if (width !== 'none' || maxWidth !== 'none') {\r
+                                       left += r.left + el.clientLeft;\r
+                               }\r
+\r
+                               //calculate full y offset since we're breaking out of the loop\r
+                               top += r.top + (docBody.scrollTop  || docEl.scrollTop  || 0);\r
+\r
+                               break;\r
+                       }\r
+\r
+                       el = el.offsetParent;\r
+\r
+               } while (el);\r
+\r
+               el = element;\r
+\r
+               do {\r
+                       if (el === docBody) { break; }\r
+\r
+                       top  -= el.scrollTop  || 0;\r
+                       left -= el.scrollLeft || 0;\r
+\r
+                       el = el.parentNode;\r
+               } while (el);\r
+\r
+               return new L.Point(left, top);\r
+       },\r
+\r
+       documentIsLtr: function () {\r
+               if (!L.DomUtil._docIsLtrCached) {\r
+                       L.DomUtil._docIsLtrCached = true;\r
+                       L.DomUtil._docIsLtr = L.DomUtil.getStyle(document.body, 'direction') === 'ltr';\r
+               }\r
+               return L.DomUtil._docIsLtr;\r
+       },\r
+\r
+       create: function (tagName, className, container) {\r
+\r
+               var el = document.createElement(tagName);\r
+               el.className = className;\r
+\r
+               if (container) {\r
+                       container.appendChild(el);\r
+               }\r
+\r
+               return el;\r
+       },\r
+\r
+       hasClass: function (el, name) {\r
+               if (el.classList !== undefined) {\r
+                       return el.classList.contains(name);\r
+               }\r
+               var className = L.DomUtil._getClass(el);\r
+               return className.length > 0 && new RegExp('(^|\\s)' + name + '(\\s|$)').test(className);\r
+       },\r
+\r
+       addClass: function (el, name) {\r
+               if (el.classList !== undefined) {\r
+                       var classes = L.Util.splitWords(name);\r
+                       for (var i = 0, len = classes.length; i < len; i++) {\r
+                               el.classList.add(classes[i]);\r
+                       }\r
+               } else if (!L.DomUtil.hasClass(el, name)) {\r
+                       var className = L.DomUtil._getClass(el);\r
+                       L.DomUtil._setClass(el, (className ? className + ' ' : '') + name);\r
+               }\r
+       },\r
+\r
+       removeClass: function (el, name) {\r
+               if (el.classList !== undefined) {\r
+                       el.classList.remove(name);\r
+               } else {\r
+                       L.DomUtil._setClass(el, L.Util.trim((' ' + L.DomUtil._getClass(el) + ' ').replace(' ' + name + ' ', ' ')));\r
+               }\r
+       },\r
+\r
+       _setClass: function (el, name) {\r
+               if (el.className.baseVal === undefined) {\r
+                       el.className = name;\r
+               } else {\r
+                       // in case of SVG element\r
+                       el.className.baseVal = name;\r
+               }\r
+       },\r
+\r
+       _getClass: function (el) {\r
+               return el.className.baseVal === undefined ? el.className : el.className.baseVal;\r
+       },\r
+\r
+       setOpacity: function (el, value) {\r
+\r
+               if ('opacity' in el.style) {\r
+                       el.style.opacity = value;\r
+\r
+               } else if ('filter' in el.style) {\r
+\r
+                       var filter = false,\r
+                           filterName = 'DXImageTransform.Microsoft.Alpha';\r
+\r
+                       // filters collection throws an error if we try to retrieve a filter that doesn't exist\r
+                       try {\r
+                               filter = el.filters.item(filterName);\r
+                       } catch (e) {\r
+                               // don't set opacity to 1 if we haven't already set an opacity,\r
+                               // it isn't needed and breaks transparent pngs.\r
+                               if (value === 1) { return; }\r
+                       }\r
+\r
+                       value = Math.round(value * 100);\r
+\r
+                       if (filter) {\r
+                               filter.Enabled = (value !== 100);\r
+                               filter.Opacity = value;\r
+                       } else {\r
+                               el.style.filter += ' progid:' + filterName + '(opacity=' + value + ')';\r
+                       }\r
+               }\r
+       },\r
+\r
+       testProp: function (props) {\r
+\r
+               var style = document.documentElement.style;\r
+\r
+               for (var i = 0; i < props.length; i++) {\r
+                       if (props[i] in style) {\r
+                               return props[i];\r
+                       }\r
+               }\r
+               return false;\r
+       },\r
+\r
+       getTranslateString: function (point) {\r
+               // on WebKit browsers (Chrome/Safari/iOS Safari/Android) using translate3d instead of translate\r
+               // makes animation smoother as it ensures HW accel is used. Firefox 13 doesn't care\r
+               // (same speed either way), Opera 12 doesn't support translate3d\r
+\r
+               var is3d = L.Browser.webkit3d,\r
+                   open = 'translate' + (is3d ? '3d' : '') + '(',\r
+                   close = (is3d ? ',0' : '') + ')';\r
+\r
+               return open + point.x + 'px,' + point.y + 'px' + close;\r
+       },\r
+\r
+       getScaleString: function (scale, origin) {\r
+\r
+               var preTranslateStr = L.DomUtil.getTranslateString(origin.add(origin.multiplyBy(-1 * scale))),\r
+                   scaleStr = ' scale(' + scale + ') ';\r
+\r
+               return preTranslateStr + scaleStr;\r
+       },\r
+\r
+       setPosition: function (el, point, disable3D) { // (HTMLElement, Point[, Boolean])\r
+\r
+               // jshint camelcase: false\r
+               el._leaflet_pos = point;\r
+\r
+               if (!disable3D && L.Browser.any3d) {\r
+                       el.style[L.DomUtil.TRANSFORM] =  L.DomUtil.getTranslateString(point);\r
+               } else {\r
+                       el.style.left = point.x + 'px';\r
+                       el.style.top = point.y + 'px';\r
+               }\r
+       },\r
+\r
+       getPosition: function (el) {\r
+               // this method is only used for elements previously positioned using setPosition,\r
+               // so it's safe to cache the position for performance\r
+\r
+               // jshint camelcase: false\r
+               return el._leaflet_pos;\r
+       }\r
+};\r
+\r
+\r
+// prefix style property names\r
+\r
+L.DomUtil.TRANSFORM = L.DomUtil.testProp(\r
+        ['transform', 'WebkitTransform', 'OTransform', 'MozTransform', 'msTransform']);\r
+\r
+// webkitTransition comes first because some browser versions that drop vendor prefix don't do\r
+// the same for the transitionend event, in particular the Android 4.1 stock browser\r
+\r
+L.DomUtil.TRANSITION = L.DomUtil.testProp(\r
+        ['webkitTransition', 'transition', 'OTransition', 'MozTransition', 'msTransition']);\r
+\r
+L.DomUtil.TRANSITION_END =\r
+        L.DomUtil.TRANSITION === 'webkitTransition' || L.DomUtil.TRANSITION === 'OTransition' ?\r
+        L.DomUtil.TRANSITION + 'End' : 'transitionend';\r
+\r
+(function () {\r
+    if ('onselectstart' in document) {\r
+        L.extend(L.DomUtil, {\r
+            disableTextSelection: function () {\r
+                L.DomEvent.on(window, 'selectstart', L.DomEvent.preventDefault);\r
+            },\r
+\r
+            enableTextSelection: function () {\r
+                L.DomEvent.off(window, 'selectstart', L.DomEvent.preventDefault);\r
+            }\r
+        });\r
+    } else {\r
+        var userSelectProperty = L.DomUtil.testProp(\r
+            ['userSelect', 'WebkitUserSelect', 'OUserSelect', 'MozUserSelect', 'msUserSelect']);\r
+\r
+        L.extend(L.DomUtil, {\r
+            disableTextSelection: function () {\r
+                if (userSelectProperty) {\r
+                    var style = document.documentElement.style;\r
+                    this._userSelect = style[userSelectProperty];\r
+                    style[userSelectProperty] = 'none';\r
+                }\r
+            },\r
+\r
+            enableTextSelection: function () {\r
+                if (userSelectProperty) {\r
+                    document.documentElement.style[userSelectProperty] = this._userSelect;\r
+                    delete this._userSelect;\r
+                }\r
+            }\r
+        });\r
+    }\r
+\r
+       L.extend(L.DomUtil, {\r
+               disableImageDrag: function () {\r
+                       L.DomEvent.on(window, 'dragstart', L.DomEvent.preventDefault);\r
+               },\r
+\r
+               enableImageDrag: function () {\r
+                       L.DomEvent.off(window, 'dragstart', L.DomEvent.preventDefault);\r
+               }\r
+       });\r
+})();\r
+
+
+/*\r
+ * L.LatLng represents a geographical point with latitude and longitude coordinates.\r
+ */\r
+\r
+L.LatLng = function (lat, lng, alt) { // (Number, Number, Number)\r
+       lat = parseFloat(lat);\r
+       lng = parseFloat(lng);\r
+\r
+       if (isNaN(lat) || isNaN(lng)) {\r
+               throw new Error('Invalid LatLng object: (' + lat + ', ' + lng + ')');\r
+       }\r
+\r
+       this.lat = lat;\r
+       this.lng = lng;\r
+\r
+       if (alt !== undefined) {\r
+               this.alt = parseFloat(alt);\r
+       }\r
+};\r
+\r
+L.extend(L.LatLng, {\r
+       DEG_TO_RAD: Math.PI / 180,\r
+       RAD_TO_DEG: 180 / Math.PI,\r
+       MAX_MARGIN: 1.0E-9 // max margin of error for the "equals" check\r
+});\r
+\r
+L.LatLng.prototype = {\r
+       equals: function (obj) { // (LatLng) -> Boolean\r
+               if (!obj) { return false; }\r
+\r
+               obj = L.latLng(obj);\r
+\r
+               var margin = Math.max(\r
+                       Math.abs(this.lat - obj.lat),\r
+                       Math.abs(this.lng - obj.lng));\r
+\r
+               return margin <= L.LatLng.MAX_MARGIN;\r
+       },\r
+\r
+       toString: function (precision) { // (Number) -> String\r
+               return 'LatLng(' +\r
+                       L.Util.formatNum(this.lat, precision) + ', ' +\r
+                       L.Util.formatNum(this.lng, precision) + ')';\r
+       },\r
+\r
+       // Haversine distance formula, see http://en.wikipedia.org/wiki/Haversine_formula\r
+       // TODO move to projection code, LatLng shouldn't know about Earth\r
+       distanceTo: function (other) { // (LatLng) -> Number\r
+               other = L.latLng(other);\r
+\r
+               var R = 6378137, // earth radius in meters\r
+                   d2r = L.LatLng.DEG_TO_RAD,\r
+                   dLat = (other.lat - this.lat) * d2r,\r
+                   dLon = (other.lng - this.lng) * d2r,\r
+                   lat1 = this.lat * d2r,\r
+                   lat2 = other.lat * d2r,\r
+                   sin1 = Math.sin(dLat / 2),\r
+                   sin2 = Math.sin(dLon / 2);\r
+\r
+               var a = sin1 * sin1 + sin2 * sin2 * Math.cos(lat1) * Math.cos(lat2);\r
+\r
+               return R * 2 * Math.atan2(Math.sqrt(a), Math.sqrt(1 - a));\r
+       },\r
+\r
+       wrap: function (a, b) { // (Number, Number) -> LatLng\r
+               var lng = this.lng;\r
+\r
+               a = a || -180;\r
+               b = b ||  180;\r
+\r
+               lng = (lng + b) % (b - a) + (lng < a || lng === b ? b : a);\r
+\r
+               return new L.LatLng(this.lat, lng);\r
+       }\r
+};\r
+\r
+L.latLng = function (a, b) { // (LatLng) or ([Number, Number]) or (Number, Number)\r
+       if (a instanceof L.LatLng) {\r
+               return a;\r
+       }\r
+       if (L.Util.isArray(a)) {\r
+               if (typeof a[0] === 'number' || typeof a[0] === 'string') {\r
+                       return new L.LatLng(a[0], a[1], a[2]);\r
+               } else {\r
+                       return null;\r
+               }\r
+       }\r
+       if (a === undefined || a === null) {\r
+               return a;\r
+       }\r
+       if (typeof a === 'object' && 'lat' in a) {\r
+               return new L.LatLng(a.lat, 'lng' in a ? a.lng : a.lon);\r
+       }\r
+       if (b === undefined) {\r
+               return null;\r
+       }\r
+       return new L.LatLng(a, b);\r
+};\r
+\r
+
+
+/*\r
+ * L.LatLngBounds represents a rectangular area on the map in geographical coordinates.\r
+ */\r
+\r
+L.LatLngBounds = function (southWest, northEast) { // (LatLng, LatLng) or (LatLng[])\r
+       if (!southWest) { return; }\r
+\r
+       var latlngs = northEast ? [southWest, northEast] : southWest;\r
+\r
+       for (var i = 0, len = latlngs.length; i < len; i++) {\r
+               this.extend(latlngs[i]);\r
+       }\r
+};\r
+\r
+L.LatLngBounds.prototype = {\r
+       // extend the bounds to contain the given point or bounds\r
+       extend: function (obj) { // (LatLng) or (LatLngBounds)\r
+               if (!obj) { return this; }\r
+\r
+               var latLng = L.latLng(obj);\r
+               if (latLng !== null) {\r
+                       obj = latLng;\r
+               } else {\r
+                       obj = L.latLngBounds(obj);\r
+               }\r
+\r
+               if (obj instanceof L.LatLng) {\r
+                       if (!this._southWest && !this._northEast) {\r
+                               this._southWest = new L.LatLng(obj.lat, obj.lng);\r
+                               this._northEast = new L.LatLng(obj.lat, obj.lng);\r
+                       } else {\r
+                               this._southWest.lat = Math.min(obj.lat, this._southWest.lat);\r
+                               this._southWest.lng = Math.min(obj.lng, this._southWest.lng);\r
+\r
+                               this._northEast.lat = Math.max(obj.lat, this._northEast.lat);\r
+                               this._northEast.lng = Math.max(obj.lng, this._northEast.lng);\r
+                       }\r
+               } else if (obj instanceof L.LatLngBounds) {\r
+                       this.extend(obj._southWest);\r
+                       this.extend(obj._northEast);\r
+               }\r
+               return this;\r
+       },\r
+\r
+       // extend the bounds by a percentage\r
+       pad: function (bufferRatio) { // (Number) -> LatLngBounds\r
+               var sw = this._southWest,\r
+                   ne = this._northEast,\r
+                   heightBuffer = Math.abs(sw.lat - ne.lat) * bufferRatio,\r
+                   widthBuffer = Math.abs(sw.lng - ne.lng) * bufferRatio;\r
+\r
+               return new L.LatLngBounds(\r
+                       new L.LatLng(sw.lat - heightBuffer, sw.lng - widthBuffer),\r
+                       new L.LatLng(ne.lat + heightBuffer, ne.lng + widthBuffer));\r
+       },\r
+\r
+       getCenter: function () { // -> LatLng\r
+               return new L.LatLng(\r
+                       (this._southWest.lat + this._northEast.lat) / 2,\r
+                       (this._southWest.lng + this._northEast.lng) / 2);\r
+       },\r
+\r
+       getSouthWest: function () {\r
+               return this._southWest;\r
+       },\r
+\r
+       getNorthEast: function () {\r
+               return this._northEast;\r
+       },\r
+\r
+       getNorthWest: function () {\r
+               return new L.LatLng(this.getNorth(), this.getWest());\r
+       },\r
+\r
+       getSouthEast: function () {\r
+               return new L.LatLng(this.getSouth(), this.getEast());\r
+       },\r
+\r
+       getWest: function () {\r
+               return this._southWest.lng;\r
+       },\r
+\r
+       getSouth: function () {\r
+               return this._southWest.lat;\r
+       },\r
+\r
+       getEast: function () {\r
+               return this._northEast.lng;\r
+       },\r
+\r
+       getNorth: function () {\r
+               return this._northEast.lat;\r
+       },\r
+\r
+       contains: function (obj) { // (LatLngBounds) or (LatLng) -> Boolean\r
+               if (typeof obj[0] === 'number' || obj instanceof L.LatLng) {\r
+                       obj = L.latLng(obj);\r
+               } else {\r
+                       obj = L.latLngBounds(obj);\r
+               }\r
+\r
+               var sw = this._southWest,\r
+                   ne = this._northEast,\r
+                   sw2, ne2;\r
+\r
+               if (obj instanceof L.LatLngBounds) {\r
+                       sw2 = obj.getSouthWest();\r
+                       ne2 = obj.getNorthEast();\r
+               } else {\r
+                       sw2 = ne2 = obj;\r
+               }\r
+\r
+               return (sw2.lat >= sw.lat) && (ne2.lat <= ne.lat) &&\r
+                      (sw2.lng >= sw.lng) && (ne2.lng <= ne.lng);\r
+       },\r
+\r
+       intersects: function (bounds) { // (LatLngBounds)\r
+               bounds = L.latLngBounds(bounds);\r
+\r
+               var sw = this._southWest,\r
+                   ne = this._northEast,\r
+                   sw2 = bounds.getSouthWest(),\r
+                   ne2 = bounds.getNorthEast(),\r
+\r
+                   latIntersects = (ne2.lat >= sw.lat) && (sw2.lat <= ne.lat),\r
+                   lngIntersects = (ne2.lng >= sw.lng) && (sw2.lng <= ne.lng);\r
+\r
+               return latIntersects && lngIntersects;\r
+       },\r
+\r
+       toBBoxString: function () {\r
+               return [this.getWest(), this.getSouth(), this.getEast(), this.getNorth()].join(',');\r
+       },\r
+\r
+       equals: function (bounds) { // (LatLngBounds)\r
+               if (!bounds) { return false; }\r
+\r
+               bounds = L.latLngBounds(bounds);\r
+\r
+               return this._southWest.equals(bounds.getSouthWest()) &&\r
+                      this._northEast.equals(bounds.getNorthEast());\r
+       },\r
+\r
+       isValid: function () {\r
+               return !!(this._southWest && this._northEast);\r
+       }\r
+};\r
+\r
+//TODO International date line?\r
+\r
+L.latLngBounds = function (a, b) { // (LatLngBounds) or (LatLng, LatLng)\r
+       if (!a || a instanceof L.LatLngBounds) {\r
+               return a;\r
+       }\r
+       return new L.LatLngBounds(a, b);\r
+};\r
+
+
+/*\r
+ * L.Projection contains various geographical projections used by CRS classes.\r
+ */\r
+\r
+L.Projection = {};\r
+
+
+/*\r
+ * Spherical Mercator is the most popular map projection, used by EPSG:3857 CRS used by default.\r
+ */\r
+\r
+L.Projection.SphericalMercator = {\r
+       MAX_LATITUDE: 85.0511287798,\r
+\r
+       project: function (latlng) { // (LatLng) -> Point\r
+               var d = L.LatLng.DEG_TO_RAD,\r
+                   max = this.MAX_LATITUDE,\r
+                   lat = Math.max(Math.min(max, latlng.lat), -max),\r
+                   x = latlng.lng * d,\r
+                   y = lat * d;\r
+\r
+               y = Math.log(Math.tan((Math.PI / 4) + (y / 2)));\r
+\r
+               return new L.Point(x, y);\r
+       },\r
+\r
+       unproject: function (point) { // (Point, Boolean) -> LatLng\r
+               var d = L.LatLng.RAD_TO_DEG,\r
+                   lng = point.x * d,\r
+                   lat = (2 * Math.atan(Math.exp(point.y)) - (Math.PI / 2)) * d;\r
+\r
+               return new L.LatLng(lat, lng);\r
+       }\r
+};\r
+
+
+/*\r
+ * Simple equirectangular (Plate Carree) projection, used by CRS like EPSG:4326 and Simple.\r
+ */\r
+\r
+L.Projection.LonLat = {\r
+       project: function (latlng) {\r
+               return new L.Point(latlng.lng, latlng.lat);\r
+       },\r
+\r
+       unproject: function (point) {\r
+               return new L.LatLng(point.y, point.x);\r
+       }\r
+};\r
+
+
+/*\r
+ * L.CRS is a base object for all defined CRS (Coordinate Reference Systems) in Leaflet.\r
+ */\r
+\r
+L.CRS = {\r
+       latLngToPoint: function (latlng, zoom) { // (LatLng, Number) -> Point\r
+               var projectedPoint = this.projection.project(latlng),\r
+                   scale = this.scale(zoom);\r
+\r
+               return this.transformation._transform(projectedPoint, scale);\r
+       },\r
+\r
+       pointToLatLng: function (point, zoom) { // (Point, Number[, Boolean]) -> LatLng\r
+               var scale = this.scale(zoom),\r
+                   untransformedPoint = this.transformation.untransform(point, scale);\r
+\r
+               return this.projection.unproject(untransformedPoint);\r
+       },\r
+\r
+       project: function (latlng) {\r
+               return this.projection.project(latlng);\r
+       },\r
+\r
+       scale: function (zoom) {\r
+               return 256 * Math.pow(2, zoom);\r
+       },\r
+\r
+       getSize: function (zoom) {\r
+               var s = this.scale(zoom);\r
+               return L.point(s, s);\r
+       }\r
+};\r
+
+
+/*
+ * A simple CRS that can be used for flat non-Earth maps like panoramas or game maps.
+ */
+
+L.CRS.Simple = L.extend({}, L.CRS, {
+       projection: L.Projection.LonLat,
+       transformation: new L.Transformation(1, 0, -1, 0),
+
+       scale: function (zoom) {
+               return Math.pow(2, zoom);
+       }
+});
+
+
+/*\r
+ * L.CRS.EPSG3857 (Spherical Mercator) is the most common CRS for web mapping\r
+ * and is used by Leaflet by default.\r
+ */\r
+\r
+L.CRS.EPSG3857 = L.extend({}, L.CRS, {\r
+       code: 'EPSG:3857',\r
+\r
+       projection: L.Projection.SphericalMercator,\r
+       transformation: new L.Transformation(0.5 / Math.PI, 0.5, -0.5 / Math.PI, 0.5),\r
+\r
+       project: function (latlng) { // (LatLng) -> Point\r
+               var projectedPoint = this.projection.project(latlng),\r
+                   earthRadius = 6378137;\r
+               return projectedPoint.multiplyBy(earthRadius);\r
+       }\r
+});\r
+\r
+L.CRS.EPSG900913 = L.extend({}, L.CRS.EPSG3857, {\r
+       code: 'EPSG:900913'\r
+});\r
+
+
+/*\r
+ * L.CRS.EPSG4326 is a CRS popular among advanced GIS specialists.\r
+ */\r
+\r
+L.CRS.EPSG4326 = L.extend({}, L.CRS, {\r
+       code: 'EPSG:4326',\r
+\r
+       projection: L.Projection.LonLat,\r
+       transformation: new L.Transformation(1 / 360, 0.5, -1 / 360, 0.5)\r
+});\r
+
+
+/*\r
+ * L.Map is the central class of the API - it is used to create a map.\r
+ */\r
+\r
+L.Map = L.Class.extend({\r
+\r
+       includes: L.Mixin.Events,\r
+\r
+       options: {\r
+               crs: L.CRS.EPSG3857,\r
+\r
+               /*\r
+               center: LatLng,\r
+               zoom: Number,\r
+               layers: Array,\r
+               */\r
+\r
+               fadeAnimation: L.DomUtil.TRANSITION && !L.Browser.android23,\r
+               trackResize: true,\r
+               markerZoomAnimation: L.DomUtil.TRANSITION && L.Browser.any3d\r
+       },\r
+\r
+       initialize: function (id, options) { // (HTMLElement or String, Object)\r
+               options = L.setOptions(this, options);\r
+\r
+\r
+               this._initContainer(id);\r
+               this._initLayout();\r
+\r
+               // hack for https://github.com/Leaflet/Leaflet/issues/1980\r
+               this._onResize = L.bind(this._onResize, this);\r
+\r
+               this._initEvents();\r
+\r
+               if (options.maxBounds) {\r
+                       this.setMaxBounds(options.maxBounds);\r
+               }\r
+\r
+               if (options.center && options.zoom !== undefined) {\r
+                       this.setView(L.latLng(options.center), options.zoom, {reset: true});\r
+               }\r
+\r
+               this._handlers = [];\r
+\r
+               this._layers = {};\r
+               this._zoomBoundLayers = {};\r
+               this._tileLayersNum = 0;\r
+\r
+               this.callInitHooks();\r
+\r
+               this._addLayers(options.layers);\r
+       },\r
+\r
+\r
+       // public methods that modify map state\r
+\r
+       // replaced by animation-powered implementation in Map.PanAnimation.js\r
+       setView: function (center, zoom) {\r
+               zoom = zoom === undefined ? this.getZoom() : zoom;\r
+               this._resetView(L.latLng(center), this._limitZoom(zoom));\r
+               return this;\r
+       },\r
+\r
+       setZoom: function (zoom, options) {\r
+               if (!this._loaded) {\r
+                       this._zoom = this._limitZoom(zoom);\r
+                       return this;\r
+               }\r
+               return this.setView(this.getCenter(), zoom, {zoom: options});\r
+       },\r
+\r
+       zoomIn: function (delta, options) {\r
+               return this.setZoom(this._zoom + (delta || 1), options);\r
+       },\r
+\r
+       zoomOut: function (delta, options) {\r
+               return this.setZoom(this._zoom - (delta || 1), options);\r
+       },\r
+\r
+       setZoomAround: function (latlng, zoom, options) {\r
+               var scale = this.getZoomScale(zoom),\r
+                   viewHalf = this.getSize().divideBy(2),\r
+                   containerPoint = latlng instanceof L.Point ? latlng : this.latLngToContainerPoint(latlng),\r
+\r
+                   centerOffset = containerPoint.subtract(viewHalf).multiplyBy(1 - 1 / scale),\r
+                   newCenter = this.containerPointToLatLng(viewHalf.add(centerOffset));\r
+\r
+               return this.setView(newCenter, zoom, {zoom: options});\r
+       },\r
+\r
+       fitBounds: function (bounds, options) {\r
+\r
+               options = options || {};\r
+               bounds = bounds.getBounds ? bounds.getBounds() : L.latLngBounds(bounds);\r
+\r
+               var paddingTL = L.point(options.paddingTopLeft || options.padding || [0, 0]),\r
+                   paddingBR = L.point(options.paddingBottomRight || options.padding || [0, 0]),\r
+\r
+                   zoom = this.getBoundsZoom(bounds, false, paddingTL.add(paddingBR));\r
+\r
+               zoom = (options.maxZoom) ? Math.min(options.maxZoom, zoom) : zoom;\r
+\r
+               var paddingOffset = paddingBR.subtract(paddingTL).divideBy(2),\r
+\r
+                   swPoint = this.project(bounds.getSouthWest(), zoom),\r
+                   nePoint = this.project(bounds.getNorthEast(), zoom),\r
+                   center = this.unproject(swPoint.add(nePoint).divideBy(2).add(paddingOffset), zoom);\r
+\r
+               return this.setView(center, zoom, options);\r
+       },\r
+\r
+       fitWorld: function (options) {\r
+               return this.fitBounds([[-90, -180], [90, 180]], options);\r
+       },\r
+\r
+       panTo: function (center, options) { // (LatLng)\r
+               return this.setView(center, this._zoom, {pan: options});\r
+       },\r
+\r
+       panBy: function (offset) { // (Point)\r
+               // replaced with animated panBy in Map.PanAnimation.js\r
+               this.fire('movestart');\r
+\r
+               this._rawPanBy(L.point(offset));\r
+\r
+               this.fire('move');\r
+               return this.fire('moveend');\r
+       },\r
+\r
+       setMaxBounds: function (bounds) {\r
+               bounds = L.latLngBounds(bounds);\r
+\r
+               this.options.maxBounds = bounds;\r
+\r
+               if (!bounds) {\r
+                       return this.off('moveend', this._panInsideMaxBounds, this);\r
+               }\r
+\r
+               if (this._loaded) {\r
+                       this._panInsideMaxBounds();\r
+               }\r
+\r
+               return this.on('moveend', this._panInsideMaxBounds, this);\r
+       },\r
+\r
+       panInsideBounds: function (bounds, options) {\r
+               var center = this.getCenter(),\r
+                       newCenter = this._limitCenter(center, this._zoom, bounds);\r
+\r
+               if (center.equals(newCenter)) { return this; }\r
+\r
+               return this.panTo(newCenter, options);\r
+       },\r
+\r
+       addLayer: function (layer) {\r
+               // TODO method is too big, refactor\r
+\r
+               var id = L.stamp(layer);\r
+\r
+               if (this._layers[id]) { return this; }\r
+\r
+               this._layers[id] = layer;\r
+\r
+               // TODO getMaxZoom, getMinZoom in ILayer (instead of options)\r
+               if (layer.options && (!isNaN(layer.options.maxZoom) || !isNaN(layer.options.minZoom))) {\r
+                       this._zoomBoundLayers[id] = layer;\r
+                       this._updateZoomLevels();\r
+               }\r
+\r
+               // TODO looks ugly, refactor!!!\r
+               if (this.options.zoomAnimation && L.TileLayer && (layer instanceof L.TileLayer)) {\r
+                       this._tileLayersNum++;\r
+                       this._tileLayersToLoad++;\r
+                       layer.on('load', this._onTileLayerLoad, this);\r
+               }\r
+\r
+               if (this._loaded) {\r
+                       this._layerAdd(layer);\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       removeLayer: function (layer) {\r
+               var id = L.stamp(layer);\r
+\r
+               if (!this._layers[id]) { return this; }\r
+\r
+               if (this._loaded) {\r
+                       layer.onRemove(this);\r
+               }\r
+\r
+               delete this._layers[id];\r
+\r
+               if (this._loaded) {\r
+                       this.fire('layerremove', {layer: layer});\r
+               }\r
+\r
+               if (this._zoomBoundLayers[id]) {\r
+                       delete this._zoomBoundLayers[id];\r
+                       this._updateZoomLevels();\r
+               }\r
+\r
+               // TODO looks ugly, refactor\r
+               if (this.options.zoomAnimation && L.TileLayer && (layer instanceof L.TileLayer)) {\r
+                       this._tileLayersNum--;\r
+                       this._tileLayersToLoad--;\r
+                       layer.off('load', this._onTileLayerLoad, this);\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       hasLayer: function (layer) {\r
+               if (!layer) { return false; }\r
+\r
+               return (L.stamp(layer) in this._layers);\r
+       },\r
+\r
+       eachLayer: function (method, context) {\r
+               for (var i in this._layers) {\r
+                       method.call(context, this._layers[i]);\r
+               }\r
+               return this;\r
+       },\r
+\r
+       invalidateSize: function (options) {\r
+               if (!this._loaded) { return this; }\r
+\r
+               options = L.extend({\r
+                       animate: false,\r
+                       pan: true\r
+               }, options === true ? {animate: true} : options);\r
+\r
+               var oldSize = this.getSize();\r
+               this._sizeChanged = true;\r
+               this._initialCenter = null;\r
+\r
+               var newSize = this.getSize(),\r
+                   oldCenter = oldSize.divideBy(2).round(),\r
+                   newCenter = newSize.divideBy(2).round(),\r
+                   offset = oldCenter.subtract(newCenter);\r
+\r
+               if (!offset.x && !offset.y) { return this; }\r
+\r
+               if (options.animate && options.pan) {\r
+                       this.panBy(offset);\r
+\r
+               } else {\r
+                       if (options.pan) {\r
+                               this._rawPanBy(offset);\r
+                       }\r
+\r
+                       this.fire('move');\r
+\r
+                       if (options.debounceMoveend) {\r
+                               clearTimeout(this._sizeTimer);\r
+                               this._sizeTimer = setTimeout(L.bind(this.fire, this, 'moveend'), 200);\r
+                       } else {\r
+                               this.fire('moveend');\r
+                       }\r
+               }\r
+\r
+               return this.fire('resize', {\r
+                       oldSize: oldSize,\r
+                       newSize: newSize\r
+               });\r
+       },\r
+\r
+       // TODO handler.addTo\r
+       addHandler: function (name, HandlerClass) {\r
+               if (!HandlerClass) { return this; }\r
+\r
+               var handler = this[name] = new HandlerClass(this);\r
+\r
+               this._handlers.push(handler);\r
+\r
+               if (this.options[name]) {\r
+                       handler.enable();\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       remove: function () {\r
+               if (this._loaded) {\r
+                       this.fire('unload');\r
+               }\r
+\r
+               this._initEvents('off');\r
+\r
+               try {\r
+                       // throws error in IE6-8\r
+                       delete this._container._leaflet;\r
+               } catch (e) {\r
+                       this._container._leaflet = undefined;\r
+               }\r
+\r
+               this._clearPanes();\r
+               if (this._clearControlPos) {\r
+                       this._clearControlPos();\r
+               }\r
+\r
+               this._clearHandlers();\r
+\r
+               return this;\r
+       },\r
+\r
+\r
+       // public methods for getting map state\r
+\r
+       getCenter: function () { // (Boolean) -> LatLng\r
+               this._checkIfLoaded();\r
+\r
+               if (this._initialCenter && !this._moved()) {\r
+                       return this._initialCenter;\r
+               }\r
+               return this.layerPointToLatLng(this._getCenterLayerPoint());\r
+       },\r
+\r
+       getZoom: function () {\r
+               return this._zoom;\r
+       },\r
+\r
+       getBounds: function () {\r
+               var bounds = this.getPixelBounds(),\r
+                   sw = this.unproject(bounds.getBottomLeft()),\r
+                   ne = this.unproject(bounds.getTopRight());\r
+\r
+               return new L.LatLngBounds(sw, ne);\r
+       },\r
+\r
+       getMinZoom: function () {\r
+               return this.options.minZoom === undefined ?\r
+                       (this._layersMinZoom === undefined ? 0 : this._layersMinZoom) :\r
+                       this.options.minZoom;\r
+       },\r
+\r
+       getMaxZoom: function () {\r
+               return this.options.maxZoom === undefined ?\r
+                       (this._layersMaxZoom === undefined ? Infinity : this._layersMaxZoom) :\r
+                       this.options.maxZoom;\r
+       },\r
+\r
+       getBoundsZoom: function (bounds, inside, padding) { // (LatLngBounds[, Boolean, Point]) -> Number\r
+               bounds = L.latLngBounds(bounds);\r
+\r
+               var zoom = this.getMinZoom() - (inside ? 1 : 0),\r
+                   maxZoom = this.getMaxZoom(),\r
+                   size = this.getSize(),\r
+\r
+                   nw = bounds.getNorthWest(),\r
+                   se = bounds.getSouthEast(),\r
+\r
+                   zoomNotFound = true,\r
+                   boundsSize;\r
+\r
+               padding = L.point(padding || [0, 0]);\r
+\r
+               do {\r
+                       zoom++;\r
+                       boundsSize = this.project(se, zoom).subtract(this.project(nw, zoom)).add(padding);\r
+                       zoomNotFound = !inside ? size.contains(boundsSize) : boundsSize.x < size.x || boundsSize.y < size.y;\r
+\r
+               } while (zoomNotFound && zoom <= maxZoom);\r
+\r
+               if (zoomNotFound && inside) {\r
+                       return null;\r
+               }\r
+\r
+               return inside ? zoom : zoom - 1;\r
+       },\r
+\r
+       getSize: function () {\r
+               if (!this._size || this._sizeChanged) {\r
+                       this._size = new L.Point(\r
+                               this._container.clientWidth,\r
+                               this._container.clientHeight);\r
+\r
+                       this._sizeChanged = false;\r
+               }\r
+               return this._size.clone();\r
+       },\r
+\r
+       getPixelBounds: function () {\r
+               var topLeftPoint = this._getTopLeftPoint();\r
+               return new L.Bounds(topLeftPoint, topLeftPoint.add(this.getSize()));\r
+       },\r
+\r
+       getPixelOrigin: function () {\r
+               this._checkIfLoaded();\r
+               return this._initialTopLeftPoint;\r
+       },\r
+\r
+       getPanes: function () {\r
+               return this._panes;\r
+       },\r
+\r
+       getContainer: function () {\r
+               return this._container;\r
+       },\r
+\r
+\r
+       // TODO replace with universal implementation after refactoring projections\r
+\r
+       getZoomScale: function (toZoom) {\r
+               var crs = this.options.crs;\r
+               return crs.scale(toZoom) / crs.scale(this._zoom);\r
+       },\r
+\r
+       getScaleZoom: function (scale) {\r
+               return this._zoom + (Math.log(scale) / Math.LN2);\r
+       },\r
+\r
+\r
+       // conversion methods\r
+\r
+       project: function (latlng, zoom) { // (LatLng[, Number]) -> Point\r
+               zoom = zoom === undefined ? this._zoom : zoom;\r
+               return this.options.crs.latLngToPoint(L.latLng(latlng), zoom);\r
+       },\r
+\r
+       unproject: function (point, zoom) { // (Point[, Number]) -> LatLng\r
+               zoom = zoom === undefined ? this._zoom : zoom;\r
+               return this.options.crs.pointToLatLng(L.point(point), zoom);\r
+       },\r
+\r
+       layerPointToLatLng: function (point) { // (Point)\r
+               var projectedPoint = L.point(point).add(this.getPixelOrigin());\r
+               return this.unproject(projectedPoint);\r
+       },\r
+\r
+       latLngToLayerPoint: function (latlng) { // (LatLng)\r
+               var projectedPoint = this.project(L.latLng(latlng))._round();\r
+               return projectedPoint._subtract(this.getPixelOrigin());\r
+       },\r
+\r
+       containerPointToLayerPoint: function (point) { // (Point)\r
+               return L.point(point).subtract(this._getMapPanePos());\r
+       },\r
+\r
+       layerPointToContainerPoint: function (point) { // (Point)\r
+               return L.point(point).add(this._getMapPanePos());\r
+       },\r
+\r
+       containerPointToLatLng: function (point) {\r
+               var layerPoint = this.containerPointToLayerPoint(L.point(point));\r
+               return this.layerPointToLatLng(layerPoint);\r
+       },\r
+\r
+       latLngToContainerPoint: function (latlng) {\r
+               return this.layerPointToContainerPoint(this.latLngToLayerPoint(L.latLng(latlng)));\r
+       },\r
+\r
+       mouseEventToContainerPoint: function (e) { // (MouseEvent)\r
+               return L.DomEvent.getMousePosition(e, this._container);\r
+       },\r
+\r
+       mouseEventToLayerPoint: function (e) { // (MouseEvent)\r
+               return this.containerPointToLayerPoint(this.mouseEventToContainerPoint(e));\r
+       },\r
+\r
+       mouseEventToLatLng: function (e) { // (MouseEvent)\r
+               return this.layerPointToLatLng(this.mouseEventToLayerPoint(e));\r
+       },\r
+\r
+\r
+       // map initialization methods\r
+\r
+       _initContainer: function (id) {\r
+               var container = this._container = L.DomUtil.get(id);\r
+\r
+               if (!container) {\r
+                       throw new Error('Map container not found.');\r
+               } else if (container._leaflet) {\r
+                       throw new Error('Map container is already initialized.');\r
+               }\r
+\r
+               container._leaflet = true;\r
+       },\r
+\r
+       _initLayout: function () {\r
+               var container = this._container;\r
+\r
+               L.DomUtil.addClass(container, 'leaflet-container' +\r
+                       (L.Browser.touch ? ' leaflet-touch' : '') +\r
+                       (L.Browser.retina ? ' leaflet-retina' : '') +\r
+                       (L.Browser.ielt9 ? ' leaflet-oldie' : '') +\r
+                       (this.options.fadeAnimation ? ' leaflet-fade-anim' : ''));\r
+\r
+               var position = L.DomUtil.getStyle(container, 'position');\r
+\r
+               if (position !== 'absolute' && position !== 'relative' && position !== 'fixed') {\r
+                       container.style.position = 'relative';\r
+               }\r
+\r
+               this._initPanes();\r
+\r
+               if (this._initControlPos) {\r
+                       this._initControlPos();\r
+               }\r
+       },\r
+\r
+       _initPanes: function () {\r
+               var panes = this._panes = {};\r
+\r
+               this._mapPane = panes.mapPane = this._createPane('leaflet-map-pane', this._container);\r
+\r
+               this._tilePane = panes.tilePane = this._createPane('leaflet-tile-pane', this._mapPane);\r
+               panes.objectsPane = this._createPane('leaflet-objects-pane', this._mapPane);\r
+               panes.shadowPane = this._createPane('leaflet-shadow-pane');\r
+               panes.overlayPane = this._createPane('leaflet-overlay-pane');\r
+               panes.markerPane = this._createPane('leaflet-marker-pane');\r
+               panes.popupPane = this._createPane('leaflet-popup-pane');\r
+\r
+               var zoomHide = ' leaflet-zoom-hide';\r
+\r
+               if (!this.options.markerZoomAnimation) {\r
+                       L.DomUtil.addClass(panes.markerPane, zoomHide);\r
+                       L.DomUtil.addClass(panes.shadowPane, zoomHide);\r
+                       L.DomUtil.addClass(panes.popupPane, zoomHide);\r
+               }\r
+       },\r
+\r
+       _createPane: function (className, container) {\r
+               return L.DomUtil.create('div', className, container || this._panes.objectsPane);\r
+       },\r
+\r
+       _clearPanes: function () {\r
+               this._container.removeChild(this._mapPane);\r
+       },\r
+\r
+       _addLayers: function (layers) {\r
+               layers = layers ? (L.Util.isArray(layers) ? layers : [layers]) : [];\r
+\r
+               for (var i = 0, len = layers.length; i < len; i++) {\r
+                       this.addLayer(layers[i]);\r
+               }\r
+       },\r
+\r
+\r
+       // private methods that modify map state\r
+\r
+       _resetView: function (center, zoom, preserveMapOffset, afterZoomAnim) {\r
+\r
+               var zoomChanged = (this._zoom !== zoom);\r
+\r
+               if (!afterZoomAnim) {\r
+                       this.fire('movestart');\r
+\r
+                       if (zoomChanged) {\r
+                               this.fire('zoomstart');\r
+                       }\r
+               }\r
+\r
+               this._zoom = zoom;\r
+               this._initialCenter = center;\r
+\r
+               this._initialTopLeftPoint = this._getNewTopLeftPoint(center);\r
+\r
+               if (!preserveMapOffset) {\r
+                       L.DomUtil.setPosition(this._mapPane, new L.Point(0, 0));\r
+               } else {\r
+                       this._initialTopLeftPoint._add(this._getMapPanePos());\r
+               }\r
+\r
+               this._tileLayersToLoad = this._tileLayersNum;\r
+\r
+               var loading = !this._loaded;\r
+               this._loaded = true;\r
+\r
+               this.fire('viewreset', {hard: !preserveMapOffset});\r
+\r
+               if (loading) {\r
+                       this.fire('load');\r
+                       this.eachLayer(this._layerAdd, this);\r
+               }\r
+\r
+               this.fire('move');\r
+\r
+               if (zoomChanged || afterZoomAnim) {\r
+                       this.fire('zoomend');\r
+               }\r
+\r
+               this.fire('moveend', {hard: !preserveMapOffset});\r
+       },\r
+\r
+       _rawPanBy: function (offset) {\r
+               L.DomUtil.setPosition(this._mapPane, this._getMapPanePos().subtract(offset));\r
+       },\r
+\r
+       _getZoomSpan: function () {\r
+               return this.getMaxZoom() - this.getMinZoom();\r
+       },\r
+\r
+       _updateZoomLevels: function () {\r
+               var i,\r
+                       minZoom = Infinity,\r
+                       maxZoom = -Infinity,\r
+                       oldZoomSpan = this._getZoomSpan();\r
+\r
+               for (i in this._zoomBoundLayers) {\r
+                       var layer = this._zoomBoundLayers[i];\r
+                       if (!isNaN(layer.options.minZoom)) {\r
+                               minZoom = Math.min(minZoom, layer.options.minZoom);\r
+                       }\r
+                       if (!isNaN(layer.options.maxZoom)) {\r
+                               maxZoom = Math.max(maxZoom, layer.options.maxZoom);\r
+                       }\r
+               }\r
+\r
+               if (i === undefined) { // we have no tilelayers\r
+                       this._layersMaxZoom = this._layersMinZoom = undefined;\r
+               } else {\r
+                       this._layersMaxZoom = maxZoom;\r
+                       this._layersMinZoom = minZoom;\r
+               }\r
+\r
+               if (oldZoomSpan !== this._getZoomSpan()) {\r
+                       this.fire('zoomlevelschange');\r
+               }\r
+       },\r
+\r
+       _panInsideMaxBounds: function () {\r
+               this.panInsideBounds(this.options.maxBounds);\r
+       },\r
+\r
+       _checkIfLoaded: function () {\r
+               if (!this._loaded) {\r
+                       throw new Error('Set map center and zoom first.');\r
+               }\r
+       },\r
+\r
+       // map events\r
+\r
+       _initEvents: function (onOff) {\r
+               if (!L.DomEvent) { return; }\r
+\r
+               onOff = onOff || 'on';\r
+\r
+               L.DomEvent[onOff](this._container, 'click', this._onMouseClick, this);\r
+\r
+               var events = ['dblclick', 'mousedown', 'mouseup', 'mouseenter',\r
+                             'mouseleave', 'mousemove', 'contextmenu'],\r
+                   i, len;\r
+\r
+               for (i = 0, len = events.length; i < len; i++) {\r
+                       L.DomEvent[onOff](this._container, events[i], this._fireMouseEvent, this);\r
+               }\r
+\r
+               if (this.options.trackResize) {\r
+                       L.DomEvent[onOff](window, 'resize', this._onResize, this);\r
+               }\r
+       },\r
+\r
+       _onResize: function () {\r
+               L.Util.cancelAnimFrame(this._resizeRequest);\r
+               this._resizeRequest = L.Util.requestAnimFrame(\r
+                       function () { this.invalidateSize({debounceMoveend: true}); }, this, false, this._container);\r
+       },\r
+\r
+       _onMouseClick: function (e) {\r
+               if (!this._loaded || (!e._simulated &&\r
+                       ((this.dragging && this.dragging.moved()) ||\r
+                        (this.boxZoom  && this.boxZoom.moved()))) ||\r
+                           L.DomEvent._skipped(e)) { return; }\r
+\r
+               this.fire('preclick');\r
+               this._fireMouseEvent(e);\r
+       },\r
+\r
+       _fireMouseEvent: function (e) {\r
+               if (!this._loaded || L.DomEvent._skipped(e)) { return; }\r
+\r
+               var type = e.type;\r
+\r
+               type = (type === 'mouseenter' ? 'mouseover' : (type === 'mouseleave' ? 'mouseout' : type));\r
+\r
+               if (!this.hasEventListeners(type)) { return; }\r
+\r
+               if (type === 'contextmenu') {\r
+                       L.DomEvent.preventDefault(e);\r
+               }\r
+\r
+               var containerPoint = this.mouseEventToContainerPoint(e),\r
+                   layerPoint = this.containerPointToLayerPoint(containerPoint),\r
+                   latlng = this.layerPointToLatLng(layerPoint);\r
+\r
+               this.fire(type, {\r
+                       latlng: latlng,\r
+                       layerPoint: layerPoint,\r
+                       containerPoint: containerPoint,\r
+                       originalEvent: e\r
+               });\r
+       },\r
+\r
+       _onTileLayerLoad: function () {\r
+               this._tileLayersToLoad--;\r
+               if (this._tileLayersNum && !this._tileLayersToLoad) {\r
+                       this.fire('tilelayersload');\r
+               }\r
+       },\r
+\r
+       _clearHandlers: function () {\r
+               for (var i = 0, len = this._handlers.length; i < len; i++) {\r
+                       this._handlers[i].disable();\r
+               }\r
+       },\r
+\r
+       whenReady: function (callback, context) {\r
+               if (this._loaded) {\r
+                       callback.call(context || this, this);\r
+               } else {\r
+                       this.on('load', callback, context);\r
+               }\r
+               return this;\r
+       },\r
+\r
+       _layerAdd: function (layer) {\r
+               layer.onAdd(this);\r
+               this.fire('layeradd', {layer: layer});\r
+       },\r
+\r
+\r
+       // private methods for getting map state\r
+\r
+       _getMapPanePos: function () {\r
+               return L.DomUtil.getPosition(this._mapPane);\r
+       },\r
+\r
+       _moved: function () {\r
+               var pos = this._getMapPanePos();\r
+               return pos && !pos.equals([0, 0]);\r
+       },\r
+\r
+       _getTopLeftPoint: function () {\r
+               return this.getPixelOrigin().subtract(this._getMapPanePos());\r
+       },\r
+\r
+       _getNewTopLeftPoint: function (center, zoom) {\r
+               var viewHalf = this.getSize()._divideBy(2);\r
+               // TODO round on display, not calculation to increase precision?\r
+               return this.project(center, zoom)._subtract(viewHalf)._round();\r
+       },\r
+\r
+       _latLngToNewLayerPoint: function (latlng, newZoom, newCenter) {\r
+               var topLeft = this._getNewTopLeftPoint(newCenter, newZoom).add(this._getMapPanePos());\r
+               return this.project(latlng, newZoom)._subtract(topLeft);\r
+       },\r
+\r
+       // layer point of the current center\r
+       _getCenterLayerPoint: function () {\r
+               return this.containerPointToLayerPoint(this.getSize()._divideBy(2));\r
+       },\r
+\r
+       // offset of the specified place to the current center in pixels\r
+       _getCenterOffset: function (latlng) {\r
+               return this.latLngToLayerPoint(latlng).subtract(this._getCenterLayerPoint());\r
+       },\r
+\r
+       // adjust center for view to get inside bounds\r
+       _limitCenter: function (center, zoom, bounds) {\r
+\r
+               if (!bounds) { return center; }\r
+\r
+               var centerPoint = this.project(center, zoom),\r
+                   viewHalf = this.getSize().divideBy(2),\r
+                   viewBounds = new L.Bounds(centerPoint.subtract(viewHalf), centerPoint.add(viewHalf)),\r
+                   offset = this._getBoundsOffset(viewBounds, bounds, zoom);\r
+\r
+               return this.unproject(centerPoint.add(offset), zoom);\r
+       },\r
+\r
+       // adjust offset for view to get inside bounds\r
+       _limitOffset: function (offset, bounds) {\r
+               if (!bounds) { return offset; }\r
+\r
+               var viewBounds = this.getPixelBounds(),\r
+                   newBounds = new L.Bounds(viewBounds.min.add(offset), viewBounds.max.add(offset));\r
+\r
+               return offset.add(this._getBoundsOffset(newBounds, bounds));\r
+       },\r
+\r
+       // returns offset needed for pxBounds to get inside maxBounds at a specified zoom\r
+       _getBoundsOffset: function (pxBounds, maxBounds, zoom) {\r
+               var nwOffset = this.project(maxBounds.getNorthWest(), zoom).subtract(pxBounds.min),\r
+                   seOffset = this.project(maxBounds.getSouthEast(), zoom).subtract(pxBounds.max),\r
+\r
+                   dx = this._rebound(nwOffset.x, -seOffset.x),\r
+                   dy = this._rebound(nwOffset.y, -seOffset.y);\r
+\r
+               return new L.Point(dx, dy);\r
+       },\r
+\r
+       _rebound: function (left, right) {\r
+               return left + right > 0 ?\r
+                       Math.round(left - right) / 2 :\r
+                       Math.max(0, Math.ceil(left)) - Math.max(0, Math.floor(right));\r
+       },\r
+\r
+       _limitZoom: function (zoom) {\r
+               var min = this.getMinZoom(),\r
+                   max = this.getMaxZoom();\r
+\r
+               return Math.max(min, Math.min(max, zoom));\r
+       }\r
+});\r
+\r
+L.map = function (id, options) {\r
+       return new L.Map(id, options);\r
+};\r
+
+
+/*\r
+ * Mercator projection that takes into account that the Earth is not a perfect sphere.\r
+ * Less popular than spherical mercator; used by projections like EPSG:3395.\r
+ */\r
+\r
+L.Projection.Mercator = {\r
+       MAX_LATITUDE: 85.0840591556,\r
+\r
+       R_MINOR: 6356752.314245179,\r
+       R_MAJOR: 6378137,\r
+\r
+       project: function (latlng) { // (LatLng) -> Point\r
+               var d = L.LatLng.DEG_TO_RAD,\r
+                   max = this.MAX_LATITUDE,\r
+                   lat = Math.max(Math.min(max, latlng.lat), -max),\r
+                   r = this.R_MAJOR,\r
+                   r2 = this.R_MINOR,\r
+                   x = latlng.lng * d * r,\r
+                   y = lat * d,\r
+                   tmp = r2 / r,\r
+                   eccent = Math.sqrt(1.0 - tmp * tmp),\r
+                   con = eccent * Math.sin(y);\r
+\r
+               con = Math.pow((1 - con) / (1 + con), eccent * 0.5);\r
+\r
+               var ts = Math.tan(0.5 * ((Math.PI * 0.5) - y)) / con;\r
+               y = -r * Math.log(ts);\r
+\r
+               return new L.Point(x, y);\r
+       },\r
+\r
+       unproject: function (point) { // (Point, Boolean) -> LatLng\r
+               var d = L.LatLng.RAD_TO_DEG,\r
+                   r = this.R_MAJOR,\r
+                   r2 = this.R_MINOR,\r
+                   lng = point.x * d / r,\r
+                   tmp = r2 / r,\r
+                   eccent = Math.sqrt(1 - (tmp * tmp)),\r
+                   ts = Math.exp(- point.y / r),\r
+                   phi = (Math.PI / 2) - 2 * Math.atan(ts),\r
+                   numIter = 15,\r
+                   tol = 1e-7,\r
+                   i = numIter,\r
+                   dphi = 0.1,\r
+                   con;\r
+\r
+               while ((Math.abs(dphi) > tol) && (--i > 0)) {\r
+                       con = eccent * Math.sin(phi);\r
+                       dphi = (Math.PI / 2) - 2 * Math.atan(ts *\r
+                                   Math.pow((1.0 - con) / (1.0 + con), 0.5 * eccent)) - phi;\r
+                       phi += dphi;\r
+               }\r
+\r
+               return new L.LatLng(phi * d, lng);\r
+       }\r
+};\r
+
+
+\r
+L.CRS.EPSG3395 = L.extend({}, L.CRS, {\r
+       code: 'EPSG:3395',\r
+\r
+       projection: L.Projection.Mercator,\r
+\r
+       transformation: (function () {\r
+               var m = L.Projection.Mercator,\r
+                   r = m.R_MAJOR,\r
+                   scale = 0.5 / (Math.PI * r);\r
+\r
+               return new L.Transformation(scale, 0.5, -scale, 0.5);\r
+       }())\r
+});\r
+
+
+/*\r
+ * L.TileLayer is used for standard xyz-numbered tile layers.\r
+ */\r
+\r
+L.TileLayer = L.Class.extend({\r
+       includes: L.Mixin.Events,\r
+\r
+       options: {\r
+               minZoom: 0,\r
+               maxZoom: 18,\r
+               tileSize: 256,\r
+               subdomains: 'abc',\r
+               errorTileUrl: '',\r
+               attribution: '',\r
+               zoomOffset: 0,\r
+               opacity: 1,\r
+               /*\r
+               maxNativeZoom: null,\r
+               zIndex: null,\r
+               tms: false,\r
+               continuousWorld: false,\r
+               noWrap: false,\r
+               zoomReverse: false,\r
+               detectRetina: false,\r
+               reuseTiles: false,\r
+               bounds: false,\r
+               */\r
+               unloadInvisibleTiles: L.Browser.mobile,\r
+               updateWhenIdle: L.Browser.mobile\r
+       },\r
+\r
+       initialize: function (url, options) {\r
+               options = L.setOptions(this, options);\r
+\r
+               // detecting retina displays, adjusting tileSize and zoom levels\r
+               if (options.detectRetina && L.Browser.retina && options.maxZoom > 0) {\r
+\r
+                       options.tileSize = Math.floor(options.tileSize / 2);\r
+                       options.zoomOffset++;\r
+\r
+                       if (options.minZoom > 0) {\r
+                               options.minZoom--;\r
+                       }\r
+                       this.options.maxZoom--;\r
+               }\r
+\r
+               if (options.bounds) {\r
+                       options.bounds = L.latLngBounds(options.bounds);\r
+               }\r
+\r
+               this._url = url;\r
+\r
+               var subdomains = this.options.subdomains;\r
+\r
+               if (typeof subdomains === 'string') {\r
+                       this.options.subdomains = subdomains.split('');\r
+               }\r
+       },\r
+\r
+       onAdd: function (map) {\r
+               this._map = map;\r
+               this._animated = map._zoomAnimated;\r
+\r
+               // create a container div for tiles\r
+               this._initContainer();\r
+\r
+               // set up events\r
+               map.on({\r
+                       'viewreset': this._reset,\r
+                       'moveend': this._update\r
+               }, this);\r
+\r
+               if (this._animated) {\r
+                       map.on({\r
+                               'zoomanim': this._animateZoom,\r
+                               'zoomend': this._endZoomAnim\r
+                       }, this);\r
+               }\r
+\r
+               if (!this.options.updateWhenIdle) {\r
+                       this._limitedUpdate = L.Util.limitExecByInterval(this._update, 150, this);\r
+                       map.on('move', this._limitedUpdate, this);\r
+               }\r
+\r
+               this._reset();\r
+               this._update();\r
+       },\r
+\r
+       addTo: function (map) {\r
+               map.addLayer(this);\r
+               return this;\r
+       },\r
+\r
+       onRemove: function (map) {\r
+               this._container.parentNode.removeChild(this._container);\r
+\r
+               map.off({\r
+                       'viewreset': this._reset,\r
+                       'moveend': this._update\r
+               }, this);\r
+\r
+               if (this._animated) {\r
+                       map.off({\r
+                               'zoomanim': this._animateZoom,\r
+                               'zoomend': this._endZoomAnim\r
+                       }, this);\r
+               }\r
+\r
+               if (!this.options.updateWhenIdle) {\r
+                       map.off('move', this._limitedUpdate, this);\r
+               }\r
+\r
+               this._container = null;\r
+               this._map = null;\r
+       },\r
+\r
+       bringToFront: function () {\r
+               var pane = this._map._panes.tilePane;\r
+\r
+               if (this._container) {\r
+                       pane.appendChild(this._container);\r
+                       this._setAutoZIndex(pane, Math.max);\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       bringToBack: function () {\r
+               var pane = this._map._panes.tilePane;\r
+\r
+               if (this._container) {\r
+                       pane.insertBefore(this._container, pane.firstChild);\r
+                       this._setAutoZIndex(pane, Math.min);\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       getAttribution: function () {\r
+               return this.options.attribution;\r
+       },\r
+\r
+       getContainer: function () {\r
+               return this._container;\r
+       },\r
+\r
+       setOpacity: function (opacity) {\r
+               this.options.opacity = opacity;\r
+\r
+               if (this._map) {\r
+                       this._updateOpacity();\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       setZIndex: function (zIndex) {\r
+               this.options.zIndex = zIndex;\r
+               this._updateZIndex();\r
+\r
+               return this;\r
+       },\r
+\r
+       setUrl: function (url, noRedraw) {\r
+               this._url = url;\r
+\r
+               if (!noRedraw) {\r
+                       this.redraw();\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       redraw: function () {\r
+               if (this._map) {\r
+                       this._reset({hard: true});\r
+                       this._update();\r
+               }\r
+               return this;\r
+       },\r
+\r
+       _updateZIndex: function () {\r
+               if (this._container && this.options.zIndex !== undefined) {\r
+                       this._container.style.zIndex = this.options.zIndex;\r
+               }\r
+       },\r
+\r
+       _setAutoZIndex: function (pane, compare) {\r
+\r
+               var layers = pane.children,\r
+                   edgeZIndex = -compare(Infinity, -Infinity), // -Infinity for max, Infinity for min\r
+                   zIndex, i, len;\r
+\r
+               for (i = 0, len = layers.length; i < len; i++) {\r
+\r
+                       if (layers[i] !== this._container) {\r
+                               zIndex = parseInt(layers[i].style.zIndex, 10);\r
+\r
+                               if (!isNaN(zIndex)) {\r
+                                       edgeZIndex = compare(edgeZIndex, zIndex);\r
+                               }\r
+                       }\r
+               }\r
+\r
+               this.options.zIndex = this._container.style.zIndex =\r
+                       (isFinite(edgeZIndex) ? edgeZIndex : 0) + compare(1, -1);\r
+       },\r
+\r
+       _updateOpacity: function () {\r
+               var i,\r
+                   tiles = this._tiles;\r
+\r
+               if (L.Browser.ielt9) {\r
+                       for (i in tiles) {\r
+                               L.DomUtil.setOpacity(tiles[i], this.options.opacity);\r
+                       }\r
+               } else {\r
+                       L.DomUtil.setOpacity(this._container, this.options.opacity);\r
+               }\r
+       },\r
+\r
+       _initContainer: function () {\r
+               var tilePane = this._map._panes.tilePane;\r
+\r
+               if (!this._container) {\r
+                       this._container = L.DomUtil.create('div', 'leaflet-layer');\r
+\r
+                       this._updateZIndex();\r
+\r
+                       if (this._animated) {\r
+                               var className = 'leaflet-tile-container';\r
+\r
+                               this._bgBuffer = L.DomUtil.create('div', className, this._container);\r
+                               this._tileContainer = L.DomUtil.create('div', className, this._container);\r
+\r
+                       } else {\r
+                               this._tileContainer = this._container;\r
+                       }\r
+\r
+                       tilePane.appendChild(this._container);\r
+\r
+                       if (this.options.opacity < 1) {\r
+                               this._updateOpacity();\r
+                       }\r
+               }\r
+       },\r
+\r
+       _reset: function (e) {\r
+               for (var key in this._tiles) {\r
+                       this.fire('tileunload', {tile: this._tiles[key]});\r
+               }\r
+\r
+               this._tiles = {};\r
+               this._tilesToLoad = 0;\r
+\r
+               if (this.options.reuseTiles) {\r
+                       this._unusedTiles = [];\r
+               }\r
+\r
+               this._tileContainer.innerHTML = '';\r
+\r
+               if (this._animated && e && e.hard) {\r
+                       this._clearBgBuffer();\r
+               }\r
+\r
+               this._initContainer();\r
+       },\r
+\r
+       _getTileSize: function () {\r
+               var map = this._map,\r
+                   zoom = map.getZoom() + this.options.zoomOffset,\r
+                   zoomN = this.options.maxNativeZoom,\r
+                   tileSize = this.options.tileSize;\r
+\r
+               if (zoomN && zoom > zoomN) {\r
+                       tileSize = Math.round(map.getZoomScale(zoom) / map.getZoomScale(zoomN) * tileSize);\r
+               }\r
+\r
+               return tileSize;\r
+       },\r
+\r
+       _update: function () {\r
+\r
+               if (!this._map) { return; }\r
+\r
+               var map = this._map,\r
+                   bounds = map.getPixelBounds(),\r
+                   zoom = map.getZoom(),\r
+                   tileSize = this._getTileSize();\r
+\r
+               if (zoom > this.options.maxZoom || zoom < this.options.minZoom) {\r
+                       return;\r
+               }\r
+\r
+               var tileBounds = L.bounds(\r
+                       bounds.min.divideBy(tileSize)._floor(),\r
+                       bounds.max.divideBy(tileSize)._floor());\r
+\r
+               this._addTilesFromCenterOut(tileBounds);\r
+\r
+               if (this.options.unloadInvisibleTiles || this.options.reuseTiles) {\r
+                       this._removeOtherTiles(tileBounds);\r
+               }\r
+       },\r
+\r
+       _addTilesFromCenterOut: function (bounds) {\r
+               var queue = [],\r
+                   center = bounds.getCenter();\r
+\r
+               var j, i, point;\r
+\r
+               for (j = bounds.min.y; j <= bounds.max.y; j++) {\r
+                       for (i = bounds.min.x; i <= bounds.max.x; i++) {\r
+                               point = new L.Point(i, j);\r
+\r
+                               if (this._tileShouldBeLoaded(point)) {\r
+                                       queue.push(point);\r
+                               }\r
+                       }\r
+               }\r
+\r
+               var tilesToLoad = queue.length;\r
+\r
+               if (tilesToLoad === 0) { return; }\r
+\r
+               // load tiles in order of their distance to center\r
+               queue.sort(function (a, b) {\r
+                       return a.distanceTo(center) - b.distanceTo(center);\r
+               });\r
+\r
+               var fragment = document.createDocumentFragment();\r
+\r
+               // if its the first batch of tiles to load\r
+               if (!this._tilesToLoad) {\r
+                       this.fire('loading');\r
+               }\r
+\r
+               this._tilesToLoad += tilesToLoad;\r
+\r
+               for (i = 0; i < tilesToLoad; i++) {\r
+                       this._addTile(queue[i], fragment);\r
+               }\r
+\r
+               this._tileContainer.appendChild(fragment);\r
+       },\r
+\r
+       _tileShouldBeLoaded: function (tilePoint) {\r
+               if ((tilePoint.x + ':' + tilePoint.y) in this._tiles) {\r
+                       return false; // already loaded\r
+               }\r
+\r
+               var options = this.options;\r
+\r
+               if (!options.continuousWorld) {\r
+                       var limit = this._getWrapTileNum();\r
+\r
+                       // don't load if exceeds world bounds\r
+                       if ((options.noWrap && (tilePoint.x < 0 || tilePoint.x >= limit.x)) ||\r
+                               tilePoint.y < 0 || tilePoint.y >= limit.y) { return false; }\r
+               }\r
+\r
+               if (options.bounds) {\r
+                       var tileSize = this._getTileSize(),\r
+                           nwPoint = tilePoint.multiplyBy(tileSize),\r
+                           sePoint = nwPoint.add([tileSize, tileSize]),\r
+                           nw = this._map.unproject(nwPoint),\r
+                           se = this._map.unproject(sePoint);\r
+\r
+                       // TODO temporary hack, will be removed after refactoring projections\r
+                       // https://github.com/Leaflet/Leaflet/issues/1618\r
+                       if (!options.continuousWorld && !options.noWrap) {\r
+                               nw = nw.wrap();\r
+                               se = se.wrap();\r
+                       }\r
+\r
+                       if (!options.bounds.intersects([nw, se])) { return false; }\r
+               }\r
+\r
+               return true;\r
+       },\r
+\r
+       _removeOtherTiles: function (bounds) {\r
+               var kArr, x, y, key;\r
+\r
+               for (key in this._tiles) {\r
+                       kArr = key.split(':');\r
+                       x = parseInt(kArr[0], 10);\r
+                       y = parseInt(kArr[1], 10);\r
+\r
+                       // remove tile if it's out of bounds\r
+                       if (x < bounds.min.x || x > bounds.max.x || y < bounds.min.y || y > bounds.max.y) {\r
+                               this._removeTile(key);\r
+                       }\r
+               }\r
+       },\r
+\r
+       _removeTile: function (key) {\r
+               var tile = this._tiles[key];\r
+\r
+               this.fire('tileunload', {tile: tile, url: tile.src});\r
+\r
+               if (this.options.reuseTiles) {\r
+                       L.DomUtil.removeClass(tile, 'leaflet-tile-loaded');\r
+                       this._unusedTiles.push(tile);\r
+\r
+               } else if (tile.parentNode === this._tileContainer) {\r
+                       this._tileContainer.removeChild(tile);\r
+               }\r
+\r
+               // for https://github.com/CloudMade/Leaflet/issues/137\r
+               if (!L.Browser.android) {\r
+                       tile.onload = null;\r
+                       tile.src = L.Util.emptyImageUrl;\r
+               }\r
+\r
+               delete this._tiles[key];\r
+       },\r
+\r
+       _addTile: function (tilePoint, container) {\r
+               var tilePos = this._getTilePos(tilePoint);\r
+\r
+               // get unused tile - or create a new tile\r
+               var tile = this._getTile();\r
+\r
+               /*\r
+               Chrome 20 layouts much faster with top/left (verify with timeline, frames)\r
+               Android 4 browser has display issues with top/left and requires transform instead\r
+               (other browsers don't currently care) - see debug/hacks/jitter.html for an example\r
+               */\r
+               L.DomUtil.setPosition(tile, tilePos, L.Browser.chrome);\r
+\r
+               this._tiles[tilePoint.x + ':' + tilePoint.y] = tile;\r
+\r
+               this._loadTile(tile, tilePoint);\r
+\r
+               if (tile.parentNode !== this._tileContainer) {\r
+                       container.appendChild(tile);\r
+               }\r
+       },\r
+\r
+       _getZoomForUrl: function () {\r
+\r
+               var options = this.options,\r
+                   zoom = this._map.getZoom();\r
+\r
+               if (options.zoomReverse) {\r
+                       zoom = options.maxZoom - zoom;\r
+               }\r
+\r
+               zoom += options.zoomOffset;\r
+\r
+               return options.maxNativeZoom ? Math.min(zoom, options.maxNativeZoom) : zoom;\r
+       },\r
+\r
+       _getTilePos: function (tilePoint) {\r
+               var origin = this._map.getPixelOrigin(),\r
+                   tileSize = this._getTileSize();\r
+\r
+               return tilePoint.multiplyBy(tileSize).subtract(origin);\r
+       },\r
+\r
+       // image-specific code (override to implement e.g. Canvas or SVG tile layer)\r
+\r
+       getTileUrl: function (tilePoint) {\r
+               return L.Util.template(this._url, L.extend({\r
+                       s: this._getSubdomain(tilePoint),\r
+                       z: tilePoint.z,\r
+                       x: tilePoint.x,\r
+                       y: tilePoint.y\r
+               }, this.options));\r
+       },\r
+\r
+       _getWrapTileNum: function () {\r
+               var crs = this._map.options.crs,\r
+                   size = crs.getSize(this._map.getZoom());\r
+               return size.divideBy(this._getTileSize())._floor();\r
+       },\r
+\r
+       _adjustTilePoint: function (tilePoint) {\r
+\r
+               var limit = this._getWrapTileNum();\r
+\r
+               // wrap tile coordinates\r
+               if (!this.options.continuousWorld && !this.options.noWrap) {\r
+                       tilePoint.x = ((tilePoint.x % limit.x) + limit.x) % limit.x;\r
+               }\r
+\r
+               if (this.options.tms) {\r
+                       tilePoint.y = limit.y - tilePoint.y - 1;\r
+               }\r
+\r
+               tilePoint.z = this._getZoomForUrl();\r
+       },\r
+\r
+       _getSubdomain: function (tilePoint) {\r
+               var index = Math.abs(tilePoint.x + tilePoint.y) % this.options.subdomains.length;\r
+               return this.options.subdomains[index];\r
+       },\r
+\r
+       _getTile: function () {\r
+               if (this.options.reuseTiles && this._unusedTiles.length > 0) {\r
+                       var tile = this._unusedTiles.pop();\r
+                       this._resetTile(tile);\r
+                       return tile;\r
+               }\r
+               return this._createTile();\r
+       },\r
+\r
+       // Override if data stored on a tile needs to be cleaned up before reuse\r
+       _resetTile: function (/*tile*/) {},\r
+\r
+       _createTile: function () {\r
+               var tile = L.DomUtil.create('img', 'leaflet-tile');\r
+               tile.style.width = tile.style.height = this._getTileSize() + 'px';\r
+               tile.galleryimg = 'no';\r
+\r
+               tile.onselectstart = tile.onmousemove = L.Util.falseFn;\r
+\r
+               if (L.Browser.ielt9 && this.options.opacity !== undefined) {\r
+                       L.DomUtil.setOpacity(tile, this.options.opacity);\r
+               }\r
+               // without this hack, tiles disappear after zoom on Chrome for Android\r
+               // https://github.com/Leaflet/Leaflet/issues/2078\r
+               if (L.Browser.mobileWebkit3d) {\r
+                       tile.style.WebkitBackfaceVisibility = 'hidden';\r
+               }\r
+               return tile;\r
+       },\r
+\r
+       _loadTile: function (tile, tilePoint) {\r
+               tile._layer  = this;\r
+               tile.onload  = this._tileOnLoad;\r
+               tile.onerror = this._tileOnError;\r
+\r
+               this._adjustTilePoint(tilePoint);\r
+               tile.src     = this.getTileUrl(tilePoint);\r
+\r
+               this.fire('tileloadstart', {\r
+                       tile: tile,\r
+                       url: tile.src\r
+               });\r
+       },\r
+\r
+       _tileLoaded: function () {\r
+               this._tilesToLoad--;\r
+\r
+               if (this._animated) {\r
+                       L.DomUtil.addClass(this._tileContainer, 'leaflet-zoom-animated');\r
+               }\r
+\r
+               if (!this._tilesToLoad) {\r
+                       this.fire('load');\r
+\r
+                       if (this._animated) {\r
+                               // clear scaled tiles after all new tiles are loaded (for performance)\r
+                               clearTimeout(this._clearBgBufferTimer);\r
+                               this._clearBgBufferTimer = setTimeout(L.bind(this._clearBgBuffer, this), 500);\r
+                       }\r
+               }\r
+       },\r
+\r
+       _tileOnLoad: function () {\r
+               var layer = this._layer;\r
+\r
+               //Only if we are loading an actual image\r
+               if (this.src !== L.Util.emptyImageUrl) {\r
+                       L.DomUtil.addClass(this, 'leaflet-tile-loaded');\r
+\r
+                       layer.fire('tileload', {\r
+                               tile: this,\r
+                               url: this.src\r
+                       });\r
+               }\r
+\r
+               layer._tileLoaded();\r
+       },\r
+\r
+       _tileOnError: function () {\r
+               var layer = this._layer;\r
+\r
+               layer.fire('tileerror', {\r
+                       tile: this,\r
+                       url: this.src\r
+               });\r
+\r
+               var newUrl = layer.options.errorTileUrl;\r
+               if (newUrl) {\r
+                       this.src = newUrl;\r
+               }\r
+\r
+               layer._tileLoaded();\r
+       }\r
+});\r
+\r
+L.tileLayer = function (url, options) {\r
+       return new L.TileLayer(url, options);\r
+};\r
+
+
+/*\r
+ * L.TileLayer.WMS is used for putting WMS tile layers on the map.\r
+ */\r
+\r
+L.TileLayer.WMS = L.TileLayer.extend({\r
+\r
+       defaultWmsParams: {\r
+               service: 'WMS',\r
+               request: 'GetMap',\r
+               version: '1.1.1',\r
+               layers: '',\r
+               styles: '',\r
+               format: 'image/jpeg',\r
+               transparent: false\r
+       },\r
+\r
+       initialize: function (url, options) { // (String, Object)\r
+\r
+               this._url = url;\r
+\r
+               var wmsParams = L.extend({}, this.defaultWmsParams),\r
+                   tileSize = options.tileSize || this.options.tileSize;\r
+\r
+               if (options.detectRetina && L.Browser.retina) {\r
+                       wmsParams.width = wmsParams.height = tileSize * 2;\r
+               } else {\r
+                       wmsParams.width = wmsParams.height = tileSize;\r
+               }\r
+\r
+               for (var i in options) {\r
+                       // all keys that are not TileLayer options go to WMS params\r
+                       if (!this.options.hasOwnProperty(i) && i !== 'crs') {\r
+                               wmsParams[i] = options[i];\r
+                       }\r
+               }\r
+\r
+               this.wmsParams = wmsParams;\r
+\r
+               L.setOptions(this, options);\r
+       },\r
+\r
+       onAdd: function (map) {\r
+\r
+               this._crs = this.options.crs || map.options.crs;\r
+\r
+               this._wmsVersion = parseFloat(this.wmsParams.version);\r
+\r
+               var projectionKey = this._wmsVersion >= 1.3 ? 'crs' : 'srs';\r
+               this.wmsParams[projectionKey] = this._crs.code;\r
+\r
+               L.TileLayer.prototype.onAdd.call(this, map);\r
+       },\r
+\r
+       getTileUrl: function (tilePoint) { // (Point, Number) -> String\r
+\r
+               var map = this._map,\r
+                   tileSize = this.options.tileSize,\r
+\r
+                   nwPoint = tilePoint.multiplyBy(tileSize),\r
+                   sePoint = nwPoint.add([tileSize, tileSize]),\r
+\r
+                   nw = this._crs.project(map.unproject(nwPoint, tilePoint.z)),\r
+                   se = this._crs.project(map.unproject(sePoint, tilePoint.z)),\r
+                   bbox = this._wmsVersion >= 1.3 && this._crs === L.CRS.EPSG4326 ?\r
+                       [se.y, nw.x, nw.y, se.x].join(',') :\r
+                       [nw.x, se.y, se.x, nw.y].join(','),\r
+\r
+                   url = L.Util.template(this._url, {s: this._getSubdomain(tilePoint)});\r
+\r
+               return url + L.Util.getParamString(this.wmsParams, url, true) + '&BBOX=' + bbox;\r
+       },\r
+\r
+       setParams: function (params, noRedraw) {\r
+\r
+               L.extend(this.wmsParams, params);\r
+\r
+               if (!noRedraw) {\r
+                       this.redraw();\r
+               }\r
+\r
+               return this;\r
+       }\r
+});\r
+\r
+L.tileLayer.wms = function (url, options) {\r
+       return new L.TileLayer.WMS(url, options);\r
+};\r
+
+
+/*\r
+ * L.TileLayer.Canvas is a class that you can use as a base for creating\r
+ * dynamically drawn Canvas-based tile layers.\r
+ */\r
+\r
+L.TileLayer.Canvas = L.TileLayer.extend({\r
+       options: {\r
+               async: false\r
+       },\r
+\r
+       initialize: function (options) {\r
+               L.setOptions(this, options);\r
+       },\r
+\r
+       redraw: function () {\r
+               if (this._map) {\r
+                       this._reset({hard: true});\r
+                       this._update();\r
+               }\r
+\r
+               for (var i in this._tiles) {\r
+                       this._redrawTile(this._tiles[i]);\r
+               }\r
+               return this;\r
+       },\r
+\r
+       _redrawTile: function (tile) {\r
+               this.drawTile(tile, tile._tilePoint, this._map._zoom);\r
+       },\r
+\r
+       _createTile: function () {\r
+               var tile = L.DomUtil.create('canvas', 'leaflet-tile');\r
+               tile.width = tile.height = this.options.tileSize;\r
+               tile.onselectstart = tile.onmousemove = L.Util.falseFn;\r
+               return tile;\r
+       },\r
+\r
+       _loadTile: function (tile, tilePoint) {\r
+               tile._layer = this;\r
+               tile._tilePoint = tilePoint;\r
+\r
+               this._redrawTile(tile);\r
+\r
+               if (!this.options.async) {\r
+                       this.tileDrawn(tile);\r
+               }\r
+       },\r
+\r
+       drawTile: function (/*tile, tilePoint*/) {\r
+               // override with rendering code\r
+       },\r
+\r
+       tileDrawn: function (tile) {\r
+               this._tileOnLoad.call(tile);\r
+       }\r
+});\r
+\r
+\r
+L.tileLayer.canvas = function (options) {\r
+       return new L.TileLayer.Canvas(options);\r
+};\r
+
+
+/*\r
+ * L.ImageOverlay is used to overlay images over the map (to specific geographical bounds).\r
+ */\r
+\r
+L.ImageOverlay = L.Class.extend({\r
+       includes: L.Mixin.Events,\r
+\r
+       options: {\r
+               opacity: 1\r
+       },\r
+\r
+       initialize: function (url, bounds, options) { // (String, LatLngBounds, Object)\r
+               this._url = url;\r
+               this._bounds = L.latLngBounds(bounds);\r
+\r
+               L.setOptions(this, options);\r
+       },\r
+\r
+       onAdd: function (map) {\r
+               this._map = map;\r
+\r
+               if (!this._image) {\r
+                       this._initImage();\r
+               }\r
+\r
+               map._panes.overlayPane.appendChild(this._image);\r
+\r
+               map.on('viewreset', this._reset, this);\r
+\r
+               if (map.options.zoomAnimation && L.Browser.any3d) {\r
+                       map.on('zoomanim', this._animateZoom, this);\r
+               }\r
+\r
+               this._reset();\r
+       },\r
+\r
+       onRemove: function (map) {\r
+               map.getPanes().overlayPane.removeChild(this._image);\r
+\r
+               map.off('viewreset', this._reset, this);\r
+\r
+               if (map.options.zoomAnimation) {\r
+                       map.off('zoomanim', this._animateZoom, this);\r
+               }\r
+       },\r
+\r
+       addTo: function (map) {\r
+               map.addLayer(this);\r
+               return this;\r
+       },\r
+\r
+       setOpacity: function (opacity) {\r
+               this.options.opacity = opacity;\r
+               this._updateOpacity();\r
+               return this;\r
+       },\r
+\r
+       // TODO remove bringToFront/bringToBack duplication from TileLayer/Path\r
+       bringToFront: function () {\r
+               if (this._image) {\r
+                       this._map._panes.overlayPane.appendChild(this._image);\r
+               }\r
+               return this;\r
+       },\r
+\r
+       bringToBack: function () {\r
+               var pane = this._map._panes.overlayPane;\r
+               if (this._image) {\r
+                       pane.insertBefore(this._image, pane.firstChild);\r
+               }\r
+               return this;\r
+       },\r
+\r
+       setUrl: function (url) {\r
+               this._url = url;\r
+               this._image.src = this._url;\r
+       },\r
+\r
+       getAttribution: function () {\r
+               return this.options.attribution;\r
+       },\r
+\r
+       _initImage: function () {\r
+               this._image = L.DomUtil.create('img', 'leaflet-image-layer');\r
+\r
+               if (this._map.options.zoomAnimation && L.Browser.any3d) {\r
+                       L.DomUtil.addClass(this._image, 'leaflet-zoom-animated');\r
+               } else {\r
+                       L.DomUtil.addClass(this._image, 'leaflet-zoom-hide');\r
+               }\r
+\r
+               this._updateOpacity();\r
+\r
+               //TODO createImage util method to remove duplication\r
+               L.extend(this._image, {\r
+                       galleryimg: 'no',\r
+                       onselectstart: L.Util.falseFn,\r
+                       onmousemove: L.Util.falseFn,\r
+                       onload: L.bind(this._onImageLoad, this),\r
+                       src: this._url\r
+               });\r
+       },\r
+\r
+       _animateZoom: function (e) {\r
+               var map = this._map,\r
+                   image = this._image,\r
+                   scale = map.getZoomScale(e.zoom),\r
+                   nw = this._bounds.getNorthWest(),\r
+                   se = this._bounds.getSouthEast(),\r
+\r
+                   topLeft = map._latLngToNewLayerPoint(nw, e.zoom, e.center),\r
+                   size = map._latLngToNewLayerPoint(se, e.zoom, e.center)._subtract(topLeft),\r
+                   origin = topLeft._add(size._multiplyBy((1 / 2) * (1 - 1 / scale)));\r
+\r
+               image.style[L.DomUtil.TRANSFORM] =\r
+                       L.DomUtil.getTranslateString(origin) + ' scale(' + scale + ') ';\r
+       },\r
+\r
+       _reset: function () {\r
+               var image   = this._image,\r
+                   topLeft = this._map.latLngToLayerPoint(this._bounds.getNorthWest()),\r
+                   size = this._map.latLngToLayerPoint(this._bounds.getSouthEast())._subtract(topLeft);\r
+\r
+               L.DomUtil.setPosition(image, topLeft);\r
+\r
+               image.style.width  = size.x + 'px';\r
+               image.style.height = size.y + 'px';\r
+       },\r
+\r
+       _onImageLoad: function () {\r
+               this.fire('load');\r
+       },\r
+\r
+       _updateOpacity: function () {\r
+               L.DomUtil.setOpacity(this._image, this.options.opacity);\r
+       }\r
+});\r
+\r
+L.imageOverlay = function (url, bounds, options) {\r
+       return new L.ImageOverlay(url, bounds, options);\r
+};\r
+
+
+/*\r
+ * L.Icon is an image-based icon class that you can use with L.Marker for custom markers.\r
+ */\r
+\r
+L.Icon = L.Class.extend({\r
+       options: {\r
+               /*\r
+               iconUrl: (String) (required)\r
+               iconRetinaUrl: (String) (optional, used for retina devices if detected)\r
+               iconSize: (Point) (can be set through CSS)\r
+               iconAnchor: (Point) (centered by default, can be set in CSS with negative margins)\r
+               popupAnchor: (Point) (if not specified, popup opens in the anchor point)\r
+               shadowUrl: (String) (no shadow by default)\r
+               shadowRetinaUrl: (String) (optional, used for retina devices if detected)\r
+               shadowSize: (Point)\r
+               shadowAnchor: (Point)\r
+               */\r
+               className: ''\r
+       },\r
+\r
+       initialize: function (options) {\r
+               L.setOptions(this, options);\r
+       },\r
+\r
+       createIcon: function (oldIcon) {\r
+               return this._createIcon('icon', oldIcon);\r
+       },\r
+\r
+       createShadow: function (oldIcon) {\r
+               return this._createIcon('shadow', oldIcon);\r
+       },\r
+\r
+       _createIcon: function (name, oldIcon) {\r
+               var src = this._getIconUrl(name);\r
+\r
+               if (!src) {\r
+                       if (name === 'icon') {\r
+                               throw new Error('iconUrl not set in Icon options (see the docs).');\r
+                       }\r
+                       return null;\r
+               }\r
+\r
+               var img;\r
+               if (!oldIcon || oldIcon.tagName !== 'IMG') {\r
+                       img = this._createImg(src);\r
+               } else {\r
+                       img = this._createImg(src, oldIcon);\r
+               }\r
+               this._setIconStyles(img, name);\r
+\r
+               return img;\r
+       },\r
+\r
+       _setIconStyles: function (img, name) {\r
+               var options = this.options,\r
+                   size = L.point(options[name + 'Size']),\r
+                   anchor;\r
+\r
+               if (name === 'shadow') {\r
+                       anchor = L.point(options.shadowAnchor || options.iconAnchor);\r
+               } else {\r
+                       anchor = L.point(options.iconAnchor);\r
+               }\r
+\r
+               if (!anchor && size) {\r
+                       anchor = size.divideBy(2, true);\r
+               }\r
+\r
+               img.className = 'leaflet-marker-' + name + ' ' + options.className;\r
+\r
+               if (anchor) {\r
+                       img.style.marginLeft = (-anchor.x) + 'px';\r
+                       img.style.marginTop  = (-anchor.y) + 'px';\r
+               }\r
+\r
+               if (size) {\r
+                       img.style.width  = size.x + 'px';\r
+                       img.style.height = size.y + 'px';\r
+               }\r
+       },\r
+\r
+       _createImg: function (src, el) {\r
+               el = el || document.createElement('img');\r
+               el.src = src;\r
+               return el;\r
+       },\r
+\r
+       _getIconUrl: function (name) {\r
+               if (L.Browser.retina && this.options[name + 'RetinaUrl']) {\r
+                       return this.options[name + 'RetinaUrl'];\r
+               }\r
+               return this.options[name + 'Url'];\r
+       }\r
+});\r
+\r
+L.icon = function (options) {\r
+       return new L.Icon(options);\r
+};\r
+
+
+/*
+ * L.Icon.Default is the blue marker icon used by default in Leaflet.
+ */
+
+L.Icon.Default = L.Icon.extend({
+
+       options: {
+               iconSize: [25, 41],
+               iconAnchor: [12, 41],
+               popupAnchor: [1, -34],
+
+               shadowSize: [41, 41]
+       },
+
+       _getIconUrl: function (name) {
+               var key = name + 'Url';
+
+               if (this.options[key]) {
+                       return this.options[key];
+               }
+
+               if (L.Browser.retina && name === 'icon') {
+                       name += '-2x';
+               }
+
+               var path = L.Icon.Default.imagePath;
+
+               if (!path) {
+                       throw new Error('Couldn\'t autodetect L.Icon.Default.imagePath, set it manually.');
+               }
+
+               return path + '/marker-' + name + '.png';
+       }
+});
+
+L.Icon.Default.imagePath = (function () {
+       var scripts = document.getElementsByTagName('script'),
+           leafletRe = /[\/^]leaflet[\-\._]?([\w\-\._]*)\.js\??/;
+
+       var i, len, src, matches, path;
+
+       for (i = 0, len = scripts.length; i < len; i++) {
+               src = scripts[i].src;
+               matches = src.match(leafletRe);
+
+               if (matches) {
+                       path = src.split(leafletRe)[0];
+                       return (path ? path + '/' : '') + 'images';
+               }
+       }
+}());
+
+
+/*\r
+ * L.Marker is used to display clickable/draggable icons on the map.\r
+ */\r
+\r
+L.Marker = L.Class.extend({\r
+\r
+       includes: L.Mixin.Events,\r
+\r
+       options: {\r
+               icon: new L.Icon.Default(),\r
+               title: '',\r
+               alt: '',\r
+               clickable: true,\r
+               draggable: false,\r
+               keyboard: true,\r
+               zIndexOffset: 0,\r
+               opacity: 1,\r
+               riseOnHover: false,\r
+               riseOffset: 250\r
+       },\r
+\r
+       initialize: function (latlng, options) {\r
+               L.setOptions(this, options);\r
+               this._latlng = L.latLng(latlng);\r
+       },\r
+\r
+       onAdd: function (map) {\r
+               this._map = map;\r
+\r
+               map.on('viewreset', this.update, this);\r
+\r
+               this._initIcon();\r
+               this.update();\r
+               this.fire('add');\r
+\r
+               if (map.options.zoomAnimation && map.options.markerZoomAnimation) {\r
+                       map.on('zoomanim', this._animateZoom, this);\r
+               }\r
+       },\r
+\r
+       addTo: function (map) {\r
+               map.addLayer(this);\r
+               return this;\r
+       },\r
+\r
+       onRemove: function (map) {\r
+               if (this.dragging) {\r
+                       this.dragging.disable();\r
+               }\r
+\r
+               this._removeIcon();\r
+               this._removeShadow();\r
+\r
+               this.fire('remove');\r
+\r
+               map.off({\r
+                       'viewreset': this.update,\r
+                       'zoomanim': this._animateZoom\r
+               }, this);\r
+\r
+               this._map = null;\r
+       },\r
+\r
+       getLatLng: function () {\r
+               return this._latlng;\r
+       },\r
+\r
+       setLatLng: function (latlng) {\r
+               this._latlng = L.latLng(latlng);\r
+\r
+               this.update();\r
+\r
+               return this.fire('move', { latlng: this._latlng });\r
+       },\r
+\r
+       setZIndexOffset: function (offset) {\r
+               this.options.zIndexOffset = offset;\r
+               this.update();\r
+\r
+               return this;\r
+       },\r
+\r
+       setIcon: function (icon) {\r
+\r
+               this.options.icon = icon;\r
+\r
+               if (this._map) {\r
+                       this._initIcon();\r
+                       this.update();\r
+               }\r
+\r
+               if (this._popup) {\r
+                       this.bindPopup(this._popup);\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       update: function () {\r
+               if (this._icon) {\r
+                       this._setPos(this._map.latLngToLayerPoint(this._latlng).round());\r
+               }\r
+               return this;\r
+       },\r
+\r
+       _initIcon: function () {\r
+               var options = this.options,\r
+                   map = this._map,\r
+                   animation = (map.options.zoomAnimation && map.options.markerZoomAnimation),\r
+                   classToAdd = animation ? 'leaflet-zoom-animated' : 'leaflet-zoom-hide';\r
+\r
+               var icon = options.icon.createIcon(this._icon),\r
+                       addIcon = false;\r
+\r
+               // if we're not reusing the icon, remove the old one and init new one\r
+               if (icon !== this._icon) {\r
+                       if (this._icon) {\r
+                               this._removeIcon();\r
+                       }\r
+                       addIcon = true;\r
+\r
+                       if (options.title) {\r
+                               icon.title = options.title;\r
+                       }\r
+\r
+                       if (options.alt) {\r
+                               icon.alt = options.alt;\r
+                       }\r
+               }\r
+\r
+               L.DomUtil.addClass(icon, classToAdd);\r
+\r
+               if (options.keyboard) {\r
+                       icon.tabIndex = '0';\r
+               }\r
+\r
+               this._icon = icon;\r
+\r
+               this._initInteraction();\r
+\r
+               if (options.riseOnHover) {\r
+                       L.DomEvent\r
+                               .on(icon, 'mouseover', this._bringToFront, this)\r
+                               .on(icon, 'mouseout', this._resetZIndex, this);\r
+               }\r
+\r
+               var newShadow = options.icon.createShadow(this._shadow),\r
+                       addShadow = false;\r
+\r
+               if (newShadow !== this._shadow) {\r
+                       this._removeShadow();\r
+                       addShadow = true;\r
+               }\r
+\r
+               if (newShadow) {\r
+                       L.DomUtil.addClass(newShadow, classToAdd);\r
+               }\r
+               this._shadow = newShadow;\r
+\r
+\r
+               if (options.opacity < 1) {\r
+                       this._updateOpacity();\r
+               }\r
+\r
+\r
+               var panes = this._map._panes;\r
+\r
+               if (addIcon) {\r
+                       panes.markerPane.appendChild(this._icon);\r
+               }\r
+\r
+               if (newShadow && addShadow) {\r
+                       panes.shadowPane.appendChild(this._shadow);\r
+               }\r
+       },\r
+\r
+       _removeIcon: function () {\r
+               if (this.options.riseOnHover) {\r
+                       L.DomEvent\r
+                           .off(this._icon, 'mouseover', this._bringToFront)\r
+                           .off(this._icon, 'mouseout', this._resetZIndex);\r
+               }\r
+\r
+               this._map._panes.markerPane.removeChild(this._icon);\r
+\r
+               this._icon = null;\r
+       },\r
+\r
+       _removeShadow: function () {\r
+               if (this._shadow) {\r
+                       this._map._panes.shadowPane.removeChild(this._shadow);\r
+               }\r
+               this._shadow = null;\r
+       },\r
+\r
+       _setPos: function (pos) {\r
+               L.DomUtil.setPosition(this._icon, pos);\r
+\r
+               if (this._shadow) {\r
+                       L.DomUtil.setPosition(this._shadow, pos);\r
+               }\r
+\r
+               this._zIndex = pos.y + this.options.zIndexOffset;\r
+\r
+               this._resetZIndex();\r
+       },\r
+\r
+       _updateZIndex: function (offset) {\r
+               this._icon.style.zIndex = this._zIndex + offset;\r
+       },\r
+\r
+       _animateZoom: function (opt) {\r
+               var pos = this._map._latLngToNewLayerPoint(this._latlng, opt.zoom, opt.center).round();\r
+\r
+               this._setPos(pos);\r
+       },\r
+\r
+       _initInteraction: function () {\r
+\r
+               if (!this.options.clickable) { return; }\r
+\r
+               // TODO refactor into something shared with Map/Path/etc. to DRY it up\r
+\r
+               var icon = this._icon,\r
+                   events = ['dblclick', 'mousedown', 'mouseover', 'mouseout', 'contextmenu'];\r
+\r
+               L.DomUtil.addClass(icon, 'leaflet-clickable');\r
+               L.DomEvent.on(icon, 'click', this._onMouseClick, this);\r
+               L.DomEvent.on(icon, 'keypress', this._onKeyPress, this);\r
+\r
+               for (var i = 0; i < events.length; i++) {\r
+                       L.DomEvent.on(icon, events[i], this._fireMouseEvent, this);\r
+               }\r
+\r
+               if (L.Handler.MarkerDrag) {\r
+                       this.dragging = new L.Handler.MarkerDrag(this);\r
+\r
+                       if (this.options.draggable) {\r
+                               this.dragging.enable();\r
+                       }\r
+               }\r
+       },\r
+\r
+       _onMouseClick: function (e) {\r
+               var wasDragged = this.dragging && this.dragging.moved();\r
+\r
+               if (this.hasEventListeners(e.type) || wasDragged) {\r
+                       L.DomEvent.stopPropagation(e);\r
+               }\r
+\r
+               if (wasDragged) { return; }\r
+\r
+               if ((!this.dragging || !this.dragging._enabled) && this._map.dragging && this._map.dragging.moved()) { return; }\r
+\r
+               this.fire(e.type, {\r
+                       originalEvent: e,\r
+                       latlng: this._latlng\r
+               });\r
+       },\r
+\r
+       _onKeyPress: function (e) {\r
+               if (e.keyCode === 13) {\r
+                       this.fire('click', {\r
+                               originalEvent: e,\r
+                               latlng: this._latlng\r
+                       });\r
+               }\r
+       },\r
+\r
+       _fireMouseEvent: function (e) {\r
+\r
+               this.fire(e.type, {\r
+                       originalEvent: e,\r
+                       latlng: this._latlng\r
+               });\r
+\r
+               // TODO proper custom event propagation\r
+               // this line will always be called if marker is in a FeatureGroup\r
+               if (e.type === 'contextmenu' && this.hasEventListeners(e.type)) {\r
+                       L.DomEvent.preventDefault(e);\r
+               }\r
+               if (e.type !== 'mousedown') {\r
+                       L.DomEvent.stopPropagation(e);\r
+               } else {\r
+                       L.DomEvent.preventDefault(e);\r
+               }\r
+       },\r
+\r
+       setOpacity: function (opacity) {\r
+               this.options.opacity = opacity;\r
+               if (this._map) {\r
+                       this._updateOpacity();\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       _updateOpacity: function () {\r
+               L.DomUtil.setOpacity(this._icon, this.options.opacity);\r
+               if (this._shadow) {\r
+                       L.DomUtil.setOpacity(this._shadow, this.options.opacity);\r
+               }\r
+       },\r
+\r
+       _bringToFront: function () {\r
+               this._updateZIndex(this.options.riseOffset);\r
+       },\r
+\r
+       _resetZIndex: function () {\r
+               this._updateZIndex(0);\r
+       }\r
+});\r
+\r
+L.marker = function (latlng, options) {\r
+       return new L.Marker(latlng, options);\r
+};\r
+
+
+/*
+ * L.DivIcon is a lightweight HTML-based icon class (as opposed to the image-based L.Icon)
+ * to use with L.Marker.
+ */
+
+L.DivIcon = L.Icon.extend({
+       options: {
+               iconSize: [12, 12], // also can be set through CSS
+               /*
+               iconAnchor: (Point)
+               popupAnchor: (Point)
+               html: (String)
+               bgPos: (Point)
+               */
+               className: 'leaflet-div-icon',
+               html: false
+       },
+
+       createIcon: function (oldIcon) {
+               var div = (oldIcon && oldIcon.tagName === 'DIV') ? oldIcon : document.createElement('div'),
+                   options = this.options;
+
+               if (options.html !== false) {
+                       div.innerHTML = options.html;
+               } else {
+                       div.innerHTML = '';
+               }
+
+               if (options.bgPos) {
+                       div.style.backgroundPosition =
+                               (-options.bgPos.x) + 'px ' + (-options.bgPos.y) + 'px';
+               }
+
+               this._setIconStyles(div, 'icon');
+               return div;
+       },
+
+       createShadow: function () {
+               return null;
+       }
+});
+
+L.divIcon = function (options) {
+       return new L.DivIcon(options);
+};
+
+
+/*\r
+ * L.Popup is used for displaying popups on the map.\r
+ */\r
+\r
+L.Map.mergeOptions({\r
+       closePopupOnClick: true\r
+});\r
+\r
+L.Popup = L.Class.extend({\r
+       includes: L.Mixin.Events,\r
+\r
+       options: {\r
+               minWidth: 50,\r
+               maxWidth: 300,\r
+               // maxHeight: null,\r
+               autoPan: true,\r
+               closeButton: true,\r
+               offset: [0, 7],\r
+               autoPanPadding: [5, 5],\r
+               // autoPanPaddingTopLeft: null,\r
+               // autoPanPaddingBottomRight: null,\r
+               keepInView: false,\r
+               className: '',\r
+               zoomAnimation: true\r
+       },\r
+\r
+       initialize: function (options, source) {\r
+               L.setOptions(this, options);\r
+\r
+               this._source = source;\r
+               this._animated = L.Browser.any3d && this.options.zoomAnimation;\r
+               this._isOpen = false;\r
+       },\r
+\r
+       onAdd: function (map) {\r
+               this._map = map;\r
+\r
+               if (!this._container) {\r
+                       this._initLayout();\r
+               }\r
+\r
+               var animFade = map.options.fadeAnimation;\r
+\r
+               if (animFade) {\r
+                       L.DomUtil.setOpacity(this._container, 0);\r
+               }\r
+               map._panes.popupPane.appendChild(this._container);\r
+\r
+               map.on(this._getEvents(), this);\r
+\r
+               this.update();\r
+\r
+               if (animFade) {\r
+                       L.DomUtil.setOpacity(this._container, 1);\r
+               }\r
+\r
+               this.fire('open');\r
+\r
+               map.fire('popupopen', {popup: this});\r
+\r
+               if (this._source) {\r
+                       this._source.fire('popupopen', {popup: this});\r
+               }\r
+       },\r
+\r
+       addTo: function (map) {\r
+               map.addLayer(this);\r
+               return this;\r
+       },\r
+\r
+       openOn: function (map) {\r
+               map.openPopup(this);\r
+               return this;\r
+       },\r
+\r
+       onRemove: function (map) {\r
+               map._panes.popupPane.removeChild(this._container);\r
+\r
+               L.Util.falseFn(this._container.offsetWidth); // force reflow\r
+\r
+               map.off(this._getEvents(), this);\r
+\r
+               if (map.options.fadeAnimation) {\r
+                       L.DomUtil.setOpacity(this._container, 0);\r
+               }\r
+\r
+               this._map = null;\r
+\r
+               this.fire('close');\r
+\r
+               map.fire('popupclose', {popup: this});\r
+\r
+               if (this._source) {\r
+                       this._source.fire('popupclose', {popup: this});\r
+               }\r
+       },\r
+\r
+       getLatLng: function () {\r
+               return this._latlng;\r
+       },\r
+\r
+       setLatLng: function (latlng) {\r
+               this._latlng = L.latLng(latlng);\r
+               if (this._map) {\r
+                       this._updatePosition();\r
+                       this._adjustPan();\r
+               }\r
+               return this;\r
+       },\r
+\r
+       getContent: function () {\r
+               return this._content;\r
+       },\r
+\r
+       setContent: function (content) {\r
+               this._content = content;\r
+               this.update();\r
+               return this;\r
+       },\r
+\r
+       update: function () {\r
+               if (!this._map) { return; }\r
+\r
+               this._container.style.visibility = 'hidden';\r
+\r
+               this._updateContent();\r
+               this._updateLayout();\r
+               this._updatePosition();\r
+\r
+               this._container.style.visibility = '';\r
+\r
+               this._adjustPan();\r
+       },\r
+\r
+       _getEvents: function () {\r
+               var events = {\r
+                       viewreset: this._updatePosition\r
+               };\r
+\r
+               if (this._animated) {\r
+                       events.zoomanim = this._zoomAnimation;\r
+               }\r
+               if ('closeOnClick' in this.options ? this.options.closeOnClick : this._map.options.closePopupOnClick) {\r
+                       events.preclick = this._close;\r
+               }\r
+               if (this.options.keepInView) {\r
+                       events.moveend = this._adjustPan;\r
+               }\r
+\r
+               return events;\r
+       },\r
+\r
+       _close: function () {\r
+               if (this._map) {\r
+                       this._map.closePopup(this);\r
+               }\r
+       },\r
+\r
+       _initLayout: function () {\r
+               var prefix = 'leaflet-popup',\r
+                       containerClass = prefix + ' ' + this.options.className + ' leaflet-zoom-' +\r
+                               (this._animated ? 'animated' : 'hide'),\r
+                       container = this._container = L.DomUtil.create('div', containerClass),\r
+                       closeButton;\r
+\r
+               if (this.options.closeButton) {\r
+                       closeButton = this._closeButton =\r
+                               L.DomUtil.create('a', prefix + '-close-button', container);\r
+                       closeButton.href = '#close';\r
+                       closeButton.innerHTML = '&#215;';\r
+                       L.DomEvent.disableClickPropagation(closeButton);\r
+\r
+                       L.DomEvent.on(closeButton, 'click', this._onCloseButtonClick, this);\r
+               }\r
+\r
+               var wrapper = this._wrapper =\r
+                       L.DomUtil.create('div', prefix + '-content-wrapper', container);\r
+               L.DomEvent.disableClickPropagation(wrapper);\r
+\r
+               this._contentNode = L.DomUtil.create('div', prefix + '-content', wrapper);\r
+\r
+               L.DomEvent.disableScrollPropagation(this._contentNode);\r
+               L.DomEvent.on(wrapper, 'contextmenu', L.DomEvent.stopPropagation);\r
+\r
+               this._tipContainer = L.DomUtil.create('div', prefix + '-tip-container', container);\r
+               this._tip = L.DomUtil.create('div', prefix + '-tip', this._tipContainer);\r
+       },\r
+\r
+       _updateContent: function () {\r
+               if (!this._content) { return; }\r
+\r
+               if (typeof this._content === 'string') {\r
+                       this._contentNode.innerHTML = this._content;\r
+               } else {\r
+                       while (this._contentNode.hasChildNodes()) {\r
+                               this._contentNode.removeChild(this._contentNode.firstChild);\r
+                       }\r
+                       this._contentNode.appendChild(this._content);\r
+               }\r
+               this.fire('contentupdate');\r
+       },\r
+\r
+       _updateLayout: function () {\r
+               var container = this._contentNode,\r
+                   style = container.style;\r
+\r
+               style.width = '';\r
+               style.whiteSpace = 'nowrap';\r
+\r
+               var width = container.offsetWidth;\r
+               width = Math.min(width, this.options.maxWidth);\r
+               width = Math.max(width, this.options.minWidth);\r
+\r
+               style.width = (width + 1) + 'px';\r
+               style.whiteSpace = '';\r
+\r
+               style.height = '';\r
+\r
+               var height = container.offsetHeight,\r
+                   maxHeight = this.options.maxHeight,\r
+                   scrolledClass = 'leaflet-popup-scrolled';\r
+\r
+               if (maxHeight && height > maxHeight) {\r
+                       style.height = maxHeight + 'px';\r
+                       L.DomUtil.addClass(container, scrolledClass);\r
+               } else {\r
+                       L.DomUtil.removeClass(container, scrolledClass);\r
+               }\r
+\r
+               this._containerWidth = this._container.offsetWidth;\r
+       },\r
+\r
+       _updatePosition: function () {\r
+               if (!this._map) { return; }\r
+\r
+               var pos = this._map.latLngToLayerPoint(this._latlng),\r
+                   animated = this._animated,\r
+                   offset = L.point(this.options.offset);\r
+\r
+               if (animated) {\r
+                       L.DomUtil.setPosition(this._container, pos);\r
+               }\r
+\r
+               this._containerBottom = -offset.y - (animated ? 0 : pos.y);\r
+               this._containerLeft = -Math.round(this._containerWidth / 2) + offset.x + (animated ? 0 : pos.x);\r
+\r
+               // bottom position the popup in case the height of the popup changes (images loading etc)\r
+               this._container.style.bottom = this._containerBottom + 'px';\r
+               this._container.style.left = this._containerLeft + 'px';\r
+       },\r
+\r
+       _zoomAnimation: function (opt) {\r
+               var pos = this._map._latLngToNewLayerPoint(this._latlng, opt.zoom, opt.center);\r
+\r
+               L.DomUtil.setPosition(this._container, pos);\r
+       },\r
+\r
+       _adjustPan: function () {\r
+               if (!this.options.autoPan) { return; }\r
+\r
+               var map = this._map,\r
+                   containerHeight = this._container.offsetHeight,\r
+                   containerWidth = this._containerWidth,\r
+\r
+                   layerPos = new L.Point(this._containerLeft, -containerHeight - this._containerBottom);\r
+\r
+               if (this._animated) {\r
+                       layerPos._add(L.DomUtil.getPosition(this._container));\r
+               }\r
+\r
+               var containerPos = map.layerPointToContainerPoint(layerPos),\r
+                   padding = L.point(this.options.autoPanPadding),\r
+                   paddingTL = L.point(this.options.autoPanPaddingTopLeft || padding),\r
+                   paddingBR = L.point(this.options.autoPanPaddingBottomRight || padding),\r
+                   size = map.getSize(),\r
+                   dx = 0,\r
+                   dy = 0;\r
+\r
+               if (containerPos.x + containerWidth + paddingBR.x > size.x) { // right\r
+                       dx = containerPos.x + containerWidth - size.x + paddingBR.x;\r
+               }\r
+               if (containerPos.x - dx - paddingTL.x < 0) { // left\r
+                       dx = containerPos.x - paddingTL.x;\r
+               }\r
+               if (containerPos.y + containerHeight + paddingBR.y > size.y) { // bottom\r
+                       dy = containerPos.y + containerHeight - size.y + paddingBR.y;\r
+               }\r
+               if (containerPos.y - dy - paddingTL.y < 0) { // top\r
+                       dy = containerPos.y - paddingTL.y;\r
+               }\r
+\r
+               if (dx || dy) {\r
+                       map\r
+                           .fire('autopanstart')\r
+                           .panBy([dx, dy]);\r
+               }\r
+       },\r
+\r
+       _onCloseButtonClick: function (e) {\r
+               this._close();\r
+               L.DomEvent.stop(e);\r
+       }\r
+});\r
+\r
+L.popup = function (options, source) {\r
+       return new L.Popup(options, source);\r
+};\r
+\r
+\r
+L.Map.include({\r
+       openPopup: function (popup, latlng, options) { // (Popup) or (String || HTMLElement, LatLng[, Object])\r
+               this.closePopup();\r
+\r
+               if (!(popup instanceof L.Popup)) {\r
+                       var content = popup;\r
+\r
+                       popup = new L.Popup(options)\r
+                           .setLatLng(latlng)\r
+                           .setContent(content);\r
+               }\r
+               popup._isOpen = true;\r
+\r
+               this._popup = popup;\r
+               return this.addLayer(popup);\r
+       },\r
+\r
+       closePopup: function (popup) {\r
+               if (!popup || popup === this._popup) {\r
+                       popup = this._popup;\r
+                       this._popup = null;\r
+               }\r
+               if (popup) {\r
+                       this.removeLayer(popup);\r
+                       popup._isOpen = false;\r
+               }\r
+               return this;\r
+       }\r
+});\r
+
+
+/*\r
+ * Popup extension to L.Marker, adding popup-related methods.\r
+ */\r
+\r
+L.Marker.include({\r
+       openPopup: function () {\r
+               if (this._popup && this._map && !this._map.hasLayer(this._popup)) {\r
+                       this._popup.setLatLng(this._latlng);\r
+                       this._map.openPopup(this._popup);\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       closePopup: function () {\r
+               if (this._popup) {\r
+                       this._popup._close();\r
+               }\r
+               return this;\r
+       },\r
+\r
+       togglePopup: function () {\r
+               if (this._popup) {\r
+                       if (this._popup._isOpen) {\r
+                               this.closePopup();\r
+                       } else {\r
+                               this.openPopup();\r
+                       }\r
+               }\r
+               return this;\r
+       },\r
+\r
+       bindPopup: function (content, options) {\r
+               var anchor = L.point(this.options.icon.options.popupAnchor || [0, 0]);\r
+\r
+               anchor = anchor.add(L.Popup.prototype.options.offset);\r
+\r
+               if (options && options.offset) {\r
+                       anchor = anchor.add(options.offset);\r
+               }\r
+\r
+               options = L.extend({offset: anchor}, options);\r
+\r
+               if (!this._popupHandlersAdded) {\r
+                       this\r
+                           .on('click', this.togglePopup, this)\r
+                           .on('remove', this.closePopup, this)\r
+                           .on('move', this._movePopup, this);\r
+                       this._popupHandlersAdded = true;\r
+               }\r
+\r
+               if (content instanceof L.Popup) {\r
+                       L.setOptions(content, options);\r
+                       this._popup = content;\r
+                       content._source = this;\r
+               } else {\r
+                       this._popup = new L.Popup(options, this)\r
+                               .setContent(content);\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       setPopupContent: function (content) {\r
+               if (this._popup) {\r
+                       this._popup.setContent(content);\r
+               }\r
+               return this;\r
+       },\r
+\r
+       unbindPopup: function () {\r
+               if (this._popup) {\r
+                       this._popup = null;\r
+                       this\r
+                           .off('click', this.togglePopup, this)\r
+                           .off('remove', this.closePopup, this)\r
+                           .off('move', this._movePopup, this);\r
+                       this._popupHandlersAdded = false;\r
+               }\r
+               return this;\r
+       },\r
+\r
+       getPopup: function () {\r
+               return this._popup;\r
+       },\r
+\r
+       _movePopup: function (e) {\r
+               this._popup.setLatLng(e.latlng);\r
+       }\r
+});\r
+
+
+/*\r
+ * L.LayerGroup is a class to combine several layers into one so that\r
+ * you can manipulate the group (e.g. add/remove it) as one layer.\r
+ */\r
+\r
+L.LayerGroup = L.Class.extend({\r
+       initialize: function (layers) {\r
+               this._layers = {};\r
+\r
+               var i, len;\r
+\r
+               if (layers) {\r
+                       for (i = 0, len = layers.length; i < len; i++) {\r
+                               this.addLayer(layers[i]);\r
+                       }\r
+               }\r
+       },\r
+\r
+       addLayer: function (layer) {\r
+               var id = this.getLayerId(layer);\r
+\r
+               this._layers[id] = layer;\r
+\r
+               if (this._map) {\r
+                       this._map.addLayer(layer);\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       removeLayer: function (layer) {\r
+               var id = layer in this._layers ? layer : this.getLayerId(layer);\r
+\r
+               if (this._map && this._layers[id]) {\r
+                       this._map.removeLayer(this._layers[id]);\r
+               }\r
+\r
+               delete this._layers[id];\r
+\r
+               return this;\r
+       },\r
+\r
+       hasLayer: function (layer) {\r
+               if (!layer) { return false; }\r
+\r
+               return (layer in this._layers || this.getLayerId(layer) in this._layers);\r
+       },\r
+\r
+       clearLayers: function () {\r
+               this.eachLayer(this.removeLayer, this);\r
+               return this;\r
+       },\r
+\r
+       invoke: function (methodName) {\r
+               var args = Array.prototype.slice.call(arguments, 1),\r
+                   i, layer;\r
+\r
+               for (i in this._layers) {\r
+                       layer = this._layers[i];\r
+\r
+                       if (layer[methodName]) {\r
+                               layer[methodName].apply(layer, args);\r
+                       }\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       onAdd: function (map) {\r
+               this._map = map;\r
+               this.eachLayer(map.addLayer, map);\r
+       },\r
+\r
+       onRemove: function (map) {\r
+               this.eachLayer(map.removeLayer, map);\r
+               this._map = null;\r
+       },\r
+\r
+       addTo: function (map) {\r
+               map.addLayer(this);\r
+               return this;\r
+       },\r
+\r
+       eachLayer: function (method, context) {\r
+               for (var i in this._layers) {\r
+                       method.call(context, this._layers[i]);\r
+               }\r
+               return this;\r
+       },\r
+\r
+       getLayer: function (id) {\r
+               return this._layers[id];\r
+       },\r
+\r
+       getLayers: function () {\r
+               var layers = [];\r
+\r
+               for (var i in this._layers) {\r
+                       layers.push(this._layers[i]);\r
+               }\r
+               return layers;\r
+       },\r
+\r
+       setZIndex: function (zIndex) {\r
+               return this.invoke('setZIndex', zIndex);\r
+       },\r
+\r
+       getLayerId: function (layer) {\r
+               return L.stamp(layer);\r
+       }\r
+});\r
+\r
+L.layerGroup = function (layers) {\r
+       return new L.LayerGroup(layers);\r
+};\r
+
+
+/*\r
+ * L.FeatureGroup extends L.LayerGroup by introducing mouse events and additional methods\r
+ * shared between a group of interactive layers (like vectors or markers).\r
+ */\r
+\r
+L.FeatureGroup = L.LayerGroup.extend({\r
+       includes: L.Mixin.Events,\r
+\r
+       statics: {\r
+               EVENTS: 'click dblclick mouseover mouseout mousemove contextmenu popupopen popupclose'\r
+       },\r
+\r
+       addLayer: function (layer) {\r
+               if (this.hasLayer(layer)) {\r
+                       return this;\r
+               }\r
+\r
+               if ('on' in layer) {\r
+                       layer.on(L.FeatureGroup.EVENTS, this._propagateEvent, this);\r
+               }\r
+\r
+               L.LayerGroup.prototype.addLayer.call(this, layer);\r
+\r
+               if (this._popupContent && layer.bindPopup) {\r
+                       layer.bindPopup(this._popupContent, this._popupOptions);\r
+               }\r
+\r
+               return this.fire('layeradd', {layer: layer});\r
+       },\r
+\r
+       removeLayer: function (layer) {\r
+               if (!this.hasLayer(layer)) {\r
+                       return this;\r
+               }\r
+               if (layer in this._layers) {\r
+                       layer = this._layers[layer];\r
+               }\r
+\r
+               layer.off(L.FeatureGroup.EVENTS, this._propagateEvent, this);\r
+\r
+               L.LayerGroup.prototype.removeLayer.call(this, layer);\r
+\r
+               if (this._popupContent) {\r
+                       this.invoke('unbindPopup');\r
+               }\r
+\r
+               return this.fire('layerremove', {layer: layer});\r
+       },\r
+\r
+       bindPopup: function (content, options) {\r
+               this._popupContent = content;\r
+               this._popupOptions = options;\r
+               return this.invoke('bindPopup', content, options);\r
+       },\r
+\r
+       openPopup: function (latlng) {\r
+               // open popup on the first layer\r
+               for (var id in this._layers) {\r
+                       this._layers[id].openPopup(latlng);\r
+                       break;\r
+               }\r
+               return this;\r
+       },\r
+\r
+       setStyle: function (style) {\r
+               return this.invoke('setStyle', style);\r
+       },\r
+\r
+       bringToFront: function () {\r
+               return this.invoke('bringToFront');\r
+       },\r
+\r
+       bringToBack: function () {\r
+               return this.invoke('bringToBack');\r
+       },\r
+\r
+       getBounds: function () {\r
+               var bounds = new L.LatLngBounds();\r
+\r
+               this.eachLayer(function (layer) {\r
+                       bounds.extend(layer instanceof L.Marker ? layer.getLatLng() : layer.getBounds());\r
+               });\r
+\r
+               return bounds;\r
+       },\r
+\r
+       _propagateEvent: function (e) {\r
+               e = L.extend({\r
+                       layer: e.target,\r
+                       target: this\r
+               }, e);\r
+               this.fire(e.type, e);\r
+       }\r
+});\r
+\r
+L.featureGroup = function (layers) {\r
+       return new L.FeatureGroup(layers);\r
+};\r
+
+
+/*\r
+ * L.Path is a base class for rendering vector paths on a map. Inherited by Polyline, Circle, etc.\r
+ */\r
+\r
+L.Path = L.Class.extend({\r
+       includes: [L.Mixin.Events],\r
+\r
+       statics: {\r
+               // how much to extend the clip area around the map view\r
+               // (relative to its size, e.g. 0.5 is half the screen in each direction)\r
+               // set it so that SVG element doesn't exceed 1280px (vectors flicker on dragend if it is)\r
+               CLIP_PADDING: (function () {\r
+                       var max = L.Browser.mobile ? 1280 : 2000,\r
+                           target = (max / Math.max(window.outerWidth, window.outerHeight) - 1) / 2;\r
+                       return Math.max(0, Math.min(0.5, target));\r
+               })()\r
+       },\r
+\r
+       options: {\r
+               stroke: true,\r
+               color: '#0033ff',\r
+               dashArray: null,\r
+               lineCap: null,\r
+               lineJoin: null,\r
+               weight: 5,\r
+               opacity: 0.5,\r
+\r
+               fill: false,\r
+               fillColor: null, //same as color by default\r
+               fillOpacity: 0.2,\r
+\r
+               clickable: true\r
+       },\r
+\r
+       initialize: function (options) {\r
+               L.setOptions(this, options);\r
+       },\r
+\r
+       onAdd: function (map) {\r
+               this._map = map;\r
+\r
+               if (!this._container) {\r
+                       this._initElements();\r
+                       this._initEvents();\r
+               }\r
+\r
+               this.projectLatlngs();\r
+               this._updatePath();\r
+\r
+               if (this._container) {\r
+                       this._map._pathRoot.appendChild(this._container);\r
+               }\r
+\r
+               this.fire('add');\r
+\r
+               map.on({\r
+                       'viewreset': this.projectLatlngs,\r
+                       'moveend': this._updatePath\r
+               }, this);\r
+       },\r
+\r
+       addTo: function (map) {\r
+               map.addLayer(this);\r
+               return this;\r
+       },\r
+\r
+       onRemove: function (map) {\r
+               map._pathRoot.removeChild(this._container);\r
+\r
+               // Need to fire remove event before we set _map to null as the event hooks might need the object\r
+               this.fire('remove');\r
+               this._map = null;\r
+\r
+               if (L.Browser.vml) {\r
+                       this._container = null;\r
+                       this._stroke = null;\r
+                       this._fill = null;\r
+               }\r
+\r
+               map.off({\r
+                       'viewreset': this.projectLatlngs,\r
+                       'moveend': this._updatePath\r
+               }, this);\r
+       },\r
+\r
+       projectLatlngs: function () {\r
+               // do all projection stuff here\r
+       },\r
+\r
+       setStyle: function (style) {\r
+               L.setOptions(this, style);\r
+\r
+               if (this._container) {\r
+                       this._updateStyle();\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       redraw: function () {\r
+               if (this._map) {\r
+                       this.projectLatlngs();\r
+                       this._updatePath();\r
+               }\r
+               return this;\r
+       }\r
+});\r
+\r
+L.Map.include({\r
+       _updatePathViewport: function () {\r
+               var p = L.Path.CLIP_PADDING,\r
+                   size = this.getSize(),\r
+                   panePos = L.DomUtil.getPosition(this._mapPane),\r
+                   min = panePos.multiplyBy(-1)._subtract(size.multiplyBy(p)._round()),\r
+                   max = min.add(size.multiplyBy(1 + p * 2)._round());\r
+\r
+               this._pathViewport = new L.Bounds(min, max);\r
+       }\r
+});\r
+
+
+/*\r
+ * Extends L.Path with SVG-specific rendering code.\r
+ */\r
+\r
+L.Path.SVG_NS = 'http://www.w3.org/2000/svg';\r
+\r
+L.Browser.svg = !!(document.createElementNS && document.createElementNS(L.Path.SVG_NS, 'svg').createSVGRect);\r
+\r
+L.Path = L.Path.extend({\r
+       statics: {\r
+               SVG: L.Browser.svg\r
+       },\r
+\r
+       bringToFront: function () {\r
+               var root = this._map._pathRoot,\r
+                   path = this._container;\r
+\r
+               if (path && root.lastChild !== path) {\r
+                       root.appendChild(path);\r
+               }\r
+               return this;\r
+       },\r
+\r
+       bringToBack: function () {\r
+               var root = this._map._pathRoot,\r
+                   path = this._container,\r
+                   first = root.firstChild;\r
+\r
+               if (path && first !== path) {\r
+                       root.insertBefore(path, first);\r
+               }\r
+               return this;\r
+       },\r
+\r
+       getPathString: function () {\r
+               // form path string here\r
+       },\r
+\r
+       _createElement: function (name) {\r
+               return document.createElementNS(L.Path.SVG_NS, name);\r
+       },\r
+\r
+       _initElements: function () {\r
+               this._map._initPathRoot();\r
+               this._initPath();\r
+               this._initStyle();\r
+       },\r
+\r
+       _initPath: function () {\r
+               this._container = this._createElement('g');\r
+\r
+               this._path = this._createElement('path');\r
+\r
+               if (this.options.className) {\r
+                       L.DomUtil.addClass(this._path, this.options.className);\r
+               }\r
+\r
+               this._container.appendChild(this._path);\r
+       },\r
+\r
+       _initStyle: function () {\r
+               if (this.options.stroke) {\r
+                       this._path.setAttribute('stroke-linejoin', 'round');\r
+                       this._path.setAttribute('stroke-linecap', 'round');\r
+               }\r
+               if (this.options.fill) {\r
+                       this._path.setAttribute('fill-rule', 'evenodd');\r
+               }\r
+               if (this.options.pointerEvents) {\r
+                       this._path.setAttribute('pointer-events', this.options.pointerEvents);\r
+               }\r
+               if (!this.options.clickable && !this.options.pointerEvents) {\r
+                       this._path.setAttribute('pointer-events', 'none');\r
+               }\r
+               this._updateStyle();\r
+       },\r
+\r
+       _updateStyle: function () {\r
+               if (this.options.stroke) {\r
+                       this._path.setAttribute('stroke', this.options.color);\r
+                       this._path.setAttribute('stroke-opacity', this.options.opacity);\r
+                       this._path.setAttribute('stroke-width', this.options.weight);\r
+                       if (this.options.dashArray) {\r
+                               this._path.setAttribute('stroke-dasharray', this.options.dashArray);\r
+                       } else {\r
+                               this._path.removeAttribute('stroke-dasharray');\r
+                       }\r
+                       if (this.options.lineCap) {\r
+                               this._path.setAttribute('stroke-linecap', this.options.lineCap);\r
+                       }\r
+                       if (this.options.lineJoin) {\r
+                               this._path.setAttribute('stroke-linejoin', this.options.lineJoin);\r
+                       }\r
+               } else {\r
+                       this._path.setAttribute('stroke', 'none');\r
+               }\r
+               if (this.options.fill) {\r
+                       this._path.setAttribute('fill', this.options.fillColor || this.options.color);\r
+                       this._path.setAttribute('fill-opacity', this.options.fillOpacity);\r
+               } else {\r
+                       this._path.setAttribute('fill', 'none');\r
+               }\r
+       },\r
+\r
+       _updatePath: function () {\r
+               var str = this.getPathString();\r
+               if (!str) {\r
+                       // fix webkit empty string parsing bug\r
+                       str = 'M0 0';\r
+               }\r
+               this._path.setAttribute('d', str);\r
+       },\r
+\r
+       // TODO remove duplication with L.Map\r
+       _initEvents: function () {\r
+               if (this.options.clickable) {\r
+                       if (L.Browser.svg || !L.Browser.vml) {\r
+                               L.DomUtil.addClass(this._path, 'leaflet-clickable');\r
+                       }\r
+\r
+                       L.DomEvent.on(this._container, 'click', this._onMouseClick, this);\r
+\r
+                       var events = ['dblclick', 'mousedown', 'mouseover',\r
+                                     'mouseout', 'mousemove', 'contextmenu'];\r
+                       for (var i = 0; i < events.length; i++) {\r
+                               L.DomEvent.on(this._container, events[i], this._fireMouseEvent, this);\r
+                       }\r
+               }\r
+       },\r
+\r
+       _onMouseClick: function (e) {\r
+               if (this._map.dragging && this._map.dragging.moved()) { return; }\r
+\r
+               this._fireMouseEvent(e);\r
+       },\r
+\r
+       _fireMouseEvent: function (e) {\r
+               if (!this.hasEventListeners(e.type)) { return; }\r
+\r
+               var map = this._map,\r
+                   containerPoint = map.mouseEventToContainerPoint(e),\r
+                   layerPoint = map.containerPointToLayerPoint(containerPoint),\r
+                   latlng = map.layerPointToLatLng(layerPoint);\r
+\r
+               this.fire(e.type, {\r
+                       latlng: latlng,\r
+                       layerPoint: layerPoint,\r
+                       containerPoint: containerPoint,\r
+                       originalEvent: e\r
+               });\r
+\r
+               if (e.type === 'contextmenu') {\r
+                       L.DomEvent.preventDefault(e);\r
+               }\r
+               if (e.type !== 'mousemove') {\r
+                       L.DomEvent.stopPropagation(e);\r
+               }\r
+       }\r
+});\r
+\r
+L.Map.include({\r
+       _initPathRoot: function () {\r
+               if (!this._pathRoot) {\r
+                       this._pathRoot = L.Path.prototype._createElement('svg');\r
+                       this._panes.overlayPane.appendChild(this._pathRoot);\r
+\r
+                       if (this.options.zoomAnimation && L.Browser.any3d) {\r
+                               L.DomUtil.addClass(this._pathRoot, 'leaflet-zoom-animated');\r
+\r
+                               this.on({\r
+                                       'zoomanim': this._animatePathZoom,\r
+                                       'zoomend': this._endPathZoom\r
+                               });\r
+                       } else {\r
+                               L.DomUtil.addClass(this._pathRoot, 'leaflet-zoom-hide');\r
+                       }\r
+\r
+                       this.on('moveend', this._updateSvgViewport);\r
+                       this._updateSvgViewport();\r
+               }\r
+       },\r
+\r
+       _animatePathZoom: function (e) {\r
+               var scale = this.getZoomScale(e.zoom),\r
+                   offset = this._getCenterOffset(e.center)._multiplyBy(-scale)._add(this._pathViewport.min);\r
+\r
+               this._pathRoot.style[L.DomUtil.TRANSFORM] =\r
+                       L.DomUtil.getTranslateString(offset) + ' scale(' + scale + ') ';\r
+\r
+               this._pathZooming = true;\r
+       },\r
+\r
+       _endPathZoom: function () {\r
+               this._pathZooming = false;\r
+       },\r
+\r
+       _updateSvgViewport: function () {\r
+\r
+               if (this._pathZooming) {\r
+                       // Do not update SVGs while a zoom animation is going on otherwise the animation will break.\r
+                       // When the zoom animation ends we will be updated again anyway\r
+                       // This fixes the case where you do a momentum move and zoom while the move is still ongoing.\r
+                       return;\r
+               }\r
+\r
+               this._updatePathViewport();\r
+\r
+               var vp = this._pathViewport,\r
+                   min = vp.min,\r
+                   max = vp.max,\r
+                   width = max.x - min.x,\r
+                   height = max.y - min.y,\r
+                   root = this._pathRoot,\r
+                   pane = this._panes.overlayPane;\r
+\r
+               // Hack to make flicker on drag end on mobile webkit less irritating\r
+               if (L.Browser.mobileWebkit) {\r
+                       pane.removeChild(root);\r
+               }\r
+\r
+               L.DomUtil.setPosition(root, min);\r
+               root.setAttribute('width', width);\r
+               root.setAttribute('height', height);\r
+               root.setAttribute('viewBox', [min.x, min.y, width, height].join(' '));\r
+\r
+               if (L.Browser.mobileWebkit) {\r
+                       pane.appendChild(root);\r
+               }\r
+       }\r
+});\r
+
+
+/*\r
+ * Popup extension to L.Path (polylines, polygons, circles), adding popup-related methods.\r
+ */\r
+\r
+L.Path.include({\r
+\r
+       bindPopup: function (content, options) {\r
+\r
+               if (content instanceof L.Popup) {\r
+                       this._popup = content;\r
+               } else {\r
+                       if (!this._popup || options) {\r
+                               this._popup = new L.Popup(options, this);\r
+                       }\r
+                       this._popup.setContent(content);\r
+               }\r
+\r
+               if (!this._popupHandlersAdded) {\r
+                       this\r
+                           .on('click', this._openPopup, this)\r
+                           .on('remove', this.closePopup, this);\r
+\r
+                       this._popupHandlersAdded = true;\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       unbindPopup: function () {\r
+               if (this._popup) {\r
+                       this._popup = null;\r
+                       this\r
+                           .off('click', this._openPopup)\r
+                           .off('remove', this.closePopup);\r
+\r
+                       this._popupHandlersAdded = false;\r
+               }\r
+               return this;\r
+       },\r
+\r
+       openPopup: function (latlng) {\r
+\r
+               if (this._popup) {\r
+                       // open the popup from one of the path's points if not specified\r
+                       latlng = latlng || this._latlng ||\r
+                                this._latlngs[Math.floor(this._latlngs.length / 2)];\r
+\r
+                       this._openPopup({latlng: latlng});\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       closePopup: function () {\r
+               if (this._popup) {\r
+                       this._popup._close();\r
+               }\r
+               return this;\r
+       },\r
+\r
+       _openPopup: function (e) {\r
+               this._popup.setLatLng(e.latlng);\r
+               this._map.openPopup(this._popup);\r
+       }\r
+});\r
+
+
+/*\r
+ * Vector rendering for IE6-8 through VML.\r
+ * Thanks to Dmitry Baranovsky and his Raphael library for inspiration!\r
+ */\r
+\r
+L.Browser.vml = !L.Browser.svg && (function () {\r
+       try {\r
+               var div = document.createElement('div');\r
+               div.innerHTML = '<v:shape adj="1"/>';\r
+\r
+               var shape = div.firstChild;\r
+               shape.style.behavior = 'url(#default#VML)';\r
+\r
+               return shape && (typeof shape.adj === 'object');\r
+\r
+       } catch (e) {\r
+               return false;\r
+       }\r
+}());\r
+\r
+L.Path = L.Browser.svg || !L.Browser.vml ? L.Path : L.Path.extend({\r
+       statics: {\r
+               VML: true,\r
+               CLIP_PADDING: 0.02\r
+       },\r
+\r
+       _createElement: (function () {\r
+               try {\r
+                       document.namespaces.add('lvml', 'urn:schemas-microsoft-com:vml');\r
+                       return function (name) {\r
+                               return document.createElement('<lvml:' + name + ' class="lvml">');\r
+                       };\r
+               } catch (e) {\r
+                       return function (name) {\r
+                               return document.createElement(\r
+                                       '<' + name + ' xmlns="urn:schemas-microsoft.com:vml" class="lvml">');\r
+                       };\r
+               }\r
+       }()),\r
+\r
+       _initPath: function () {\r
+               var container = this._container = this._createElement('shape');\r
+\r
+               L.DomUtil.addClass(container, 'leaflet-vml-shape' +\r
+                       (this.options.className ? ' ' + this.options.className : ''));\r
+\r
+               if (this.options.clickable) {\r
+                       L.DomUtil.addClass(container, 'leaflet-clickable');\r
+               }\r
+\r
+               container.coordsize = '1 1';\r
+\r
+               this._path = this._createElement('path');\r
+               container.appendChild(this._path);\r
+\r
+               this._map._pathRoot.appendChild(container);\r
+       },\r
+\r
+       _initStyle: function () {\r
+               this._updateStyle();\r
+       },\r
+\r
+       _updateStyle: function () {\r
+               var stroke = this._stroke,\r
+                   fill = this._fill,\r
+                   options = this.options,\r
+                   container = this._container;\r
+\r
+               container.stroked = options.stroke;\r
+               container.filled = options.fill;\r
+\r
+               if (options.stroke) {\r
+                       if (!stroke) {\r
+                               stroke = this._stroke = this._createElement('stroke');\r
+                               stroke.endcap = 'round';\r
+                               container.appendChild(stroke);\r
+                       }\r
+                       stroke.weight = options.weight + 'px';\r
+                       stroke.color = options.color;\r
+                       stroke.opacity = options.opacity;\r
+\r
+                       if (options.dashArray) {\r
+                               stroke.dashStyle = L.Util.isArray(options.dashArray) ?\r
+                                   options.dashArray.join(' ') :\r
+                                   options.dashArray.replace(/( *, *)/g, ' ');\r
+                       } else {\r
+                               stroke.dashStyle = '';\r
+                       }\r
+                       if (options.lineCap) {\r
+                               stroke.endcap = options.lineCap.replace('butt', 'flat');\r
+                       }\r
+                       if (options.lineJoin) {\r
+                               stroke.joinstyle = options.lineJoin;\r
+                       }\r
+\r
+               } else if (stroke) {\r
+                       container.removeChild(stroke);\r
+                       this._stroke = null;\r
+               }\r
+\r
+               if (options.fill) {\r
+                       if (!fill) {\r
+                               fill = this._fill = this._createElement('fill');\r
+                               container.appendChild(fill);\r
+                       }\r
+                       fill.color = options.fillColor || options.color;\r
+                       fill.opacity = options.fillOpacity;\r
+\r
+               } else if (fill) {\r
+                       container.removeChild(fill);\r
+                       this._fill = null;\r
+               }\r
+       },\r
+\r
+       _updatePath: function () {\r
+               var style = this._container.style;\r
+\r
+               style.display = 'none';\r
+               this._path.v = this.getPathString() + ' '; // the space fixes IE empty path string bug\r
+               style.display = '';\r
+       }\r
+});\r
+\r
+L.Map.include(L.Browser.svg || !L.Browser.vml ? {} : {\r
+       _initPathRoot: function () {\r
+               if (this._pathRoot) { return; }\r
+\r
+               var root = this._pathRoot = document.createElement('div');\r
+               root.className = 'leaflet-vml-container';\r
+               this._panes.overlayPane.appendChild(root);\r
+\r
+               this.on('moveend', this._updatePathViewport);\r
+               this._updatePathViewport();\r
+       }\r
+});\r
+
+
+/*\r
+ * Vector rendering for all browsers that support canvas.\r
+ */\r
+\r
+L.Browser.canvas = (function () {\r
+       return !!document.createElement('canvas').getContext;\r
+}());\r
+\r
+L.Path = (L.Path.SVG && !window.L_PREFER_CANVAS) || !L.Browser.canvas ? L.Path : L.Path.extend({\r
+       statics: {\r
+               //CLIP_PADDING: 0.02, // not sure if there's a need to set it to a small value\r
+               CANVAS: true,\r
+               SVG: false\r
+       },\r
+\r
+       redraw: function () {\r
+               if (this._map) {\r
+                       this.projectLatlngs();\r
+                       this._requestUpdate();\r
+               }\r
+               return this;\r
+       },\r
+\r
+       setStyle: function (style) {\r
+               L.setOptions(this, style);\r
+\r
+               if (this._map) {\r
+                       this._updateStyle();\r
+                       this._requestUpdate();\r
+               }\r
+               return this;\r
+       },\r
+\r
+       onRemove: function (map) {\r
+               map\r
+                   .off('viewreset', this.projectLatlngs, this)\r
+                   .off('moveend', this._updatePath, this);\r
+\r
+               if (this.options.clickable) {\r
+                       this._map.off('click', this._onClick, this);\r
+                       this._map.off('mousemove', this._onMouseMove, this);\r
+               }\r
+\r
+               this._requestUpdate();\r
+               \r
+               this.fire('remove');\r
+               this._map = null;\r
+       },\r
+\r
+       _requestUpdate: function () {\r
+               if (this._map && !L.Path._updateRequest) {\r
+                       L.Path._updateRequest = L.Util.requestAnimFrame(this._fireMapMoveEnd, this._map);\r
+               }\r
+       },\r
+\r
+       _fireMapMoveEnd: function () {\r
+               L.Path._updateRequest = null;\r
+               this.fire('moveend');\r
+       },\r
+\r
+       _initElements: function () {\r
+               this._map._initPathRoot();\r
+               this._ctx = this._map._canvasCtx;\r
+       },\r
+\r
+       _updateStyle: function () {\r
+               var options = this.options;\r
+\r
+               if (options.stroke) {\r
+                       this._ctx.lineWidth = options.weight;\r
+                       this._ctx.strokeStyle = options.color;\r
+               }\r
+               if (options.fill) {\r
+                       this._ctx.fillStyle = options.fillColor || options.color;\r
+               }\r
+\r
+               if (options.lineCap) {\r
+                       this._ctx.lineCap = options.lineCap;\r
+               }\r
+               if (options.lineJoin) {\r
+                       this._ctx.lineJoin = options.lineJoin;\r
+               }\r
+       },\r
+\r
+       _drawPath: function () {\r
+               var i, j, len, len2, point, drawMethod;\r
+\r
+               this._ctx.beginPath();\r
+\r
+               for (i = 0, len = this._parts.length; i < len; i++) {\r
+                       for (j = 0, len2 = this._parts[i].length; j < len2; j++) {\r
+                               point = this._parts[i][j];\r
+                               drawMethod = (j === 0 ? 'move' : 'line') + 'To';\r
+\r
+                               this._ctx[drawMethod](point.x, point.y);\r
+                       }\r
+                       // TODO refactor ugly hack\r
+                       if (this instanceof L.Polygon) {\r
+                               this._ctx.closePath();\r
+                       }\r
+               }\r
+       },\r
+\r
+       _checkIfEmpty: function () {\r
+               return !this._parts.length;\r
+       },\r
+\r
+       _updatePath: function () {\r
+               if (this._checkIfEmpty()) { return; }\r
+\r
+               var ctx = this._ctx,\r
+                   options = this.options;\r
+\r
+               this._drawPath();\r
+               ctx.save();\r
+               this._updateStyle();\r
+\r
+               if (options.fill) {\r
+                       ctx.globalAlpha = options.fillOpacity;\r
+                       ctx.fill(options.fillRule || 'evenodd');\r
+               }\r
+\r
+               if (options.stroke) {\r
+                       ctx.globalAlpha = options.opacity;\r
+                       ctx.stroke();\r
+               }\r
+\r
+               ctx.restore();\r
+\r
+               // TODO optimization: 1 fill/stroke for all features with equal style instead of 1 for each feature\r
+       },\r
+\r
+       _initEvents: function () {\r
+               if (this.options.clickable) {\r
+                       this._map.on('mousemove', this._onMouseMove, this);\r
+                       this._map.on('click dblclick contextmenu', this._fireMouseEvent, this);\r
+               }\r
+       },\r
+\r
+       _fireMouseEvent: function (e) {\r
+               if (this._containsPoint(e.layerPoint)) {\r
+                       this.fire(e.type, e);\r
+               }\r
+       },\r
+\r
+       _onMouseMove: function (e) {\r
+               if (!this._map || this._map._animatingZoom) { return; }\r
+\r
+               // TODO don't do on each move\r
+               if (this._containsPoint(e.layerPoint)) {\r
+                       this._ctx.canvas.style.cursor = 'pointer';\r
+                       this._mouseInside = true;\r
+                       this.fire('mouseover', e);\r
+\r
+               } else if (this._mouseInside) {\r
+                       this._ctx.canvas.style.cursor = '';\r
+                       this._mouseInside = false;\r
+                       this.fire('mouseout', e);\r
+               }\r
+       }\r
+});\r
+\r
+L.Map.include((L.Path.SVG && !window.L_PREFER_CANVAS) || !L.Browser.canvas ? {} : {\r
+       _initPathRoot: function () {\r
+               var root = this._pathRoot,\r
+                   ctx;\r
+\r
+               if (!root) {\r
+                       root = this._pathRoot = document.createElement('canvas');\r
+                       root.style.position = 'absolute';\r
+                       ctx = this._canvasCtx = root.getContext('2d');\r
+\r
+                       ctx.lineCap = 'round';\r
+                       ctx.lineJoin = 'round';\r
+\r
+                       this._panes.overlayPane.appendChild(root);\r
+\r
+                       if (this.options.zoomAnimation) {\r
+                               this._pathRoot.className = 'leaflet-zoom-animated';\r
+                               this.on('zoomanim', this._animatePathZoom);\r
+                               this.on('zoomend', this._endPathZoom);\r
+                       }\r
+                       this.on('moveend', this._updateCanvasViewport);\r
+                       this._updateCanvasViewport();\r
+               }\r
+       },\r
+\r
+       _updateCanvasViewport: function () {\r
+               // don't redraw while zooming. See _updateSvgViewport for more details\r
+               if (this._pathZooming) { return; }\r
+               this._updatePathViewport();\r
+\r
+               var vp = this._pathViewport,\r
+                   min = vp.min,\r
+                   size = vp.max.subtract(min),\r
+                   root = this._pathRoot;\r
+\r
+               //TODO check if this works properly on mobile webkit\r
+               L.DomUtil.setPosition(root, min);\r
+               root.width = size.x;\r
+               root.height = size.y;\r
+               root.getContext('2d').translate(-min.x, -min.y);\r
+       }\r
+});\r
+
+
+/*\r
+ * L.LineUtil contains different utility functions for line segments\r
+ * and polylines (clipping, simplification, distances, etc.)\r
+ */\r
+\r
+/*jshint bitwise:false */ // allow bitwise operations for this file\r
+\r
+L.LineUtil = {\r
+\r
+       // Simplify polyline with vertex reduction and Douglas-Peucker simplification.\r
+       // Improves rendering performance dramatically by lessening the number of points to draw.\r
+\r
+       simplify: function (/*Point[]*/ points, /*Number*/ tolerance) {\r
+               if (!tolerance || !points.length) {\r
+                       return points.slice();\r
+               }\r
+\r
+               var sqTolerance = tolerance * tolerance;\r
+\r
+               // stage 1: vertex reduction\r
+               points = this._reducePoints(points, sqTolerance);\r
+\r
+               // stage 2: Douglas-Peucker simplification\r
+               points = this._simplifyDP(points, sqTolerance);\r
+\r
+               return points;\r
+       },\r
+\r
+       // distance from a point to a segment between two points\r
+       pointToSegmentDistance:  function (/*Point*/ p, /*Point*/ p1, /*Point*/ p2) {\r
+               return Math.sqrt(this._sqClosestPointOnSegment(p, p1, p2, true));\r
+       },\r
+\r
+       closestPointOnSegment: function (/*Point*/ p, /*Point*/ p1, /*Point*/ p2) {\r
+               return this._sqClosestPointOnSegment(p, p1, p2);\r
+       },\r
+\r
+       // Douglas-Peucker simplification, see http://en.wikipedia.org/wiki/Douglas-Peucker_algorithm\r
+       _simplifyDP: function (points, sqTolerance) {\r
+\r
+               var len = points.length,\r
+                   ArrayConstructor = typeof Uint8Array !== undefined + '' ? Uint8Array : Array,\r
+                   markers = new ArrayConstructor(len);\r
+\r
+               markers[0] = markers[len - 1] = 1;\r
+\r
+               this._simplifyDPStep(points, markers, sqTolerance, 0, len - 1);\r
+\r
+               var i,\r
+                   newPoints = [];\r
+\r
+               for (i = 0; i < len; i++) {\r
+                       if (markers[i]) {\r
+                               newPoints.push(points[i]);\r
+                       }\r
+               }\r
+\r
+               return newPoints;\r
+       },\r
+\r
+       _simplifyDPStep: function (points, markers, sqTolerance, first, last) {\r
+\r
+               var maxSqDist = 0,\r
+                   index, i, sqDist;\r
+\r
+               for (i = first + 1; i <= last - 1; i++) {\r
+                       sqDist = this._sqClosestPointOnSegment(points[i], points[first], points[last], true);\r
+\r
+                       if (sqDist > maxSqDist) {\r
+                               index = i;\r
+                               maxSqDist = sqDist;\r
+                       }\r
+               }\r
+\r
+               if (maxSqDist > sqTolerance) {\r
+                       markers[index] = 1;\r
+\r
+                       this._simplifyDPStep(points, markers, sqTolerance, first, index);\r
+                       this._simplifyDPStep(points, markers, sqTolerance, index, last);\r
+               }\r
+       },\r
+\r
+       // reduce points that are too close to each other to a single point\r
+       _reducePoints: function (points, sqTolerance) {\r
+               var reducedPoints = [points[0]];\r
+\r
+               for (var i = 1, prev = 0, len = points.length; i < len; i++) {\r
+                       if (this._sqDist(points[i], points[prev]) > sqTolerance) {\r
+                               reducedPoints.push(points[i]);\r
+                               prev = i;\r
+                       }\r
+               }\r
+               if (prev < len - 1) {\r
+                       reducedPoints.push(points[len - 1]);\r
+               }\r
+               return reducedPoints;\r
+       },\r
+\r
+       // Cohen-Sutherland line clipping algorithm.\r
+       // Used to avoid rendering parts of a polyline that are not currently visible.\r
+\r
+       clipSegment: function (a, b, bounds, useLastCode) {\r
+               var codeA = useLastCode ? this._lastCode : this._getBitCode(a, bounds),\r
+                   codeB = this._getBitCode(b, bounds),\r
+\r
+                   codeOut, p, newCode;\r
+\r
+               // save 2nd code to avoid calculating it on the next segment\r
+               this._lastCode = codeB;\r
+\r
+               while (true) {\r
+                       // if a,b is inside the clip window (trivial accept)\r
+                       if (!(codeA | codeB)) {\r
+                               return [a, b];\r
+                       // if a,b is outside the clip window (trivial reject)\r
+                       } else if (codeA & codeB) {\r
+                               return false;\r
+                       // other cases\r
+                       } else {\r
+                               codeOut = codeA || codeB;\r
+                               p = this._getEdgeIntersection(a, b, codeOut, bounds);\r
+                               newCode = this._getBitCode(p, bounds);\r
+\r
+                               if (codeOut === codeA) {\r
+                                       a = p;\r
+                                       codeA = newCode;\r
+                               } else {\r
+                                       b = p;\r
+                                       codeB = newCode;\r
+                               }\r
+                       }\r
+               }\r
+       },\r
+\r
+       _getEdgeIntersection: function (a, b, code, bounds) {\r
+               var dx = b.x - a.x,\r
+                   dy = b.y - a.y,\r
+                   min = bounds.min,\r
+                   max = bounds.max;\r
+\r
+               if (code & 8) { // top\r
+                       return new L.Point(a.x + dx * (max.y - a.y) / dy, max.y);\r
+               } else if (code & 4) { // bottom\r
+                       return new L.Point(a.x + dx * (min.y - a.y) / dy, min.y);\r
+               } else if (code & 2) { // right\r
+                       return new L.Point(max.x, a.y + dy * (max.x - a.x) / dx);\r
+               } else if (code & 1) { // left\r
+                       return new L.Point(min.x, a.y + dy * (min.x - a.x) / dx);\r
+               }\r
+       },\r
+\r
+       _getBitCode: function (/*Point*/ p, bounds) {\r
+               var code = 0;\r
+\r
+               if (p.x < bounds.min.x) { // left\r
+                       code |= 1;\r
+               } else if (p.x > bounds.max.x) { // right\r
+                       code |= 2;\r
+               }\r
+               if (p.y < bounds.min.y) { // bottom\r
+                       code |= 4;\r
+               } else if (p.y > bounds.max.y) { // top\r
+                       code |= 8;\r
+               }\r
+\r
+               return code;\r
+       },\r
+\r
+       // square distance (to avoid unnecessary Math.sqrt calls)\r
+       _sqDist: function (p1, p2) {\r
+               var dx = p2.x - p1.x,\r
+                   dy = p2.y - p1.y;\r
+               return dx * dx + dy * dy;\r
+       },\r
+\r
+       // return closest point on segment or distance to that point\r
+       _sqClosestPointOnSegment: function (p, p1, p2, sqDist) {\r
+               var x = p1.x,\r
+                   y = p1.y,\r
+                   dx = p2.x - x,\r
+                   dy = p2.y - y,\r
+                   dot = dx * dx + dy * dy,\r
+                   t;\r
+\r
+               if (dot > 0) {\r
+                       t = ((p.x - x) * dx + (p.y - y) * dy) / dot;\r
+\r
+                       if (t > 1) {\r
+                               x = p2.x;\r
+                               y = p2.y;\r
+                       } else if (t > 0) {\r
+                               x += dx * t;\r
+                               y += dy * t;\r
+                       }\r
+               }\r
+\r
+               dx = p.x - x;\r
+               dy = p.y - y;\r
+\r
+               return sqDist ? dx * dx + dy * dy : new L.Point(x, y);\r
+       }\r
+};\r
+
+
+/*\r
+ * L.Polyline is used to display polylines on a map.\r
+ */\r
+\r
+L.Polyline = L.Path.extend({\r
+       initialize: function (latlngs, options) {\r
+               L.Path.prototype.initialize.call(this, options);\r
+\r
+               this._latlngs = this._convertLatLngs(latlngs);\r
+       },\r
+\r
+       options: {\r
+               // how much to simplify the polyline on each zoom level\r
+               // more = better performance and smoother look, less = more accurate\r
+               smoothFactor: 1.0,\r
+               noClip: false\r
+       },\r
+\r
+       projectLatlngs: function () {\r
+               this._originalPoints = [];\r
+\r
+               for (var i = 0, len = this._latlngs.length; i < len; i++) {\r
+                       this._originalPoints[i] = this._map.latLngToLayerPoint(this._latlngs[i]);\r
+               }\r
+       },\r
+\r
+       getPathString: function () {\r
+               for (var i = 0, len = this._parts.length, str = ''; i < len; i++) {\r
+                       str += this._getPathPartStr(this._parts[i]);\r
+               }\r
+               return str;\r
+       },\r
+\r
+       getLatLngs: function () {\r
+               return this._latlngs;\r
+       },\r
+\r
+       setLatLngs: function (latlngs) {\r
+               this._latlngs = this._convertLatLngs(latlngs);\r
+               return this.redraw();\r
+       },\r
+\r
+       addLatLng: function (latlng) {\r
+               this._latlngs.push(L.latLng(latlng));\r
+               return this.redraw();\r
+       },\r
+\r
+       spliceLatLngs: function () { // (Number index, Number howMany)\r
+               var removed = [].splice.apply(this._latlngs, arguments);\r
+               this._convertLatLngs(this._latlngs, true);\r
+               this.redraw();\r
+               return removed;\r
+       },\r
+\r
+       closestLayerPoint: function (p) {\r
+               var minDistance = Infinity, parts = this._parts, p1, p2, minPoint = null;\r
+\r
+               for (var j = 0, jLen = parts.length; j < jLen; j++) {\r
+                       var points = parts[j];\r
+                       for (var i = 1, len = points.length; i < len; i++) {\r
+                               p1 = points[i - 1];\r
+                               p2 = points[i];\r
+                               var sqDist = L.LineUtil._sqClosestPointOnSegment(p, p1, p2, true);\r
+                               if (sqDist < minDistance) {\r
+                                       minDistance = sqDist;\r
+                                       minPoint = L.LineUtil._sqClosestPointOnSegment(p, p1, p2);\r
+                               }\r
+                       }\r
+               }\r
+               if (minPoint) {\r
+                       minPoint.distance = Math.sqrt(minDistance);\r
+               }\r
+               return minPoint;\r
+       },\r
+\r
+       getBounds: function () {\r
+               return new L.LatLngBounds(this.getLatLngs());\r
+       },\r
+\r
+       _convertLatLngs: function (latlngs, overwrite) {\r
+               var i, len, target = overwrite ? latlngs : [];\r
+\r
+               for (i = 0, len = latlngs.length; i < len; i++) {\r
+                       if (L.Util.isArray(latlngs[i]) && typeof latlngs[i][0] !== 'number') {\r
+                               return;\r
+                       }\r
+                       target[i] = L.latLng(latlngs[i]);\r
+               }\r
+               return target;\r
+       },\r
+\r
+       _initEvents: function () {\r
+               L.Path.prototype._initEvents.call(this);\r
+       },\r
+\r
+       _getPathPartStr: function (points) {\r
+               var round = L.Path.VML;\r
+\r
+               for (var j = 0, len2 = points.length, str = '', p; j < len2; j++) {\r
+                       p = points[j];\r
+                       if (round) {\r
+                               p._round();\r
+                       }\r
+                       str += (j ? 'L' : 'M') + p.x + ' ' + p.y;\r
+               }\r
+               return str;\r
+       },\r
+\r
+       _clipPoints: function () {\r
+               var points = this._originalPoints,\r
+                   len = points.length,\r
+                   i, k, segment;\r
+\r
+               if (this.options.noClip) {\r
+                       this._parts = [points];\r
+                       return;\r
+               }\r
+\r
+               this._parts = [];\r
+\r
+               var parts = this._parts,\r
+                   vp = this._map._pathViewport,\r
+                   lu = L.LineUtil;\r
+\r
+               for (i = 0, k = 0; i < len - 1; i++) {\r
+                       segment = lu.clipSegment(points[i], points[i + 1], vp, i);\r
+                       if (!segment) {\r
+                               continue;\r
+                       }\r
+\r
+                       parts[k] = parts[k] || [];\r
+                       parts[k].push(segment[0]);\r
+\r
+                       // if segment goes out of screen, or it's the last one, it's the end of the line part\r
+                       if ((segment[1] !== points[i + 1]) || (i === len - 2)) {\r
+                               parts[k].push(segment[1]);\r
+                               k++;\r
+                       }\r
+               }\r
+       },\r
+\r
+       // simplify each clipped part of the polyline\r
+       _simplifyPoints: function () {\r
+               var parts = this._parts,\r
+                   lu = L.LineUtil;\r
+\r
+               for (var i = 0, len = parts.length; i < len; i++) {\r
+                       parts[i] = lu.simplify(parts[i], this.options.smoothFactor);\r
+               }\r
+       },\r
+\r
+       _updatePath: function () {\r
+               if (!this._map) { return; }\r
+\r
+               this._clipPoints();\r
+               this._simplifyPoints();\r
+\r
+               L.Path.prototype._updatePath.call(this);\r
+       }\r
+});\r
+\r
+L.polyline = function (latlngs, options) {\r
+       return new L.Polyline(latlngs, options);\r
+};\r
+
+
+/*\r
+ * L.PolyUtil contains utility functions for polygons (clipping, etc.).\r
+ */\r
+\r
+/*jshint bitwise:false */ // allow bitwise operations here\r
+\r
+L.PolyUtil = {};\r
+\r
+/*\r
+ * Sutherland-Hodgeman polygon clipping algorithm.\r
+ * Used to avoid rendering parts of a polygon that are not currently visible.\r
+ */\r
+L.PolyUtil.clipPolygon = function (points, bounds) {\r
+       var clippedPoints,\r
+           edges = [1, 4, 2, 8],\r
+           i, j, k,\r
+           a, b,\r
+           len, edge, p,\r
+           lu = L.LineUtil;\r
+\r
+       for (i = 0, len = points.length; i < len; i++) {\r
+               points[i]._code = lu._getBitCode(points[i], bounds);\r
+       }\r
+\r
+       // for each edge (left, bottom, right, top)\r
+       for (k = 0; k < 4; k++) {\r
+               edge = edges[k];\r
+               clippedPoints = [];\r
+\r
+               for (i = 0, len = points.length, j = len - 1; i < len; j = i++) {\r
+                       a = points[i];\r
+                       b = points[j];\r
+\r
+                       // if a is inside the clip window\r
+                       if (!(a._code & edge)) {\r
+                               // if b is outside the clip window (a->b goes out of screen)\r
+                               if (b._code & edge) {\r
+                                       p = lu._getEdgeIntersection(b, a, edge, bounds);\r
+                                       p._code = lu._getBitCode(p, bounds);\r
+                                       clippedPoints.push(p);\r
+                               }\r
+                               clippedPoints.push(a);\r
+\r
+                       // else if b is inside the clip window (a->b enters the screen)\r
+                       } else if (!(b._code & edge)) {\r
+                               p = lu._getEdgeIntersection(b, a, edge, bounds);\r
+                               p._code = lu._getBitCode(p, bounds);\r
+                               clippedPoints.push(p);\r
+                       }\r
+               }\r
+               points = clippedPoints;\r
+       }\r
+\r
+       return points;\r
+};\r
+
+
+/*\r
+ * L.Polygon is used to display polygons on a map.\r
+ */\r
+\r
+L.Polygon = L.Polyline.extend({\r
+       options: {\r
+               fill: true\r
+       },\r
+\r
+       initialize: function (latlngs, options) {\r
+               L.Polyline.prototype.initialize.call(this, latlngs, options);\r
+               this._initWithHoles(latlngs);\r
+       },\r
+\r
+       _initWithHoles: function (latlngs) {\r
+               var i, len, hole;\r
+               if (latlngs && L.Util.isArray(latlngs[0]) && (typeof latlngs[0][0] !== 'number')) {\r
+                       this._latlngs = this._convertLatLngs(latlngs[0]);\r
+                       this._holes = latlngs.slice(1);\r
+\r
+                       for (i = 0, len = this._holes.length; i < len; i++) {\r
+                               hole = this._holes[i] = this._convertLatLngs(this._holes[i]);\r
+                               if (hole[0].equals(hole[hole.length - 1])) {\r
+                                       hole.pop();\r
+                               }\r
+                       }\r
+               }\r
+\r
+               // filter out last point if its equal to the first one\r
+               latlngs = this._latlngs;\r
+\r
+               if (latlngs.length >= 2 && latlngs[0].equals(latlngs[latlngs.length - 1])) {\r
+                       latlngs.pop();\r
+               }\r
+       },\r
+\r
+       projectLatlngs: function () {\r
+               L.Polyline.prototype.projectLatlngs.call(this);\r
+\r
+               // project polygon holes points\r
+               // TODO move this logic to Polyline to get rid of duplication\r
+               this._holePoints = [];\r
+\r
+               if (!this._holes) { return; }\r
+\r
+               var i, j, len, len2;\r
+\r
+               for (i = 0, len = this._holes.length; i < len; i++) {\r
+                       this._holePoints[i] = [];\r
+\r
+                       for (j = 0, len2 = this._holes[i].length; j < len2; j++) {\r
+                               this._holePoints[i][j] = this._map.latLngToLayerPoint(this._holes[i][j]);\r
+                       }\r
+               }\r
+       },\r
+\r
+       setLatLngs: function (latlngs) {\r
+               if (latlngs && L.Util.isArray(latlngs[0]) && (typeof latlngs[0][0] !== 'number')) {\r
+                       this._initWithHoles(latlngs);\r
+                       return this.redraw();\r
+               } else {\r
+                       return L.Polyline.prototype.setLatLngs.call(this, latlngs);\r
+               }\r
+       },\r
+\r
+       _clipPoints: function () {\r
+               var points = this._originalPoints,\r
+                   newParts = [];\r
+\r
+               this._parts = [points].concat(this._holePoints);\r
+\r
+               if (this.options.noClip) { return; }\r
+\r
+               for (var i = 0, len = this._parts.length; i < len; i++) {\r
+                       var clipped = L.PolyUtil.clipPolygon(this._parts[i], this._map._pathViewport);\r
+                       if (clipped.length) {\r
+                               newParts.push(clipped);\r
+                       }\r
+               }\r
+\r
+               this._parts = newParts;\r
+       },\r
+\r
+       _getPathPartStr: function (points) {\r
+               var str = L.Polyline.prototype._getPathPartStr.call(this, points);\r
+               return str + (L.Browser.svg ? 'z' : 'x');\r
+       }\r
+});\r
+\r
+L.polygon = function (latlngs, options) {\r
+       return new L.Polygon(latlngs, options);\r
+};\r
+
+
+/*\r
+ * Contains L.MultiPolyline and L.MultiPolygon layers.\r
+ */\r
+\r
+(function () {\r
+       function createMulti(Klass) {\r
+\r
+               return L.FeatureGroup.extend({\r
+\r
+                       initialize: function (latlngs, options) {\r
+                               this._layers = {};\r
+                               this._options = options;\r
+                               this.setLatLngs(latlngs);\r
+                       },\r
+\r
+                       setLatLngs: function (latlngs) {\r
+                               var i = 0,\r
+                                   len = latlngs.length;\r
+\r
+                               this.eachLayer(function (layer) {\r
+                                       if (i < len) {\r
+                                               layer.setLatLngs(latlngs[i++]);\r
+                                       } else {\r
+                                               this.removeLayer(layer);\r
+                                       }\r
+                               }, this);\r
+\r
+                               while (i < len) {\r
+                                       this.addLayer(new Klass(latlngs[i++], this._options));\r
+                               }\r
+\r
+                               return this;\r
+                       },\r
+\r
+                       getLatLngs: function () {\r
+                               var latlngs = [];\r
+\r
+                               this.eachLayer(function (layer) {\r
+                                       latlngs.push(layer.getLatLngs());\r
+                               });\r
+\r
+                               return latlngs;\r
+                       }\r
+               });\r
+       }\r
+\r
+       L.MultiPolyline = createMulti(L.Polyline);\r
+       L.MultiPolygon = createMulti(L.Polygon);\r
+\r
+       L.multiPolyline = function (latlngs, options) {\r
+               return new L.MultiPolyline(latlngs, options);\r
+       };\r
+\r
+       L.multiPolygon = function (latlngs, options) {\r
+               return new L.MultiPolygon(latlngs, options);\r
+       };\r
+}());\r
+
+
+/*\r
+ * L.Rectangle extends Polygon and creates a rectangle when passed a LatLngBounds object.\r
+ */\r
+\r
+L.Rectangle = L.Polygon.extend({\r
+       initialize: function (latLngBounds, options) {\r
+               L.Polygon.prototype.initialize.call(this, this._boundsToLatLngs(latLngBounds), options);\r
+       },\r
+\r
+       setBounds: function (latLngBounds) {\r
+               this.setLatLngs(this._boundsToLatLngs(latLngBounds));\r
+       },\r
+\r
+       _boundsToLatLngs: function (latLngBounds) {\r
+               latLngBounds = L.latLngBounds(latLngBounds);\r
+               return [\r
+                       latLngBounds.getSouthWest(),\r
+                       latLngBounds.getNorthWest(),\r
+                       latLngBounds.getNorthEast(),\r
+                       latLngBounds.getSouthEast()\r
+               ];\r
+       }\r
+});\r
+\r
+L.rectangle = function (latLngBounds, options) {\r
+       return new L.Rectangle(latLngBounds, options);\r
+};\r
+
+
+/*\r
+ * L.Circle is a circle overlay (with a certain radius in meters).\r
+ */\r
+\r
+L.Circle = L.Path.extend({\r
+       initialize: function (latlng, radius, options) {\r
+               L.Path.prototype.initialize.call(this, options);\r
+\r
+               this._latlng = L.latLng(latlng);\r
+               this._mRadius = radius;\r
+       },\r
+\r
+       options: {\r
+               fill: true\r
+       },\r
+\r
+       setLatLng: function (latlng) {\r
+               this._latlng = L.latLng(latlng);\r
+               return this.redraw();\r
+       },\r
+\r
+       setRadius: function (radius) {\r
+               this._mRadius = radius;\r
+               return this.redraw();\r
+       },\r
+\r
+       projectLatlngs: function () {\r
+               var lngRadius = this._getLngRadius(),\r
+                   latlng = this._latlng,\r
+                   pointLeft = this._map.latLngToLayerPoint([latlng.lat, latlng.lng - lngRadius]);\r
+\r
+               this._point = this._map.latLngToLayerPoint(latlng);\r
+               this._radius = Math.max(this._point.x - pointLeft.x, 1);\r
+       },\r
+\r
+       getBounds: function () {\r
+               var lngRadius = this._getLngRadius(),\r
+                   latRadius = (this._mRadius / 40075017) * 360,\r
+                   latlng = this._latlng;\r
+\r
+               return new L.LatLngBounds(\r
+                       [latlng.lat - latRadius, latlng.lng - lngRadius],\r
+                       [latlng.lat + latRadius, latlng.lng + lngRadius]);\r
+       },\r
+\r
+       getLatLng: function () {\r
+               return this._latlng;\r
+       },\r
+\r
+       getPathString: function () {\r
+               var p = this._point,\r
+                   r = this._radius;\r
+\r
+               if (this._checkIfEmpty()) {\r
+                       return '';\r
+               }\r
+\r
+               if (L.Browser.svg) {\r
+                       return 'M' + p.x + ',' + (p.y - r) +\r
+                              'A' + r + ',' + r + ',0,1,1,' +\r
+                              (p.x - 0.1) + ',' + (p.y - r) + ' z';\r
+               } else {\r
+                       p._round();\r
+                       r = Math.round(r);\r
+                       return 'AL ' + p.x + ',' + p.y + ' ' + r + ',' + r + ' 0,' + (65535 * 360);\r
+               }\r
+       },\r
+\r
+       getRadius: function () {\r
+               return this._mRadius;\r
+       },\r
+\r
+       // TODO Earth hardcoded, move into projection code!\r
+\r
+       _getLatRadius: function () {\r
+               return (this._mRadius / 40075017) * 360;\r
+       },\r
+\r
+       _getLngRadius: function () {\r
+               return this._getLatRadius() / Math.cos(L.LatLng.DEG_TO_RAD * this._latlng.lat);\r
+       },\r
+\r
+       _checkIfEmpty: function () {\r
+               if (!this._map) {\r
+                       return false;\r
+               }\r
+               var vp = this._map._pathViewport,\r
+                   r = this._radius,\r
+                   p = this._point;\r
+\r
+               return p.x - r > vp.max.x || p.y - r > vp.max.y ||\r
+                      p.x + r < vp.min.x || p.y + r < vp.min.y;\r
+       }\r
+});\r
+\r
+L.circle = function (latlng, radius, options) {\r
+       return new L.Circle(latlng, radius, options);\r
+};\r
+
+
+/*\r
+ * L.CircleMarker is a circle overlay with a permanent pixel radius.\r
+ */\r
+\r
+L.CircleMarker = L.Circle.extend({\r
+       options: {\r
+               radius: 10,\r
+               weight: 2\r
+       },\r
+\r
+       initialize: function (latlng, options) {\r
+               L.Circle.prototype.initialize.call(this, latlng, null, options);\r
+               this._radius = this.options.radius;\r
+       },\r
+\r
+       projectLatlngs: function () {\r
+               this._point = this._map.latLngToLayerPoint(this._latlng);\r
+       },\r
+\r
+       _updateStyle : function () {\r
+               L.Circle.prototype._updateStyle.call(this);\r
+               this.setRadius(this.options.radius);\r
+       },\r
+\r
+       setLatLng: function (latlng) {\r
+               L.Circle.prototype.setLatLng.call(this, latlng);\r
+               if (this._popup && this._popup._isOpen) {\r
+                       this._popup.setLatLng(latlng);\r
+               }\r
+               return this;\r
+       },\r
+\r
+       setRadius: function (radius) {\r
+               this.options.radius = this._radius = radius;\r
+               return this.redraw();\r
+       },\r
+\r
+       getRadius: function () {\r
+               return this._radius;\r
+       }\r
+});\r
+\r
+L.circleMarker = function (latlng, options) {\r
+       return new L.CircleMarker(latlng, options);\r
+};\r
+
+
+/*\r
+ * Extends L.Polyline to be able to manually detect clicks on Canvas-rendered polylines.\r
+ */\r
+\r
+L.Polyline.include(!L.Path.CANVAS ? {} : {\r
+       _containsPoint: function (p, closed) {\r
+               var i, j, k, len, len2, dist, part,\r
+                   w = this.options.weight / 2;\r
+\r
+               if (L.Browser.touch) {\r
+                       w += 10; // polyline click tolerance on touch devices\r
+               }\r
+\r
+               for (i = 0, len = this._parts.length; i < len; i++) {\r
+                       part = this._parts[i];\r
+                       for (j = 0, len2 = part.length, k = len2 - 1; j < len2; k = j++) {\r
+                               if (!closed && (j === 0)) {\r
+                                       continue;\r
+                               }\r
+\r
+                               dist = L.LineUtil.pointToSegmentDistance(p, part[k], part[j]);\r
+\r
+                               if (dist <= w) {\r
+                                       return true;\r
+                               }\r
+                       }\r
+               }\r
+               return false;\r
+       }\r
+});\r
+
+
+/*\r
+ * Extends L.Polygon to be able to manually detect clicks on Canvas-rendered polygons.\r
+ */\r
+\r
+L.Polygon.include(!L.Path.CANVAS ? {} : {\r
+       _containsPoint: function (p) {\r
+               var inside = false,\r
+                   part, p1, p2,\r
+                   i, j, k,\r
+                   len, len2;\r
+\r
+               // TODO optimization: check if within bounds first\r
+\r
+               if (L.Polyline.prototype._containsPoint.call(this, p, true)) {\r
+                       // click on polygon border\r
+                       return true;\r
+               }\r
+\r
+               // ray casting algorithm for detecting if point is in polygon\r
+\r
+               for (i = 0, len = this._parts.length; i < len; i++) {\r
+                       part = this._parts[i];\r
+\r
+                       for (j = 0, len2 = part.length, k = len2 - 1; j < len2; k = j++) {\r
+                               p1 = part[j];\r
+                               p2 = part[k];\r
+\r
+                               if (((p1.y > p.y) !== (p2.y > p.y)) &&\r
+                                               (p.x < (p2.x - p1.x) * (p.y - p1.y) / (p2.y - p1.y) + p1.x)) {\r
+                                       inside = !inside;\r
+                               }\r
+                       }\r
+               }\r
+\r
+               return inside;\r
+       }\r
+});\r
+
+
+/*\r
+ * Extends L.Circle with Canvas-specific code.\r
+ */\r
+\r
+L.Circle.include(!L.Path.CANVAS ? {} : {\r
+       _drawPath: function () {\r
+               var p = this._point;\r
+               this._ctx.beginPath();\r
+               this._ctx.arc(p.x, p.y, this._radius, 0, Math.PI * 2, false);\r
+       },\r
+\r
+       _containsPoint: function (p) {\r
+               var center = this._point,\r
+                   w2 = this.options.stroke ? this.options.weight / 2 : 0;\r
+\r
+               return (p.distanceTo(center) <= this._radius + w2);\r
+       }\r
+});\r
+
+
+/*
+ * CircleMarker canvas specific drawing parts.
+ */
+
+L.CircleMarker.include(!L.Path.CANVAS ? {} : {
+       _updateStyle: function () {
+               L.Path.prototype._updateStyle.call(this);
+       }
+});
+
+
+/*\r
+ * L.GeoJSON turns any GeoJSON data into a Leaflet layer.\r
+ */\r
+\r
+L.GeoJSON = L.FeatureGroup.extend({\r
+\r
+       initialize: function (geojson, options) {\r
+               L.setOptions(this, options);\r
+\r
+               this._layers = {};\r
+\r
+               if (geojson) {\r
+                       this.addData(geojson);\r
+               }\r
+       },\r
+\r
+       addData: function (geojson) {\r
+               var features = L.Util.isArray(geojson) ? geojson : geojson.features,\r
+                   i, len, feature;\r
+\r
+               if (features) {\r
+                       for (i = 0, len = features.length; i < len; i++) {\r
+                               // Only add this if geometry or geometries are set and not null\r
+                               feature = features[i];\r
+                               if (feature.geometries || feature.geometry || feature.features || feature.coordinates) {\r
+                                       this.addData(features[i]);\r
+                               }\r
+                       }\r
+                       return this;\r
+               }\r
+\r
+               var options = this.options;\r
+\r
+               if (options.filter && !options.filter(geojson)) { return; }\r
+\r
+               var layer = L.GeoJSON.geometryToLayer(geojson, options.pointToLayer, options.coordsToLatLng, options);\r
+               layer.feature = L.GeoJSON.asFeature(geojson);\r
+\r
+               layer.defaultOptions = layer.options;\r
+               this.resetStyle(layer);\r
+\r
+               if (options.onEachFeature) {\r
+                       options.onEachFeature(geojson, layer);\r
+               }\r
+\r
+               return this.addLayer(layer);\r
+       },\r
+\r
+       resetStyle: function (layer) {\r
+               var style = this.options.style;\r
+               if (style) {\r
+                       // reset any custom styles\r
+                       L.Util.extend(layer.options, layer.defaultOptions);\r
+\r
+                       this._setLayerStyle(layer, style);\r
+               }\r
+       },\r
+\r
+       setStyle: function (style) {\r
+               this.eachLayer(function (layer) {\r
+                       this._setLayerStyle(layer, style);\r
+               }, this);\r
+       },\r
+\r
+       _setLayerStyle: function (layer, style) {\r
+               if (typeof style === 'function') {\r
+                       style = style(layer.feature);\r
+               }\r
+               if (layer.setStyle) {\r
+                       layer.setStyle(style);\r
+               }\r
+       }\r
+});\r
+\r
+L.extend(L.GeoJSON, {\r
+       geometryToLayer: function (geojson, pointToLayer, coordsToLatLng, vectorOptions) {\r
+               var geometry = geojson.type === 'Feature' ? geojson.geometry : geojson,\r
+                   coords = geometry.coordinates,\r
+                   layers = [],\r
+                   latlng, latlngs, i, len;\r
+\r
+               coordsToLatLng = coordsToLatLng || this.coordsToLatLng;\r
+\r
+               switch (geometry.type) {\r
+               case 'Point':\r
+                       latlng = coordsToLatLng(coords);\r
+                       return pointToLayer ? pointToLayer(geojson, latlng) : new L.Marker(latlng);\r
+\r
+               case 'MultiPoint':\r
+                       for (i = 0, len = coords.length; i < len; i++) {\r
+                               latlng = coordsToLatLng(coords[i]);\r
+                               layers.push(pointToLayer ? pointToLayer(geojson, latlng) : new L.Marker(latlng));\r
+                       }\r
+                       return new L.FeatureGroup(layers);\r
+\r
+               case 'LineString':\r
+                       latlngs = this.coordsToLatLngs(coords, 0, coordsToLatLng);\r
+                       return new L.Polyline(latlngs, vectorOptions);\r
+\r
+               case 'Polygon':\r
+                       if (coords.length === 2 && !coords[1].length) {\r
+                               throw new Error('Invalid GeoJSON object.');\r
+                       }\r
+                       latlngs = this.coordsToLatLngs(coords, 1, coordsToLatLng);\r
+                       return new L.Polygon(latlngs, vectorOptions);\r
+\r
+               case 'MultiLineString':\r
+                       latlngs = this.coordsToLatLngs(coords, 1, coordsToLatLng);\r
+                       return new L.MultiPolyline(latlngs, vectorOptions);\r
+\r
+               case 'MultiPolygon':\r
+                       latlngs = this.coordsToLatLngs(coords, 2, coordsToLatLng);\r
+                       return new L.MultiPolygon(latlngs, vectorOptions);\r
+\r
+               case 'GeometryCollection':\r
+                       for (i = 0, len = geometry.geometries.length; i < len; i++) {\r
+\r
+                               layers.push(this.geometryToLayer({\r
+                                       geometry: geometry.geometries[i],\r
+                                       type: 'Feature',\r
+                                       properties: geojson.properties\r
+                               }, pointToLayer, coordsToLatLng, vectorOptions));\r
+                       }\r
+                       return new L.FeatureGroup(layers);\r
+\r
+               default:\r
+                       throw new Error('Invalid GeoJSON object.');\r
+               }\r
+       },\r
+\r
+       coordsToLatLng: function (coords) { // (Array[, Boolean]) -> LatLng\r
+               return new L.LatLng(coords[1], coords[0], coords[2]);\r
+       },\r
+\r
+       coordsToLatLngs: function (coords, levelsDeep, coordsToLatLng) { // (Array[, Number, Function]) -> Array\r
+               var latlng, i, len,\r
+                   latlngs = [];\r
+\r
+               for (i = 0, len = coords.length; i < len; i++) {\r
+                       latlng = levelsDeep ?\r
+                               this.coordsToLatLngs(coords[i], levelsDeep - 1, coordsToLatLng) :\r
+                               (coordsToLatLng || this.coordsToLatLng)(coords[i]);\r
+\r
+                       latlngs.push(latlng);\r
+               }\r
+\r
+               return latlngs;\r
+       },\r
+\r
+       latLngToCoords: function (latlng) {\r
+               var coords = [latlng.lng, latlng.lat];\r
+\r
+               if (latlng.alt !== undefined) {\r
+                       coords.push(latlng.alt);\r
+               }\r
+               return coords;\r
+       },\r
+\r
+       latLngsToCoords: function (latLngs) {\r
+               var coords = [];\r
+\r
+               for (var i = 0, len = latLngs.length; i < len; i++) {\r
+                       coords.push(L.GeoJSON.latLngToCoords(latLngs[i]));\r
+               }\r
+\r
+               return coords;\r
+       },\r
+\r
+       getFeature: function (layer, newGeometry) {\r
+               return layer.feature ? L.extend({}, layer.feature, {geometry: newGeometry}) : L.GeoJSON.asFeature(newGeometry);\r
+       },\r
+\r
+       asFeature: function (geoJSON) {\r
+               if (geoJSON.type === 'Feature') {\r
+                       return geoJSON;\r
+               }\r
+\r
+               return {\r
+                       type: 'Feature',\r
+                       properties: {},\r
+                       geometry: geoJSON\r
+               };\r
+       }\r
+});\r
+\r
+var PointToGeoJSON = {\r
+       toGeoJSON: function () {\r
+               return L.GeoJSON.getFeature(this, {\r
+                       type: 'Point',\r
+                       coordinates: L.GeoJSON.latLngToCoords(this.getLatLng())\r
+               });\r
+       }\r
+};\r
+\r
+L.Marker.include(PointToGeoJSON);\r
+L.Circle.include(PointToGeoJSON);\r
+L.CircleMarker.include(PointToGeoJSON);\r
+\r
+L.Polyline.include({\r
+       toGeoJSON: function () {\r
+               return L.GeoJSON.getFeature(this, {\r
+                       type: 'LineString',\r
+                       coordinates: L.GeoJSON.latLngsToCoords(this.getLatLngs())\r
+               });\r
+       }\r
+});\r
+\r
+L.Polygon.include({\r
+       toGeoJSON: function () {\r
+               var coords = [L.GeoJSON.latLngsToCoords(this.getLatLngs())],\r
+                   i, len, hole;\r
+\r
+               coords[0].push(coords[0][0]);\r
+\r
+               if (this._holes) {\r
+                       for (i = 0, len = this._holes.length; i < len; i++) {\r
+                               hole = L.GeoJSON.latLngsToCoords(this._holes[i]);\r
+                               hole.push(hole[0]);\r
+                               coords.push(hole);\r
+                       }\r
+               }\r
+\r
+               return L.GeoJSON.getFeature(this, {\r
+                       type: 'Polygon',\r
+                       coordinates: coords\r
+               });\r
+       }\r
+});\r
+\r
+(function () {\r
+       function multiToGeoJSON(type) {\r
+               return function () {\r
+                       var coords = [];\r
+\r
+                       this.eachLayer(function (layer) {\r
+                               coords.push(layer.toGeoJSON().geometry.coordinates);\r
+                       });\r
+\r
+                       return L.GeoJSON.getFeature(this, {\r
+                               type: type,\r
+                               coordinates: coords\r
+                       });\r
+               };\r
+       }\r
+\r
+       L.MultiPolyline.include({toGeoJSON: multiToGeoJSON('MultiLineString')});\r
+       L.MultiPolygon.include({toGeoJSON: multiToGeoJSON('MultiPolygon')});\r
+\r
+       L.LayerGroup.include({\r
+               toGeoJSON: function () {\r
+\r
+                       var geometry = this.feature && this.feature.geometry,\r
+                               jsons = [],\r
+                               json;\r
+\r
+                       if (geometry && geometry.type === 'MultiPoint') {\r
+                               return multiToGeoJSON('MultiPoint').call(this);\r
+                       }\r
+\r
+                       var isGeometryCollection = geometry && geometry.type === 'GeometryCollection';\r
+\r
+                       this.eachLayer(function (layer) {\r
+                               if (layer.toGeoJSON) {\r
+                                       json = layer.toGeoJSON();\r
+                                       jsons.push(isGeometryCollection ? json.geometry : L.GeoJSON.asFeature(json));\r
+                               }\r
+                       });\r
+\r
+                       if (isGeometryCollection) {\r
+                               return L.GeoJSON.getFeature(this, {\r
+                                       geometries: jsons,\r
+                                       type: 'GeometryCollection'\r
+                               });\r
+                       }\r
+\r
+                       return {\r
+                               type: 'FeatureCollection',\r
+                               features: jsons\r
+                       };\r
+               }\r
+       });\r
+}());\r
+\r
+L.geoJson = function (geojson, options) {\r
+       return new L.GeoJSON(geojson, options);\r
+};\r
+
+
+/*\r
+ * L.DomEvent contains functions for working with DOM events.\r
+ */\r
+\r
+L.DomEvent = {\r
+       /* inspired by John Resig, Dean Edwards and YUI addEvent implementations */\r
+       addListener: function (obj, type, fn, context) { // (HTMLElement, String, Function[, Object])\r
+\r
+               var id = L.stamp(fn),\r
+                   key = '_leaflet_' + type + id,\r
+                   handler, originalHandler, newType;\r
+\r
+               if (obj[key]) { return this; }\r
+\r
+               handler = function (e) {\r
+                       return fn.call(context || obj, e || L.DomEvent._getEvent());\r
+               };\r
+\r
+               if (L.Browser.pointer && type.indexOf('touch') === 0) {\r
+                       return this.addPointerListener(obj, type, handler, id);\r
+               }\r
+               if (L.Browser.touch && (type === 'dblclick') && this.addDoubleTapListener) {\r
+                       this.addDoubleTapListener(obj, handler, id);\r
+               }\r
+\r
+               if ('addEventListener' in obj) {\r
+\r
+                       if (type === 'mousewheel') {\r
+                               obj.addEventListener('DOMMouseScroll', handler, false);\r
+                               obj.addEventListener(type, handler, false);\r
+\r
+                       } else if ((type === 'mouseenter') || (type === 'mouseleave')) {\r
+\r
+                               originalHandler = handler;\r
+                               newType = (type === 'mouseenter' ? 'mouseover' : 'mouseout');\r
+\r
+                               handler = function (e) {\r
+                                       if (!L.DomEvent._checkMouse(obj, e)) { return; }\r
+                                       return originalHandler(e);\r
+                               };\r
+\r
+                               obj.addEventListener(newType, handler, false);\r
+\r
+                       } else if (type === 'click' && L.Browser.android) {\r
+                               originalHandler = handler;\r
+                               handler = function (e) {\r
+                                       return L.DomEvent._filterClick(e, originalHandler);\r
+                               };\r
+\r
+                               obj.addEventListener(type, handler, false);\r
+                       } else {\r
+                               obj.addEventListener(type, handler, false);\r
+                       }\r
+\r
+               } else if ('attachEvent' in obj) {\r
+                       obj.attachEvent('on' + type, handler);\r
+               }\r
+\r
+               obj[key] = handler;\r
+\r
+               return this;\r
+       },\r
+\r
+       removeListener: function (obj, type, fn) {  // (HTMLElement, String, Function)\r
+\r
+               var id = L.stamp(fn),\r
+                   key = '_leaflet_' + type + id,\r
+                   handler = obj[key];\r
+\r
+               if (!handler) { return this; }\r
+\r
+               if (L.Browser.pointer && type.indexOf('touch') === 0) {\r
+                       this.removePointerListener(obj, type, id);\r
+               } else if (L.Browser.touch && (type === 'dblclick') && this.removeDoubleTapListener) {\r
+                       this.removeDoubleTapListener(obj, id);\r
+\r
+               } else if ('removeEventListener' in obj) {\r
+\r
+                       if (type === 'mousewheel') {\r
+                               obj.removeEventListener('DOMMouseScroll', handler, false);\r
+                               obj.removeEventListener(type, handler, false);\r
+\r
+                       } else if ((type === 'mouseenter') || (type === 'mouseleave')) {\r
+                               obj.removeEventListener((type === 'mouseenter' ? 'mouseover' : 'mouseout'), handler, false);\r
+                       } else {\r
+                               obj.removeEventListener(type, handler, false);\r
+                       }\r
+               } else if ('detachEvent' in obj) {\r
+                       obj.detachEvent('on' + type, handler);\r
+               }\r
+\r
+               obj[key] = null;\r
+\r
+               return this;\r
+       },\r
+\r
+       stopPropagation: function (e) {\r
+\r
+               if (e.stopPropagation) {\r
+                       e.stopPropagation();\r
+               } else {\r
+                       e.cancelBubble = true;\r
+               }\r
+               L.DomEvent._skipped(e);\r
+\r
+               return this;\r
+       },\r
+\r
+       disableScrollPropagation: function (el) {\r
+               var stop = L.DomEvent.stopPropagation;\r
+\r
+               return L.DomEvent\r
+                       .on(el, 'mousewheel', stop)\r
+                       .on(el, 'MozMousePixelScroll', stop);\r
+       },\r
+\r
+       disableClickPropagation: function (el) {\r
+               var stop = L.DomEvent.stopPropagation;\r
+\r
+               for (var i = L.Draggable.START.length - 1; i >= 0; i--) {\r
+                       L.DomEvent.on(el, L.Draggable.START[i], stop);\r
+               }\r
+\r
+               return L.DomEvent\r
+                       .on(el, 'click', L.DomEvent._fakeStop)\r
+                       .on(el, 'dblclick', stop);\r
+       },\r
+\r
+       preventDefault: function (e) {\r
+\r
+               if (e.preventDefault) {\r
+                       e.preventDefault();\r
+               } else {\r
+                       e.returnValue = false;\r
+               }\r
+               return this;\r
+       },\r
+\r
+       stop: function (e) {\r
+               return L.DomEvent\r
+                       .preventDefault(e)\r
+                       .stopPropagation(e);\r
+       },\r
+\r
+       getMousePosition: function (e, container) {\r
+               if (!container) {\r
+                       return new L.Point(e.clientX, e.clientY);\r
+               }\r
+\r
+               var rect = container.getBoundingClientRect();\r
+\r
+               return new L.Point(\r
+                       e.clientX - rect.left - container.clientLeft,\r
+                       e.clientY - rect.top - container.clientTop);\r
+       },\r
+\r
+       getWheelDelta: function (e) {\r
+\r
+               var delta = 0;\r
+\r
+               if (e.wheelDelta) {\r
+                       delta = e.wheelDelta / 120;\r
+               }\r
+               if (e.detail) {\r
+                       delta = -e.detail / 3;\r
+               }\r
+               return delta;\r
+       },\r
+\r
+       _skipEvents: {},\r
+\r
+       _fakeStop: function (e) {\r
+               // fakes stopPropagation by setting a special event flag, checked/reset with L.DomEvent._skipped(e)\r
+               L.DomEvent._skipEvents[e.type] = true;\r
+       },\r
+\r
+       _skipped: function (e) {\r
+               var skipped = this._skipEvents[e.type];\r
+               // reset when checking, as it's only used in map container and propagates outside of the map\r
+               this._skipEvents[e.type] = false;\r
+               return skipped;\r
+       },\r
+\r
+       // check if element really left/entered the event target (for mouseenter/mouseleave)\r
+       _checkMouse: function (el, e) {\r
+\r
+               var related = e.relatedTarget;\r
+\r
+               if (!related) { return true; }\r
+\r
+               try {\r
+                       while (related && (related !== el)) {\r
+                               related = related.parentNode;\r
+                       }\r
+               } catch (err) {\r
+                       return false;\r
+               }\r
+               return (related !== el);\r
+       },\r
+\r
+       _getEvent: function () { // evil magic for IE\r
+               /*jshint noarg:false */\r
+               var e = window.event;\r
+               if (!e) {\r
+                       var caller = arguments.callee.caller;\r
+                       while (caller) {\r
+                               e = caller['arguments'][0];\r
+                               if (e && window.Event === e.constructor) {\r
+                                       break;\r
+                               }\r
+                               caller = caller.caller;\r
+                       }\r
+               }\r
+               return e;\r
+       },\r
+\r
+       // this is a horrible workaround for a bug in Android where a single touch triggers two click events\r
+       _filterClick: function (e, handler) {\r
+               var timeStamp = (e.timeStamp || e.originalEvent.timeStamp),\r
+                       elapsed = L.DomEvent._lastClick && (timeStamp - L.DomEvent._lastClick);\r
+\r
+               // are they closer together than 500ms yet more than 100ms?\r
+               // Android typically triggers them ~300ms apart while multiple listeners\r
+               // on the same event should be triggered far faster;\r
+               // or check if click is simulated on the element, and if it is, reject any non-simulated events\r
+\r
+               if ((elapsed && elapsed > 100 && elapsed < 500) || (e.target._simulatedClick && !e._simulated)) {\r
+                       L.DomEvent.stop(e);\r
+                       return;\r
+               }\r
+               L.DomEvent._lastClick = timeStamp;\r
+\r
+               return handler(e);\r
+       }\r
+};\r
+\r
+L.DomEvent.on = L.DomEvent.addListener;\r
+L.DomEvent.off = L.DomEvent.removeListener;\r
+
+
+/*\r
+ * L.Draggable allows you to add dragging capabilities to any element. Supports mobile devices too.\r
+ */\r
+\r
+L.Draggable = L.Class.extend({\r
+       includes: L.Mixin.Events,\r
+\r
+       statics: {\r
+               START: L.Browser.touch ? ['touchstart', 'mousedown'] : ['mousedown'],\r
+               END: {\r
+                       mousedown: 'mouseup',\r
+                       touchstart: 'touchend',\r
+                       pointerdown: 'touchend',\r
+                       MSPointerDown: 'touchend'\r
+               },\r
+               MOVE: {\r
+                       mousedown: 'mousemove',\r
+                       touchstart: 'touchmove',\r
+                       pointerdown: 'touchmove',\r
+                       MSPointerDown: 'touchmove'\r
+               }\r
+       },\r
+\r
+       initialize: function (element, dragStartTarget) {\r
+               this._element = element;\r
+               this._dragStartTarget = dragStartTarget || element;\r
+       },\r
+\r
+       enable: function () {\r
+               if (this._enabled) { return; }\r
+\r
+               for (var i = L.Draggable.START.length - 1; i >= 0; i--) {\r
+                       L.DomEvent.on(this._dragStartTarget, L.Draggable.START[i], this._onDown, this);\r
+               }\r
+\r
+               this._enabled = true;\r
+       },\r
+\r
+       disable: function () {\r
+               if (!this._enabled) { return; }\r
+\r
+               for (var i = L.Draggable.START.length - 1; i >= 0; i--) {\r
+                       L.DomEvent.off(this._dragStartTarget, L.Draggable.START[i], this._onDown, this);\r
+               }\r
+\r
+               this._enabled = false;\r
+               this._moved = false;\r
+       },\r
+\r
+       _onDown: function (e) {\r
+               this._moved = false;\r
+\r
+               if (e.shiftKey || ((e.which !== 1) && (e.button !== 1) && !e.touches)) { return; }\r
+\r
+               L.DomEvent.stopPropagation(e);\r
+\r
+               if (L.Draggable._disabled) { return; }\r
+\r
+               L.DomUtil.disableImageDrag();\r
+               L.DomUtil.disableTextSelection();\r
+\r
+               if (this._moving) { return; }\r
+\r
+               var first = e.touches ? e.touches[0] : e;\r
+\r
+               this._startPoint = new L.Point(first.clientX, first.clientY);\r
+               this._startPos = this._newPos = L.DomUtil.getPosition(this._element);\r
+\r
+               L.DomEvent\r
+                   .on(document, L.Draggable.MOVE[e.type], this._onMove, this)\r
+                   .on(document, L.Draggable.END[e.type], this._onUp, this);\r
+       },\r
+\r
+       _onMove: function (e) {\r
+               if (e.touches && e.touches.length > 1) {\r
+                       this._moved = true;\r
+                       return;\r
+               }\r
+\r
+               var first = (e.touches && e.touches.length === 1 ? e.touches[0] : e),\r
+                   newPoint = new L.Point(first.clientX, first.clientY),\r
+                   offset = newPoint.subtract(this._startPoint);\r
+\r
+               if (!offset.x && !offset.y) { return; }\r
+               if (L.Browser.touch && Math.abs(offset.x) + Math.abs(offset.y) < 3) { return; }\r
+\r
+               L.DomEvent.preventDefault(e);\r
+\r
+               if (!this._moved) {\r
+                       this.fire('dragstart');\r
+\r
+                       this._moved = true;\r
+                       this._startPos = L.DomUtil.getPosition(this._element).subtract(offset);\r
+\r
+                       L.DomUtil.addClass(document.body, 'leaflet-dragging');\r
+                       this._lastTarget = e.target || e.srcElement;\r
+                       L.DomUtil.addClass(this._lastTarget, 'leaflet-drag-target');\r
+               }\r
+\r
+               this._newPos = this._startPos.add(offset);\r
+               this._moving = true;\r
+\r
+               L.Util.cancelAnimFrame(this._animRequest);\r
+               this._animRequest = L.Util.requestAnimFrame(this._updatePosition, this, true, this._dragStartTarget);\r
+       },\r
+\r
+       _updatePosition: function () {\r
+               this.fire('predrag');\r
+               L.DomUtil.setPosition(this._element, this._newPos);\r
+               this.fire('drag');\r
+       },\r
+\r
+       _onUp: function () {\r
+               L.DomUtil.removeClass(document.body, 'leaflet-dragging');\r
+\r
+               if (this._lastTarget) {\r
+                       L.DomUtil.removeClass(this._lastTarget, 'leaflet-drag-target');\r
+                       this._lastTarget = null;\r
+               }\r
+\r
+               for (var i in L.Draggable.MOVE) {\r
+                       L.DomEvent\r
+                           .off(document, L.Draggable.MOVE[i], this._onMove)\r
+                           .off(document, L.Draggable.END[i], this._onUp);\r
+               }\r
+\r
+               L.DomUtil.enableImageDrag();\r
+               L.DomUtil.enableTextSelection();\r
+\r
+               if (this._moved && this._moving) {\r
+                       // ensure drag is not fired after dragend\r
+                       L.Util.cancelAnimFrame(this._animRequest);\r
+\r
+                       this.fire('dragend', {\r
+                               distance: this._newPos.distanceTo(this._startPos)\r
+                       });\r
+               }\r
+\r
+               this._moving = false;\r
+       }\r
+});\r
+
+
+/*
+       L.Handler is a base class for handler classes that are used internally to inject
+       interaction features like dragging to classes like Map and Marker.
+*/
+
+L.Handler = L.Class.extend({
+       initialize: function (map) {
+               this._map = map;
+       },
+
+       enable: function () {
+               if (this._enabled) { return; }
+
+               this._enabled = true;
+               this.addHooks();
+       },
+
+       disable: function () {
+               if (!this._enabled) { return; }
+
+               this._enabled = false;
+               this.removeHooks();
+       },
+
+       enabled: function () {
+               return !!this._enabled;
+       }
+});
+
+
+/*
+ * L.Handler.MapDrag is used to make the map draggable (with panning inertia), enabled by default.
+ */
+
+L.Map.mergeOptions({
+       dragging: true,
+
+       inertia: !L.Browser.android23,
+       inertiaDeceleration: 3400, // px/s^2
+       inertiaMaxSpeed: Infinity, // px/s
+       inertiaThreshold: L.Browser.touch ? 32 : 18, // ms
+       easeLinearity: 0.25,
+
+       // TODO refactor, move to CRS
+       worldCopyJump: false
+});
+
+L.Map.Drag = L.Handler.extend({
+       addHooks: function () {
+               if (!this._draggable) {
+                       var map = this._map;
+
+                       this._draggable = new L.Draggable(map._mapPane, map._container);
+
+                       this._draggable.on({
+                               'dragstart': this._onDragStart,
+                               'drag': this._onDrag,
+                               'dragend': this._onDragEnd
+                       }, this);
+
+                       if (map.options.worldCopyJump) {
+                               this._draggable.on('predrag', this._onPreDrag, this);
+                               map.on('viewreset', this._onViewReset, this);
+
+                               map.whenReady(this._onViewReset, this);
+                       }
+               }
+               this._draggable.enable();
+       },
+
+       removeHooks: function () {
+               this._draggable.disable();
+       },
+
+       moved: function () {
+               return this._draggable && this._draggable._moved;
+       },
+
+       _onDragStart: function () {
+               var map = this._map;
+
+               if (map._panAnim) {
+                       map._panAnim.stop();
+               }
+
+               map
+                   .fire('movestart')
+                   .fire('dragstart');
+
+               if (map.options.inertia) {
+                       this._positions = [];
+                       this._times = [];
+               }
+       },
+
+       _onDrag: function () {
+               if (this._map.options.inertia) {
+                       var time = this._lastTime = +new Date(),
+                           pos = this._lastPos = this._draggable._newPos;
+
+                       this._positions.push(pos);
+                       this._times.push(time);
+
+                       if (time - this._times[0] > 200) {
+                               this._positions.shift();
+                               this._times.shift();
+                       }
+               }
+
+               this._map
+                   .fire('move')
+                   .fire('drag');
+       },
+
+       _onViewReset: function () {
+               // TODO fix hardcoded Earth values
+               var pxCenter = this._map.getSize()._divideBy(2),
+                   pxWorldCenter = this._map.latLngToLayerPoint([0, 0]);
+
+               this._initialWorldOffset = pxWorldCenter.subtract(pxCenter).x;
+               this._worldWidth = this._map.project([0, 180]).x;
+       },
+
+       _onPreDrag: function () {
+               // TODO refactor to be able to adjust map pane position after zoom
+               var worldWidth = this._worldWidth,
+                   halfWidth = Math.round(worldWidth / 2),
+                   dx = this._initialWorldOffset,
+                   x = this._draggable._newPos.x,
+                   newX1 = (x - halfWidth + dx) % worldWidth + halfWidth - dx,
+                   newX2 = (x + halfWidth + dx) % worldWidth - halfWidth - dx,
+                   newX = Math.abs(newX1 + dx) < Math.abs(newX2 + dx) ? newX1 : newX2;
+
+               this._draggable._newPos.x = newX;
+       },
+
+       _onDragEnd: function (e) {
+               var map = this._map,
+                   options = map.options,
+                   delay = +new Date() - this._lastTime,
+
+                   noInertia = !options.inertia || delay > options.inertiaThreshold || !this._positions[0];
+
+               map.fire('dragend', e);
+
+               if (noInertia) {
+                       map.fire('moveend');
+
+               } else {
+
+                       var direction = this._lastPos.subtract(this._positions[0]),
+                           duration = (this._lastTime + delay - this._times[0]) / 1000,
+                           ease = options.easeLinearity,
+
+                           speedVector = direction.multiplyBy(ease / duration),
+                           speed = speedVector.distanceTo([0, 0]),
+
+                           limitedSpeed = Math.min(options.inertiaMaxSpeed, speed),
+                           limitedSpeedVector = speedVector.multiplyBy(limitedSpeed / speed),
+
+                           decelerationDuration = limitedSpeed / (options.inertiaDeceleration * ease),
+                           offset = limitedSpeedVector.multiplyBy(-decelerationDuration / 2).round();
+
+                       if (!offset.x || !offset.y) {
+                               map.fire('moveend');
+
+                       } else {
+                               offset = map._limitOffset(offset, map.options.maxBounds);
+
+                               L.Util.requestAnimFrame(function () {
+                                       map.panBy(offset, {
+                                               duration: decelerationDuration,
+                                               easeLinearity: ease,
+                                               noMoveStart: true
+                                       });
+                               });
+                       }
+               }
+       }
+});
+
+L.Map.addInitHook('addHandler', 'dragging', L.Map.Drag);
+
+
+/*
+ * L.Handler.DoubleClickZoom is used to handle double-click zoom on the map, enabled by default.
+ */
+
+L.Map.mergeOptions({
+       doubleClickZoom: true
+});
+
+L.Map.DoubleClickZoom = L.Handler.extend({
+       addHooks: function () {
+               this._map.on('dblclick', this._onDoubleClick, this);
+       },
+
+       removeHooks: function () {
+               this._map.off('dblclick', this._onDoubleClick, this);
+       },
+
+       _onDoubleClick: function (e) {
+               var map = this._map,
+                   zoom = map.getZoom() + (e.originalEvent.shiftKey ? -1 : 1);
+
+               if (map.options.doubleClickZoom === 'center') {
+                       map.setZoom(zoom);
+               } else {
+                       map.setZoomAround(e.containerPoint, zoom);
+               }
+       }
+});
+
+L.Map.addInitHook('addHandler', 'doubleClickZoom', L.Map.DoubleClickZoom);
+
+
+/*
+ * L.Handler.ScrollWheelZoom is used by L.Map to enable mouse scroll wheel zoom on the map.
+ */
+
+L.Map.mergeOptions({
+       scrollWheelZoom: true
+});
+
+L.Map.ScrollWheelZoom = L.Handler.extend({
+       addHooks: function () {
+               L.DomEvent.on(this._map._container, 'mousewheel', this._onWheelScroll, this);
+               L.DomEvent.on(this._map._container, 'MozMousePixelScroll', L.DomEvent.preventDefault);
+               this._delta = 0;
+       },
+
+       removeHooks: function () {
+               L.DomEvent.off(this._map._container, 'mousewheel', this._onWheelScroll);
+               L.DomEvent.off(this._map._container, 'MozMousePixelScroll', L.DomEvent.preventDefault);
+       },
+
+       _onWheelScroll: function (e) {
+               var delta = L.DomEvent.getWheelDelta(e);
+
+               this._delta += delta;
+               this._lastMousePos = this._map.mouseEventToContainerPoint(e);
+
+               if (!this._startTime) {
+                       this._startTime = +new Date();
+               }
+
+               var left = Math.max(40 - (+new Date() - this._startTime), 0);
+
+               clearTimeout(this._timer);
+               this._timer = setTimeout(L.bind(this._performZoom, this), left);
+
+               L.DomEvent.preventDefault(e);
+               L.DomEvent.stopPropagation(e);
+       },
+
+       _performZoom: function () {
+               var map = this._map,
+                   delta = this._delta,
+                   zoom = map.getZoom();
+
+               delta = delta > 0 ? Math.ceil(delta) : Math.floor(delta);
+               delta = Math.max(Math.min(delta, 4), -4);
+               delta = map._limitZoom(zoom + delta) - zoom;
+
+               this._delta = 0;
+               this._startTime = null;
+
+               if (!delta) { return; }
+
+               if (map.options.scrollWheelZoom === 'center') {
+                       map.setZoom(zoom + delta);
+               } else {
+                       map.setZoomAround(this._lastMousePos, zoom + delta);
+               }
+       }
+});
+
+L.Map.addInitHook('addHandler', 'scrollWheelZoom', L.Map.ScrollWheelZoom);
+
+
+/*\r
+ * Extends the event handling code with double tap support for mobile browsers.\r
+ */\r
+\r
+L.extend(L.DomEvent, {\r
+\r
+       _touchstart: L.Browser.msPointer ? 'MSPointerDown' : L.Browser.pointer ? 'pointerdown' : 'touchstart',\r
+       _touchend: L.Browser.msPointer ? 'MSPointerUp' : L.Browser.pointer ? 'pointerup' : 'touchend',\r
+\r
+       // inspired by Zepto touch code by Thomas Fuchs\r
+       addDoubleTapListener: function (obj, handler, id) {\r
+               var last,\r
+                   doubleTap = false,\r
+                   delay = 250,\r
+                   touch,\r
+                   pre = '_leaflet_',\r
+                   touchstart = this._touchstart,\r
+                   touchend = this._touchend,\r
+                   trackedTouches = [];\r
+\r
+               function onTouchStart(e) {\r
+                       var count;\r
+\r
+                       if (L.Browser.pointer) {\r
+                               trackedTouches.push(e.pointerId);\r
+                               count = trackedTouches.length;\r
+                       } else {\r
+                               count = e.touches.length;\r
+                       }\r
+                       if (count > 1) {\r
+                               return;\r
+                       }\r
+\r
+                       var now = Date.now(),\r
+                               delta = now - (last || now);\r
+\r
+                       touch = e.touches ? e.touches[0] : e;\r
+                       doubleTap = (delta > 0 && delta <= delay);\r
+                       last = now;\r
+               }\r
+\r
+               function onTouchEnd(e) {\r
+                       if (L.Browser.pointer) {\r
+                               var idx = trackedTouches.indexOf(e.pointerId);\r
+                               if (idx === -1) {\r
+                                       return;\r
+                               }\r
+                               trackedTouches.splice(idx, 1);\r
+                       }\r
+\r
+                       if (doubleTap) {\r
+                               if (L.Browser.pointer) {\r
+                                       // work around .type being readonly with MSPointer* events\r
+                                       var newTouch = { },\r
+                                               prop;\r
+\r
+                                       // jshint forin:false\r
+                                       for (var i in touch) {\r
+                                               prop = touch[i];\r
+                                               if (typeof prop === 'function') {\r
+                                                       newTouch[i] = prop.bind(touch);\r
+                                               } else {\r
+                                                       newTouch[i] = prop;\r
+                                               }\r
+                                       }\r
+                                       touch = newTouch;\r
+                               }\r
+                               touch.type = 'dblclick';\r
+                               handler(touch);\r
+                               last = null;\r
+                       }\r
+               }\r
+               obj[pre + touchstart + id] = onTouchStart;\r
+               obj[pre + touchend + id] = onTouchEnd;\r
+\r
+               // on pointer we need to listen on the document, otherwise a drag starting on the map and moving off screen\r
+               // will not come through to us, so we will lose track of how many touches are ongoing\r
+               var endElement = L.Browser.pointer ? document.documentElement : obj;\r
+\r
+               obj.addEventListener(touchstart, onTouchStart, false);\r
+               endElement.addEventListener(touchend, onTouchEnd, false);\r
+\r
+               if (L.Browser.pointer) {\r
+                       endElement.addEventListener(L.DomEvent.POINTER_CANCEL, onTouchEnd, false);\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       removeDoubleTapListener: function (obj, id) {\r
+               var pre = '_leaflet_';\r
+\r
+               obj.removeEventListener(this._touchstart, obj[pre + this._touchstart + id], false);\r
+               (L.Browser.pointer ? document.documentElement : obj).removeEventListener(\r
+                       this._touchend, obj[pre + this._touchend + id], false);\r
+\r
+               if (L.Browser.pointer) {\r
+                       document.documentElement.removeEventListener(L.DomEvent.POINTER_CANCEL, obj[pre + this._touchend + id],\r
+                               false);\r
+               }\r
+\r
+               return this;\r
+       }\r
+});\r
+
+
+/*
+ * Extends L.DomEvent to provide touch support for Internet Explorer and Windows-based devices.
+ */
+
+L.extend(L.DomEvent, {
+
+       //static
+       POINTER_DOWN: L.Browser.msPointer ? 'MSPointerDown' : 'pointerdown',
+       POINTER_MOVE: L.Browser.msPointer ? 'MSPointerMove' : 'pointermove',
+       POINTER_UP: L.Browser.msPointer ? 'MSPointerUp' : 'pointerup',
+       POINTER_CANCEL: L.Browser.msPointer ? 'MSPointerCancel' : 'pointercancel',
+
+       _pointers: [],
+       _pointerDocumentListener: false,
+
+       // Provides a touch events wrapper for (ms)pointer events.
+       // Based on changes by veproza https://github.com/CloudMade/Leaflet/pull/1019
+       //ref http://www.w3.org/TR/pointerevents/ https://www.w3.org/Bugs/Public/show_bug.cgi?id=22890
+
+       addPointerListener: function (obj, type, handler, id) {
+
+               switch (type) {
+               case 'touchstart':
+                       return this.addPointerListenerStart(obj, type, handler, id);
+               case 'touchend':
+                       return this.addPointerListenerEnd(obj, type, handler, id);
+               case 'touchmove':
+                       return this.addPointerListenerMove(obj, type, handler, id);
+               default:
+                       throw 'Unknown touch event type';
+               }
+       },
+
+       addPointerListenerStart: function (obj, type, handler, id) {
+               var pre = '_leaflet_',
+                   pointers = this._pointers;
+
+               var cb = function (e) {
+
+                       L.DomEvent.preventDefault(e);
+
+                       var alreadyInArray = false;
+                       for (var i = 0; i < pointers.length; i++) {
+                               if (pointers[i].pointerId === e.pointerId) {
+                                       alreadyInArray = true;
+                                       break;
+                               }
+                       }
+                       if (!alreadyInArray) {
+                               pointers.push(e);
+                       }
+
+                       e.touches = pointers.slice();
+                       e.changedTouches = [e];
+
+                       handler(e);
+               };
+
+               obj[pre + 'touchstart' + id] = cb;
+               obj.addEventListener(this.POINTER_DOWN, cb, false);
+
+               // need to also listen for end events to keep the _pointers list accurate
+               // this needs to be on the body and never go away
+               if (!this._pointerDocumentListener) {
+                       var internalCb = function (e) {
+                               for (var i = 0; i < pointers.length; i++) {
+                                       if (pointers[i].pointerId === e.pointerId) {
+                                               pointers.splice(i, 1);
+                                               break;
+                                       }
+                               }
+                       };
+                       //We listen on the documentElement as any drags that end by moving the touch off the screen get fired there
+                       document.documentElement.addEventListener(this.POINTER_UP, internalCb, false);
+                       document.documentElement.addEventListener(this.POINTER_CANCEL, internalCb, false);
+
+                       this._pointerDocumentListener = true;
+               }
+
+               return this;
+       },
+
+       addPointerListenerMove: function (obj, type, handler, id) {
+               var pre = '_leaflet_',
+                   touches = this._pointers;
+
+               function cb(e) {
+
+                       // don't fire touch moves when mouse isn't down
+                       if ((e.pointerType === e.MSPOINTER_TYPE_MOUSE || e.pointerType === 'mouse') && e.buttons === 0) { return; }
+
+                       for (var i = 0; i < touches.length; i++) {
+                               if (touches[i].pointerId === e.pointerId) {
+                                       touches[i] = e;
+                                       break;
+                               }
+                       }
+
+                       e.touches = touches.slice();
+                       e.changedTouches = [e];
+
+                       handler(e);
+               }
+
+               obj[pre + 'touchmove' + id] = cb;
+               obj.addEventListener(this.POINTER_MOVE, cb, false);
+
+               return this;
+       },
+
+       addPointerListenerEnd: function (obj, type, handler, id) {
+               var pre = '_leaflet_',
+                   touches = this._pointers;
+
+               var cb = function (e) {
+                       for (var i = 0; i < touches.length; i++) {
+                               if (touches[i].pointerId === e.pointerId) {
+                                       touches.splice(i, 1);
+                                       break;
+                               }
+                       }
+
+                       e.touches = touches.slice();
+                       e.changedTouches = [e];
+
+                       handler(e);
+               };
+
+               obj[pre + 'touchend' + id] = cb;
+               obj.addEventListener(this.POINTER_UP, cb, false);
+               obj.addEventListener(this.POINTER_CANCEL, cb, false);
+
+               return this;
+       },
+
+       removePointerListener: function (obj, type, id) {
+               var pre = '_leaflet_',
+                   cb = obj[pre + type + id];
+
+               switch (type) {
+               case 'touchstart':
+                       obj.removeEventListener(this.POINTER_DOWN, cb, false);
+                       break;
+               case 'touchmove':
+                       obj.removeEventListener(this.POINTER_MOVE, cb, false);
+                       break;
+               case 'touchend':
+                       obj.removeEventListener(this.POINTER_UP, cb, false);
+                       obj.removeEventListener(this.POINTER_CANCEL, cb, false);
+                       break;
+               }
+
+               return this;
+       }
+});
+
+
+/*
+ * L.Handler.TouchZoom is used by L.Map to add pinch zoom on supported mobile browsers.
+ */
+
+L.Map.mergeOptions({
+       touchZoom: L.Browser.touch && !L.Browser.android23,
+       bounceAtZoomLimits: true
+});
+
+L.Map.TouchZoom = L.Handler.extend({
+       addHooks: function () {
+               L.DomEvent.on(this._map._container, 'touchstart', this._onTouchStart, this);
+       },
+
+       removeHooks: function () {
+               L.DomEvent.off(this._map._container, 'touchstart', this._onTouchStart, this);
+       },
+
+       _onTouchStart: function (e) {
+               var map = this._map;
+
+               if (!e.touches || e.touches.length !== 2 || map._animatingZoom || this._zooming) { return; }
+
+               var p1 = map.mouseEventToLayerPoint(e.touches[0]),
+                   p2 = map.mouseEventToLayerPoint(e.touches[1]),
+                   viewCenter = map._getCenterLayerPoint();
+
+               this._startCenter = p1.add(p2)._divideBy(2);
+               this._startDist = p1.distanceTo(p2);
+
+               this._moved = false;
+               this._zooming = true;
+
+               this._centerOffset = viewCenter.subtract(this._startCenter);
+
+               if (map._panAnim) {
+                       map._panAnim.stop();
+               }
+
+               L.DomEvent
+                   .on(document, 'touchmove', this._onTouchMove, this)
+                   .on(document, 'touchend', this._onTouchEnd, this);
+
+               L.DomEvent.preventDefault(e);
+       },
+
+       _onTouchMove: function (e) {
+               var map = this._map;
+
+               if (!e.touches || e.touches.length !== 2 || !this._zooming) { return; }
+
+               var p1 = map.mouseEventToLayerPoint(e.touches[0]),
+                   p2 = map.mouseEventToLayerPoint(e.touches[1]);
+
+               this._scale = p1.distanceTo(p2) / this._startDist;
+               this._delta = p1._add(p2)._divideBy(2)._subtract(this._startCenter);
+
+               if (this._scale === 1) { return; }
+
+               if (!map.options.bounceAtZoomLimits) {
+                       if ((map.getZoom() === map.getMinZoom() && this._scale < 1) ||
+                           (map.getZoom() === map.getMaxZoom() && this._scale > 1)) { return; }
+               }
+
+               if (!this._moved) {
+                       L.DomUtil.addClass(map._mapPane, 'leaflet-touching');
+
+                       map
+                           .fire('movestart')
+                           .fire('zoomstart');
+
+                       this._moved = true;
+               }
+
+               L.Util.cancelAnimFrame(this._animRequest);
+               this._animRequest = L.Util.requestAnimFrame(
+                       this._updateOnMove, this, true, this._map._container);
+
+               L.DomEvent.preventDefault(e);
+       },
+
+       _updateOnMove: function () {
+               var map = this._map,
+                   origin = this._getScaleOrigin(),
+                   center = map.layerPointToLatLng(origin),
+                   zoom = map.getScaleZoom(this._scale);
+
+               map._animateZoom(center, zoom, this._startCenter, this._scale, this._delta, false, true);
+       },
+
+       _onTouchEnd: function () {
+               if (!this._moved || !this._zooming) {
+                       this._zooming = false;
+                       return;
+               }
+
+               var map = this._map;
+
+               this._zooming = false;
+               L.DomUtil.removeClass(map._mapPane, 'leaflet-touching');
+               L.Util.cancelAnimFrame(this._animRequest);
+
+               L.DomEvent
+                   .off(document, 'touchmove', this._onTouchMove)
+                   .off(document, 'touchend', this._onTouchEnd);
+
+               var origin = this._getScaleOrigin(),
+                   center = map.layerPointToLatLng(origin),
+
+                   oldZoom = map.getZoom(),
+                   floatZoomDelta = map.getScaleZoom(this._scale) - oldZoom,
+                   roundZoomDelta = (floatZoomDelta > 0 ?
+                           Math.ceil(floatZoomDelta) : Math.floor(floatZoomDelta)),
+
+                   zoom = map._limitZoom(oldZoom + roundZoomDelta),
+                   scale = map.getZoomScale(zoom) / this._scale;
+
+               map._animateZoom(center, zoom, origin, scale);
+       },
+
+       _getScaleOrigin: function () {
+               var centerOffset = this._centerOffset.subtract(this._delta).divideBy(this._scale);
+               return this._startCenter.add(centerOffset);
+       }
+});
+
+L.Map.addInitHook('addHandler', 'touchZoom', L.Map.TouchZoom);
+
+
+/*
+ * L.Map.Tap is used to enable mobile hacks like quick taps and long hold.
+ */
+
+L.Map.mergeOptions({
+       tap: true,
+       tapTolerance: 15
+});
+
+L.Map.Tap = L.Handler.extend({
+       addHooks: function () {
+               L.DomEvent.on(this._map._container, 'touchstart', this._onDown, this);
+       },
+
+       removeHooks: function () {
+               L.DomEvent.off(this._map._container, 'touchstart', this._onDown, this);
+       },
+
+       _onDown: function (e) {
+               if (!e.touches) { return; }
+
+               L.DomEvent.preventDefault(e);
+
+               this._fireClick = true;
+
+               // don't simulate click or track longpress if more than 1 touch
+               if (e.touches.length > 1) {
+                       this._fireClick = false;
+                       clearTimeout(this._holdTimeout);
+                       return;
+               }
+
+               var first = e.touches[0],
+                   el = first.target;
+
+               this._startPos = this._newPos = new L.Point(first.clientX, first.clientY);
+
+               // if touching a link, highlight it
+               if (el.tagName && el.tagName.toLowerCase() === 'a') {
+                       L.DomUtil.addClass(el, 'leaflet-active');
+               }
+
+               // simulate long hold but setting a timeout
+               this._holdTimeout = setTimeout(L.bind(function () {
+                       if (this._isTapValid()) {
+                               this._fireClick = false;
+                               this._onUp();
+                               this._simulateEvent('contextmenu', first);
+                       }
+               }, this), 1000);
+
+               L.DomEvent
+                       .on(document, 'touchmove', this._onMove, this)
+                       .on(document, 'touchend', this._onUp, this);
+       },
+
+       _onUp: function (e) {
+               clearTimeout(this._holdTimeout);
+
+               L.DomEvent
+                       .off(document, 'touchmove', this._onMove, this)
+                       .off(document, 'touchend', this._onUp, this);
+
+               if (this._fireClick && e && e.changedTouches) {
+
+                       var first = e.changedTouches[0],
+                           el = first.target;
+
+                       if (el && el.tagName && el.tagName.toLowerCase() === 'a') {
+                               L.DomUtil.removeClass(el, 'leaflet-active');
+                       }
+
+                       // simulate click if the touch didn't move too much
+                       if (this._isTapValid()) {
+                               this._simulateEvent('click', first);
+                       }
+               }
+       },
+
+       _isTapValid: function () {
+               return this._newPos.distanceTo(this._startPos) <= this._map.options.tapTolerance;
+       },
+
+       _onMove: function (e) {
+               var first = e.touches[0];
+               this._newPos = new L.Point(first.clientX, first.clientY);
+       },
+
+       _simulateEvent: function (type, e) {
+               var simulatedEvent = document.createEvent('MouseEvents');
+
+               simulatedEvent._simulated = true;
+               e.target._simulatedClick = true;
+
+               simulatedEvent.initMouseEvent(
+                       type, true, true, window, 1,
+                       e.screenX, e.screenY,
+                       e.clientX, e.clientY,
+                       false, false, false, false, 0, null);
+
+               e.target.dispatchEvent(simulatedEvent);
+       }
+});
+
+if (L.Browser.touch && !L.Browser.pointer) {
+       L.Map.addInitHook('addHandler', 'tap', L.Map.Tap);
+}
+
+
+/*
+ * L.Handler.ShiftDragZoom is used to add shift-drag zoom interaction to the map
+  * (zoom to a selected bounding box), enabled by default.
+ */
+
+L.Map.mergeOptions({
+       boxZoom: true
+});
+
+L.Map.BoxZoom = L.Handler.extend({
+       initialize: function (map) {
+               this._map = map;
+               this._container = map._container;
+               this._pane = map._panes.overlayPane;
+               this._moved = false;
+       },
+
+       addHooks: function () {
+               L.DomEvent.on(this._container, 'mousedown', this._onMouseDown, this);
+       },
+
+       removeHooks: function () {
+               L.DomEvent.off(this._container, 'mousedown', this._onMouseDown);
+               this._moved = false;
+       },
+
+       moved: function () {
+               return this._moved;
+       },
+
+       _onMouseDown: function (e) {
+               this._moved = false;
+
+               if (!e.shiftKey || ((e.which !== 1) && (e.button !== 1))) { return false; }
+
+               L.DomUtil.disableTextSelection();
+               L.DomUtil.disableImageDrag();
+
+               this._startLayerPoint = this._map.mouseEventToLayerPoint(e);
+
+               L.DomEvent
+                   .on(document, 'mousemove', this._onMouseMove, this)
+                   .on(document, 'mouseup', this._onMouseUp, this)
+                   .on(document, 'keydown', this._onKeyDown, this);
+       },
+
+       _onMouseMove: function (e) {
+               if (!this._moved) {
+                       this._box = L.DomUtil.create('div', 'leaflet-zoom-box', this._pane);
+                       L.DomUtil.setPosition(this._box, this._startLayerPoint);
+
+                       //TODO refactor: move cursor to styles
+                       this._container.style.cursor = 'crosshair';
+                       this._map.fire('boxzoomstart');
+               }
+
+               var startPoint = this._startLayerPoint,
+                   box = this._box,
+
+                   layerPoint = this._map.mouseEventToLayerPoint(e),
+                   offset = layerPoint.subtract(startPoint),
+
+                   newPos = new L.Point(
+                       Math.min(layerPoint.x, startPoint.x),
+                       Math.min(layerPoint.y, startPoint.y));
+
+               L.DomUtil.setPosition(box, newPos);
+
+               this._moved = true;
+
+               // TODO refactor: remove hardcoded 4 pixels
+               box.style.width  = (Math.max(0, Math.abs(offset.x) - 4)) + 'px';
+               box.style.height = (Math.max(0, Math.abs(offset.y) - 4)) + 'px';
+       },
+
+       _finish: function () {
+               if (this._moved) {
+                       this._pane.removeChild(this._box);
+                       this._container.style.cursor = '';
+               }
+
+               L.DomUtil.enableTextSelection();
+               L.DomUtil.enableImageDrag();
+
+               L.DomEvent
+                   .off(document, 'mousemove', this._onMouseMove)
+                   .off(document, 'mouseup', this._onMouseUp)
+                   .off(document, 'keydown', this._onKeyDown);
+       },
+
+       _onMouseUp: function (e) {
+
+               this._finish();
+
+               var map = this._map,
+                   layerPoint = map.mouseEventToLayerPoint(e);
+
+               if (this._startLayerPoint.equals(layerPoint)) { return; }
+
+               var bounds = new L.LatLngBounds(
+                       map.layerPointToLatLng(this._startLayerPoint),
+                       map.layerPointToLatLng(layerPoint));
+
+               map.fitBounds(bounds);
+
+               map.fire('boxzoomend', {
+                       boxZoomBounds: bounds
+               });
+       },
+
+       _onKeyDown: function (e) {
+               if (e.keyCode === 27) {
+                       this._finish();
+               }
+       }
+});
+
+L.Map.addInitHook('addHandler', 'boxZoom', L.Map.BoxZoom);
+
+
+/*
+ * L.Map.Keyboard is handling keyboard interaction with the map, enabled by default.
+ */
+
+L.Map.mergeOptions({
+       keyboard: true,
+       keyboardPanOffset: 80,
+       keyboardZoomOffset: 1
+});
+
+L.Map.Keyboard = L.Handler.extend({
+
+       keyCodes: {
+               left:    [37],
+               right:   [39],
+               down:    [40],
+               up:      [38],
+               zoomIn:  [187, 107, 61, 171],
+               zoomOut: [189, 109, 173]
+       },
+
+       initialize: function (map) {
+               this._map = map;
+
+               this._setPanOffset(map.options.keyboardPanOffset);
+               this._setZoomOffset(map.options.keyboardZoomOffset);
+       },
+
+       addHooks: function () {
+               var container = this._map._container;
+
+               // make the container focusable by tabbing
+               if (container.tabIndex === -1) {
+                       container.tabIndex = '0';
+               }
+
+               L.DomEvent
+                   .on(container, 'focus', this._onFocus, this)
+                   .on(container, 'blur', this._onBlur, this)
+                   .on(container, 'mousedown', this._onMouseDown, this);
+
+               this._map
+                   .on('focus', this._addHooks, this)
+                   .on('blur', this._removeHooks, this);
+       },
+
+       removeHooks: function () {
+               this._removeHooks();
+
+               var container = this._map._container;
+
+               L.DomEvent
+                   .off(container, 'focus', this._onFocus, this)
+                   .off(container, 'blur', this._onBlur, this)
+                   .off(container, 'mousedown', this._onMouseDown, this);
+
+               this._map
+                   .off('focus', this._addHooks, this)
+                   .off('blur', this._removeHooks, this);
+       },
+
+       _onMouseDown: function () {
+               if (this._focused) { return; }
+
+               var body = document.body,
+                   docEl = document.documentElement,
+                   top = body.scrollTop || docEl.scrollTop,
+                   left = body.scrollLeft || docEl.scrollLeft;
+
+               this._map._container.focus();
+
+               window.scrollTo(left, top);
+       },
+
+       _onFocus: function () {
+               this._focused = true;
+               this._map.fire('focus');
+       },
+
+       _onBlur: function () {
+               this._focused = false;
+               this._map.fire('blur');
+       },
+
+       _setPanOffset: function (pan) {
+               var keys = this._panKeys = {},
+                   codes = this.keyCodes,
+                   i, len;
+
+               for (i = 0, len = codes.left.length; i < len; i++) {
+                       keys[codes.left[i]] = [-1 * pan, 0];
+               }
+               for (i = 0, len = codes.right.length; i < len; i++) {
+                       keys[codes.right[i]] = [pan, 0];
+               }
+               for (i = 0, len = codes.down.length; i < len; i++) {
+                       keys[codes.down[i]] = [0, pan];
+               }
+               for (i = 0, len = codes.up.length; i < len; i++) {
+                       keys[codes.up[i]] = [0, -1 * pan];
+               }
+       },
+
+       _setZoomOffset: function (zoom) {
+               var keys = this._zoomKeys = {},
+                   codes = this.keyCodes,
+                   i, len;
+
+               for (i = 0, len = codes.zoomIn.length; i < len; i++) {
+                       keys[codes.zoomIn[i]] = zoom;
+               }
+               for (i = 0, len = codes.zoomOut.length; i < len; i++) {
+                       keys[codes.zoomOut[i]] = -zoom;
+               }
+       },
+
+       _addHooks: function () {
+               L.DomEvent.on(document, 'keydown', this._onKeyDown, this);
+       },
+
+       _removeHooks: function () {
+               L.DomEvent.off(document, 'keydown', this._onKeyDown, this);
+       },
+
+       _onKeyDown: function (e) {
+               var key = e.keyCode,
+                   map = this._map;
+
+               if (key in this._panKeys) {
+
+                       if (map._panAnim && map._panAnim._inProgress) { return; }
+
+                       map.panBy(this._panKeys[key]);
+
+                       if (map.options.maxBounds) {
+                               map.panInsideBounds(map.options.maxBounds);
+                       }
+
+               } else if (key in this._zoomKeys) {
+                       map.setZoom(map.getZoom() + this._zoomKeys[key]);
+
+               } else {
+                       return;
+               }
+
+               L.DomEvent.stop(e);
+       }
+});
+
+L.Map.addInitHook('addHandler', 'keyboard', L.Map.Keyboard);
+
+
+/*
+ * L.Handler.MarkerDrag is used internally by L.Marker to make the markers draggable.
+ */
+
+L.Handler.MarkerDrag = L.Handler.extend({
+       initialize: function (marker) {
+               this._marker = marker;
+       },
+
+       addHooks: function () {
+               var icon = this._marker._icon;
+               if (!this._draggable) {
+                       this._draggable = new L.Draggable(icon, icon);
+               }
+
+               this._draggable
+                       .on('dragstart', this._onDragStart, this)
+                       .on('drag', this._onDrag, this)
+                       .on('dragend', this._onDragEnd, this);
+               this._draggable.enable();
+               L.DomUtil.addClass(this._marker._icon, 'leaflet-marker-draggable');
+       },
+
+       removeHooks: function () {
+               this._draggable
+                       .off('dragstart', this._onDragStart, this)
+                       .off('drag', this._onDrag, this)
+                       .off('dragend', this._onDragEnd, this);
+
+               this._draggable.disable();
+               L.DomUtil.removeClass(this._marker._icon, 'leaflet-marker-draggable');
+       },
+
+       moved: function () {
+               return this._draggable && this._draggable._moved;
+       },
+
+       _onDragStart: function () {
+               this._marker
+                   .closePopup()
+                   .fire('movestart')
+                   .fire('dragstart');
+       },
+
+       _onDrag: function () {
+               var marker = this._marker,
+                   shadow = marker._shadow,
+                   iconPos = L.DomUtil.getPosition(marker._icon),
+                   latlng = marker._map.layerPointToLatLng(iconPos);
+
+               // update shadow position
+               if (shadow) {
+                       L.DomUtil.setPosition(shadow, iconPos);
+               }
+
+               marker._latlng = latlng;
+
+               marker
+                   .fire('move', {latlng: latlng})
+                   .fire('drag');
+       },
+
+       _onDragEnd: function (e) {
+               this._marker
+                   .fire('moveend')
+                   .fire('dragend', e);
+       }
+});
+
+
+/*\r
+ * L.Control is a base class for implementing map controls. Handles positioning.\r
+ * All other controls extend from this class.\r
+ */\r
+\r
+L.Control = L.Class.extend({\r
+       options: {\r
+               position: 'topright'\r
+       },\r
+\r
+       initialize: function (options) {\r
+               L.setOptions(this, options);\r
+       },\r
+\r
+       getPosition: function () {\r
+               return this.options.position;\r
+       },\r
+\r
+       setPosition: function (position) {\r
+               var map = this._map;\r
+\r
+               if (map) {\r
+                       map.removeControl(this);\r
+               }\r
+\r
+               this.options.position = position;\r
+\r
+               if (map) {\r
+                       map.addControl(this);\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       getContainer: function () {\r
+               return this._container;\r
+       },\r
+\r
+       addTo: function (map) {\r
+               this._map = map;\r
+\r
+               var container = this._container = this.onAdd(map),\r
+                   pos = this.getPosition(),\r
+                   corner = map._controlCorners[pos];\r
+\r
+               L.DomUtil.addClass(container, 'leaflet-control');\r
+\r
+               if (pos.indexOf('bottom') !== -1) {\r
+                       corner.insertBefore(container, corner.firstChild);\r
+               } else {\r
+                       corner.appendChild(container);\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       removeFrom: function (map) {\r
+               var pos = this.getPosition(),\r
+                   corner = map._controlCorners[pos];\r
+\r
+               corner.removeChild(this._container);\r
+               this._map = null;\r
+\r
+               if (this.onRemove) {\r
+                       this.onRemove(map);\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       _refocusOnMap: function () {\r
+               if (this._map) {\r
+                       this._map.getContainer().focus();\r
+               }\r
+       }\r
+});\r
+\r
+L.control = function (options) {\r
+       return new L.Control(options);\r
+};\r
+\r
+\r
+// adds control-related methods to L.Map\r
+\r
+L.Map.include({\r
+       addControl: function (control) {\r
+               control.addTo(this);\r
+               return this;\r
+       },\r
+\r
+       removeControl: function (control) {\r
+               control.removeFrom(this);\r
+               return this;\r
+       },\r
+\r
+       _initControlPos: function () {\r
+               var corners = this._controlCorners = {},\r
+                   l = 'leaflet-',\r
+                   container = this._controlContainer =\r
+                           L.DomUtil.create('div', l + 'control-container', this._container);\r
+\r
+               function createCorner(vSide, hSide) {\r
+                       var className = l + vSide + ' ' + l + hSide;\r
+\r
+                       corners[vSide + hSide] = L.DomUtil.create('div', className, container);\r
+               }\r
+\r
+               createCorner('top', 'left');\r
+               createCorner('top', 'right');\r
+               createCorner('bottom', 'left');\r
+               createCorner('bottom', 'right');\r
+       },\r
+\r
+       _clearControlPos: function () {\r
+               this._container.removeChild(this._controlContainer);\r
+       }\r
+});\r
+
+
+/*\r
+ * L.Control.Zoom is used for the default zoom buttons on the map.\r
+ */\r
+\r
+L.Control.Zoom = L.Control.extend({\r
+       options: {\r
+               position: 'topleft',\r
+               zoomInText: '+',\r
+               zoomInTitle: 'Zoom in',\r
+               zoomOutText: '-',\r
+               zoomOutTitle: 'Zoom out'\r
+       },\r
+\r
+       onAdd: function (map) {\r
+               var zoomName = 'leaflet-control-zoom',\r
+                   container = L.DomUtil.create('div', zoomName + ' leaflet-bar');\r
+\r
+               this._map = map;\r
+\r
+               this._zoomInButton  = this._createButton(\r
+                       this.options.zoomInText, this.options.zoomInTitle,\r
+                       zoomName + '-in',  container, this._zoomIn,  this);\r
+               this._zoomOutButton = this._createButton(\r
+                       this.options.zoomOutText, this.options.zoomOutTitle,\r
+                       zoomName + '-out', container, this._zoomOut, this);\r
+\r
+               this._updateDisabled();\r
+               map.on('zoomend zoomlevelschange', this._updateDisabled, this);\r
+\r
+               return container;\r
+       },\r
+\r
+       onRemove: function (map) {\r
+               map.off('zoomend zoomlevelschange', this._updateDisabled, this);\r
+       },\r
+\r
+       _zoomIn: function (e) {\r
+               this._map.zoomIn(e.shiftKey ? 3 : 1);\r
+       },\r
+\r
+       _zoomOut: function (e) {\r
+               this._map.zoomOut(e.shiftKey ? 3 : 1);\r
+       },\r
+\r
+       _createButton: function (html, title, className, container, fn, context) {\r
+               var link = L.DomUtil.create('a', className, container);\r
+               link.innerHTML = html;\r
+               link.href = '#';\r
+               link.title = title;\r
+\r
+               var stop = L.DomEvent.stopPropagation;\r
+\r
+               L.DomEvent\r
+                   .on(link, 'click', stop)\r
+                   .on(link, 'mousedown', stop)\r
+                   .on(link, 'dblclick', stop)\r
+                   .on(link, 'click', L.DomEvent.preventDefault)\r
+                   .on(link, 'click', fn, context)\r
+                   .on(link, 'click', this._refocusOnMap, context);\r
+\r
+               return link;\r
+       },\r
+\r
+       _updateDisabled: function () {\r
+               var map = this._map,\r
+                       className = 'leaflet-disabled';\r
+\r
+               L.DomUtil.removeClass(this._zoomInButton, className);\r
+               L.DomUtil.removeClass(this._zoomOutButton, className);\r
+\r
+               if (map._zoom === map.getMinZoom()) {\r
+                       L.DomUtil.addClass(this._zoomOutButton, className);\r
+               }\r
+               if (map._zoom === map.getMaxZoom()) {\r
+                       L.DomUtil.addClass(this._zoomInButton, className);\r
+               }\r
+       }\r
+});\r
+\r
+L.Map.mergeOptions({\r
+       zoomControl: true\r
+});\r
+\r
+L.Map.addInitHook(function () {\r
+       if (this.options.zoomControl) {\r
+               this.zoomControl = new L.Control.Zoom();\r
+               this.addControl(this.zoomControl);\r
+       }\r
+});\r
+\r
+L.control.zoom = function (options) {\r
+       return new L.Control.Zoom(options);\r
+};\r
+\r
+
+
+/*\r
+ * L.Control.Attribution is used for displaying attribution on the map (added by default).\r
+ */\r
+\r
+L.Control.Attribution = L.Control.extend({\r
+       options: {\r
+               position: 'bottomright',\r
+               prefix: '<a href="http://leafletjs.com" title="A JS library for interactive maps">Leaflet</a>'\r
+       },\r
+\r
+       initialize: function (options) {\r
+               L.setOptions(this, options);\r
+\r
+               this._attributions = {};\r
+       },\r
+\r
+       onAdd: function (map) {\r
+               this._container = L.DomUtil.create('div', 'leaflet-control-attribution');\r
+               L.DomEvent.disableClickPropagation(this._container);\r
+\r
+               for (var i in map._layers) {\r
+                       if (map._layers[i].getAttribution) {\r
+                               this.addAttribution(map._layers[i].getAttribution());\r
+                       }\r
+               }\r
+               \r
+               map\r
+                   .on('layeradd', this._onLayerAdd, this)\r
+                   .on('layerremove', this._onLayerRemove, this);\r
+\r
+               this._update();\r
+\r
+               return this._container;\r
+       },\r
+\r
+       onRemove: function (map) {\r
+               map\r
+                   .off('layeradd', this._onLayerAdd)\r
+                   .off('layerremove', this._onLayerRemove);\r
+\r
+       },\r
+\r
+       setPrefix: function (prefix) {\r
+               this.options.prefix = prefix;\r
+               this._update();\r
+               return this;\r
+       },\r
+\r
+       addAttribution: function (text) {\r
+               if (!text) { return; }\r
+\r
+               if (!this._attributions[text]) {\r
+                       this._attributions[text] = 0;\r
+               }\r
+               this._attributions[text]++;\r
+\r
+               this._update();\r
+\r
+               return this;\r
+       },\r
+\r
+       removeAttribution: function (text) {\r
+               if (!text) { return; }\r
+\r
+               if (this._attributions[text]) {\r
+                       this._attributions[text]--;\r
+                       this._update();\r
+               }\r
+\r
+               return this;\r
+       },\r
+\r
+       _update: function () {\r
+               if (!this._map) { return; }\r
+\r
+               var attribs = [];\r
+\r
+               for (var i in this._attributions) {\r
+                       if (this._attributions[i]) {\r
+                               attribs.push(i);\r
+                       }\r
+               }\r
+\r
+               var prefixAndAttribs = [];\r
+\r
+               if (this.options.prefix) {\r
+                       prefixAndAttribs.push(this.options.prefix);\r
+               }\r
+               if (attribs.length) {\r
+                       prefixAndAttribs.push(attribs.join(', '));\r
+               }\r
+\r
+               this._container.innerHTML = prefixAndAttribs.join(' | ');\r
+       },\r
+\r
+       _onLayerAdd: function (e) {\r
+               if (e.layer.getAttribution) {\r
+                       this.addAttribution(e.layer.getAttribution());\r
+               }\r
+       },\r
+\r
+       _onLayerRemove: function (e) {\r
+               if (e.layer.getAttribution) {\r
+                       this.removeAttribution(e.layer.getAttribution());\r
+               }\r
+       }\r
+});\r
+\r
+L.Map.mergeOptions({\r
+       attributionControl: true\r
+});\r
+\r
+L.Map.addInitHook(function () {\r
+       if (this.options.attributionControl) {\r
+               this.attributionControl = (new L.Control.Attribution()).addTo(this);\r
+       }\r
+});\r
+\r
+L.control.attribution = function (options) {\r
+       return new L.Control.Attribution(options);\r
+};\r
+
+
+/*
+ * L.Control.Scale is used for displaying metric/imperial scale on the map.
+ */
+
+L.Control.Scale = L.Control.extend({
+       options: {
+               position: 'bottomleft',
+               maxWidth: 100,
+               metric: true,
+               imperial: true,
+               updateWhenIdle: false
+       },
+
+       onAdd: function (map) {
+               this._map = map;
+
+               var className = 'leaflet-control-scale',
+                   container = L.DomUtil.create('div', className),
+                   options = this.options;
+
+               this._addScales(options, className, container);
+
+               map.on(options.updateWhenIdle ? 'moveend' : 'move', this._update, this);
+               map.whenReady(this._update, this);
+
+               return container;
+       },
+
+       onRemove: function (map) {
+               map.off(this.options.updateWhenIdle ? 'moveend' : 'move', this._update, this);
+       },
+
+       _addScales: function (options, className, container) {
+               if (options.metric) {
+                       this._mScale = L.DomUtil.create('div', className + '-line', container);
+               }
+               if (options.imperial) {
+                       this._iScale = L.DomUtil.create('div', className + '-line', container);
+               }
+       },
+
+       _update: function () {
+               var bounds = this._map.getBounds(),
+                   centerLat = bounds.getCenter().lat,
+                   halfWorldMeters = 6378137 * Math.PI * Math.cos(centerLat * Math.PI / 180),
+                   dist = halfWorldMeters * (bounds.getNorthEast().lng - bounds.getSouthWest().lng) / 180,
+
+                   size = this._map.getSize(),
+                   options = this.options,
+                   maxMeters = 0;
+
+               if (size.x > 0) {
+                       maxMeters = dist * (options.maxWidth / size.x);
+               }
+
+               this._updateScales(options, maxMeters);
+       },
+
+       _updateScales: function (options, maxMeters) {
+               if (options.metric && maxMeters) {
+                       this._updateMetric(maxMeters);
+               }
+
+               if (options.imperial && maxMeters) {
+                       this._updateImperial(maxMeters);
+               }
+       },
+
+       _updateMetric: function (maxMeters) {
+               var meters = this._getRoundNum(maxMeters);
+
+               this._mScale.style.width = this._getScaleWidth(meters / maxMeters) + 'px';
+               this._mScale.innerHTML = meters < 1000 ? meters + ' m' : (meters / 1000) + ' km';
+       },
+
+       _updateImperial: function (maxMeters) {
+               var maxFeet = maxMeters * 3.2808399,
+                   scale = this._iScale,
+                   maxMiles, miles, feet;
+
+               if (maxFeet > 5280) {
+                       maxMiles = maxFeet / 5280;
+                       miles = this._getRoundNum(maxMiles);
+
+                       scale.style.width = this._getScaleWidth(miles / maxMiles) + 'px';
+                       scale.innerHTML = miles + ' mi';
+
+               } else {
+                       feet = this._getRoundNum(maxFeet);
+
+                       scale.style.width = this._getScaleWidth(feet / maxFeet) + 'px';
+                       scale.innerHTML = feet + ' ft';
+               }
+       },
+
+       _getScaleWidth: function (ratio) {
+               return Math.round(this.options.maxWidth * ratio) - 10;
+       },
+
+       _getRoundNum: function (num) {
+               var pow10 = Math.pow(10, (Math.floor(num) + '').length - 1),
+                   d = num / pow10;
+
+               d = d >= 10 ? 10 : d >= 5 ? 5 : d >= 3 ? 3 : d >= 2 ? 2 : 1;
+
+               return pow10 * d;
+       }
+});
+
+L.control.scale = function (options) {
+       return new L.Control.Scale(options);
+};
+
+
+/*\r
+ * L.Control.Layers is a control to allow users to switch between different layers on the map.\r
+ */\r
+\r
+L.Control.Layers = L.Control.extend({\r
+       options: {\r
+               collapsed: true,\r
+               position: 'topright',\r
+               autoZIndex: true\r
+       },\r
+\r
+       initialize: function (baseLayers, overlays, options) {\r
+               L.setOptions(this, options);\r
+\r
+               this._layers = {};\r
+               this._lastZIndex = 0;\r
+               this._handlingClick = false;\r
+\r
+               for (var i in baseLayers) {\r
+                       this._addLayer(baseLayers[i], i);\r
+               }\r
+\r
+               for (i in overlays) {\r
+                       this._addLayer(overlays[i], i, true);\r
+               }\r
+       },\r
+\r
+       onAdd: function (map) {\r
+               this._initLayout();\r
+               this._update();\r
+\r
+               map\r
+                   .on('layeradd', this._onLayerChange, this)\r
+                   .on('layerremove', this._onLayerChange, this);\r
+\r
+               return this._container;\r
+       },\r
+\r
+       onRemove: function (map) {\r
+               map\r
+                   .off('layeradd', this._onLayerChange, this)\r
+                   .off('layerremove', this._onLayerChange, this);\r
+       },\r
+\r
+       addBaseLayer: function (layer, name) {\r
+               this._addLayer(layer, name);\r
+               this._update();\r
+               return this;\r
+       },\r
+\r
+       addOverlay: function (layer, name) {\r
+               this._addLayer(layer, name, true);\r
+               this._update();\r
+               return this;\r
+       },\r
+\r
+       removeLayer: function (layer) {\r
+               var id = L.stamp(layer);\r
+               delete this._layers[id];\r
+               this._update();\r
+               return this;\r
+       },\r
+\r
+       _initLayout: function () {\r
+               var className = 'leaflet-control-layers',\r
+                   container = this._container = L.DomUtil.create('div', className);\r
+\r
+               //Makes this work on IE10 Touch devices by stopping it from firing a mouseout event when the touch is released\r
+               container.setAttribute('aria-haspopup', true);\r
+\r
+               if (!L.Browser.touch) {\r
+                       L.DomEvent\r
+                               .disableClickPropagation(container)\r
+                               .disableScrollPropagation(container);\r
+               } else {\r
+                       L.DomEvent.on(container, 'click', L.DomEvent.stopPropagation);\r
+               }\r
+\r
+               var form = this._form = L.DomUtil.create('form', className + '-list');\r
+\r
+               if (this.options.collapsed) {\r
+                       if (!L.Browser.android) {\r
+                               L.DomEvent\r
+                                   .on(container, 'mouseover', this._expand, this)\r
+                                   .on(container, 'mouseout', this._collapse, this);\r
+                       }\r
+                       var link = this._layersLink = L.DomUtil.create('a', className + '-toggle', container);\r
+                       link.href = '#';\r
+                       link.title = 'Layers';\r
+\r
+                       if (L.Browser.touch) {\r
+                               L.DomEvent\r
+                                   .on(link, 'click', L.DomEvent.stop)\r
+                                   .on(link, 'click', this._expand, this);\r
+                       }\r
+                       else {\r
+                               L.DomEvent.on(link, 'focus', this._expand, this);\r
+                       }\r
+                       //Work around for Firefox android issue https://github.com/Leaflet/Leaflet/issues/2033\r
+                       L.DomEvent.on(form, 'click', function () {\r
+                               setTimeout(L.bind(this._onInputClick, this), 0);\r
+                       }, this);\r
+\r
+                       this._map.on('click', this._collapse, this);\r
+                       // TODO keyboard accessibility\r
+               } else {\r
+                       this._expand();\r
+               }\r
+\r
+               this._baseLayersList = L.DomUtil.create('div', className + '-base', form);\r
+               this._separator = L.DomUtil.create('div', className + '-separator', form);\r
+               this._overlaysList = L.DomUtil.create('div', className + '-overlays', form);\r
+\r
+               container.appendChild(form);\r
+       },\r
+\r
+       _addLayer: function (layer, name, overlay) {\r
+               var id = L.stamp(layer);\r
+\r
+               this._layers[id] = {\r
+                       layer: layer,\r
+                       name: name,\r
+                       overlay: overlay\r
+               };\r
+\r
+               if (this.options.autoZIndex && layer.setZIndex) {\r
+                       this._lastZIndex++;\r
+                       layer.setZIndex(this._lastZIndex);\r
+               }\r
+       },\r
+\r
+       _update: function () {\r
+               if (!this._container) {\r
+                       return;\r
+               }\r
+\r
+               this._baseLayersList.innerHTML = '';\r
+               this._overlaysList.innerHTML = '';\r
+\r
+               var baseLayersPresent = false,\r
+                   overlaysPresent = false,\r
+                   i, obj;\r
+\r
+               for (i in this._layers) {\r
+                       obj = this._layers[i];\r
+                       this._addItem(obj);\r
+                       overlaysPresent = overlaysPresent || obj.overlay;\r
+                       baseLayersPresent = baseLayersPresent || !obj.overlay;\r
+               }\r
+\r
+               this._separator.style.display = overlaysPresent && baseLayersPresent ? '' : 'none';\r
+       },\r
+\r
+       _onLayerChange: function (e) {\r
+               var obj = this._layers[L.stamp(e.layer)];\r
+\r
+               if (!obj) { return; }\r
+\r
+               if (!this._handlingClick) {\r
+                       this._update();\r
+               }\r
+\r
+               var type = obj.overlay ?\r
+                       (e.type === 'layeradd' ? 'overlayadd' : 'overlayremove') :\r
+                       (e.type === 'layeradd' ? 'baselayerchange' : null);\r
+\r
+               if (type) {\r
+                       this._map.fire(type, obj);\r
+               }\r
+       },\r
+\r
+       // IE7 bugs out if you create a radio dynamically, so you have to do it this hacky way (see http://bit.ly/PqYLBe)\r
+       _createRadioElement: function (name, checked) {\r
+\r
+               var radioHtml = '<input type="radio" class="leaflet-control-layers-selector" name="' + name + '"';\r
+               if (checked) {\r
+                       radioHtml += ' checked="checked"';\r
+               }\r
+               radioHtml += '/>';\r
+\r
+               var radioFragment = document.createElement('div');\r
+               radioFragment.innerHTML = radioHtml;\r
+\r
+               return radioFragment.firstChild;\r
+       },\r
+\r
+       _addItem: function (obj) {\r
+               var label = document.createElement('label'),\r
+                   input,\r
+                   checked = this._map.hasLayer(obj.layer);\r
+\r
+               if (obj.overlay) {\r
+                       input = document.createElement('input');\r
+                       input.type = 'checkbox';\r
+                       input.className = 'leaflet-control-layers-selector';\r
+                       input.defaultChecked = checked;\r
+               } else {\r
+                       input = this._createRadioElement('leaflet-base-layers', checked);\r
+               }\r
+\r
+               input.layerId = L.stamp(obj.layer);\r
+\r
+               L.DomEvent.on(input, 'click', this._onInputClick, this);\r
+\r
+               var name = document.createElement('span');\r
+               name.innerHTML = ' ' + obj.name;\r
+\r
+               label.appendChild(input);\r
+               label.appendChild(name);\r
+\r
+               var container = obj.overlay ? this._overlaysList : this._baseLayersList;\r
+               container.appendChild(label);\r
+\r
+               return label;\r
+       },\r
+\r
+       _onInputClick: function () {\r
+               var i, input, obj,\r
+                   inputs = this._form.getElementsByTagName('input'),\r
+                   inputsLen = inputs.length;\r
+\r
+               this._handlingClick = true;\r
+\r
+               for (i = 0; i < inputsLen; i++) {\r
+                       input = inputs[i];\r
+                       obj = this._layers[input.layerId];\r
+\r
+                       if (input.checked && !this._map.hasLayer(obj.layer)) {\r
+                               this._map.addLayer(obj.layer);\r
+\r
+                       } else if (!input.checked && this._map.hasLayer(obj.layer)) {\r
+                               this._map.removeLayer(obj.layer);\r
+                       }\r
+               }\r
+\r
+               this._handlingClick = false;\r
+\r
+               this._refocusOnMap();\r
+       },\r
+\r
+       _expand: function () {\r
+               L.DomUtil.addClass(this._container, 'leaflet-control-layers-expanded');\r
+       },\r
+\r
+       _collapse: function () {\r
+               this._container.className = this._container.className.replace(' leaflet-control-layers-expanded', '');\r
+       }\r
+});\r
+\r
+L.control.layers = function (baseLayers, overlays, options) {\r
+       return new L.Control.Layers(baseLayers, overlays, options);\r
+};\r
+
+
+/*
+ * L.PosAnimation is used by Leaflet internally for pan animations.
+ */
+
+L.PosAnimation = L.Class.extend({
+       includes: L.Mixin.Events,
+
+       run: function (el, newPos, duration, easeLinearity) { // (HTMLElement, Point[, Number, Number])
+               this.stop();
+
+               this._el = el;
+               this._inProgress = true;
+               this._newPos = newPos;
+
+               this.fire('start');
+
+               el.style[L.DomUtil.TRANSITION] = 'all ' + (duration || 0.25) +
+                       's cubic-bezier(0,0,' + (easeLinearity || 0.5) + ',1)';
+
+               L.DomEvent.on(el, L.DomUtil.TRANSITION_END, this._onTransitionEnd, this);
+               L.DomUtil.setPosition(el, newPos);
+
+               // toggle reflow, Chrome flickers for some reason if you don't do this
+               L.Util.falseFn(el.offsetWidth);
+
+               // there's no native way to track value updates of transitioned properties, so we imitate this
+               this._stepTimer = setInterval(L.bind(this._onStep, this), 50);
+       },
+
+       stop: function () {
+               if (!this._inProgress) { return; }
+
+               // if we just removed the transition property, the element would jump to its final position,
+               // so we need to make it stay at the current position
+
+               L.DomUtil.setPosition(this._el, this._getPos());
+               this._onTransitionEnd();
+               L.Util.falseFn(this._el.offsetWidth); // force reflow in case we are about to start a new animation
+       },
+
+       _onStep: function () {
+               var stepPos = this._getPos();
+               if (!stepPos) {
+                       this._onTransitionEnd();
+                       return;
+               }
+               // jshint camelcase: false
+               // make L.DomUtil.getPosition return intermediate position value during animation
+               this._el._leaflet_pos = stepPos;
+
+               this.fire('step');
+       },
+
+       // you can't easily get intermediate values of properties animated with CSS3 Transitions,
+       // we need to parse computed style (in case of transform it returns matrix string)
+
+       _transformRe: /([-+]?(?:\d*\.)?\d+)\D*, ([-+]?(?:\d*\.)?\d+)\D*\)/,
+
+       _getPos: function () {
+               var left, top, matches,
+                   el = this._el,
+                   style = window.getComputedStyle(el);
+
+               if (L.Browser.any3d) {
+                       matches = style[L.DomUtil.TRANSFORM].match(this._transformRe);
+                       if (!matches) { return; }
+                       left = parseFloat(matches[1]);
+                       top  = parseFloat(matches[2]);
+               } else {
+                       left = parseFloat(style.left);
+                       top  = parseFloat(style.top);
+               }
+
+               return new L.Point(left, top, true);
+       },
+
+       _onTransitionEnd: function () {
+               L.DomEvent.off(this._el, L.DomUtil.TRANSITION_END, this._onTransitionEnd, this);
+
+               if (!this._inProgress) { return; }
+               this._inProgress = false;
+
+               this._el.style[L.DomUtil.TRANSITION] = '';
+
+               // jshint camelcase: false
+               // make sure L.DomUtil.getPosition returns the final position value after animation
+               this._el._leaflet_pos = this._newPos;
+
+               clearInterval(this._stepTimer);
+
+               this.fire('step').fire('end');
+       }
+
+});
+
+
+/*
+ * Extends L.Map to handle panning animations.
+ */
+
+L.Map.include({
+
+       setView: function (center, zoom, options) {
+
+               zoom = zoom === undefined ? this._zoom : this._limitZoom(zoom);
+               center = this._limitCenter(L.latLng(center), zoom, this.options.maxBounds);
+               options = options || {};
+
+               if (this._panAnim) {
+                       this._panAnim.stop();
+               }
+
+               if (this._loaded && !options.reset && options !== true) {
+
+                       if (options.animate !== undefined) {
+                               options.zoom = L.extend({animate: options.animate}, options.zoom);
+                               options.pan = L.extend({animate: options.animate}, options.pan);
+                       }
+
+                       // try animating pan or zoom
+                       var animated = (this._zoom !== zoom) ?
+                               this._tryAnimatedZoom && this._tryAnimatedZoom(center, zoom, options.zoom) :
+                               this._tryAnimatedPan(center, options.pan);
+
+                       if (animated) {
+                               // prevent resize handler call, the view will refresh after animation anyway
+                               clearTimeout(this._sizeTimer);
+                               return this;
+                       }
+               }
+
+               // animation didn't start, just reset the map view
+               this._resetView(center, zoom);
+
+               return this;
+       },
+
+       panBy: function (offset, options) {
+               offset = L.point(offset).round();
+               options = options || {};
+
+               if (!offset.x && !offset.y) {
+                       return this;
+               }
+
+               if (!this._panAnim) {
+                       this._panAnim = new L.PosAnimation();
+
+                       this._panAnim.on({
+                               'step': this._onPanTransitionStep,
+                               'end': this._onPanTransitionEnd
+                       }, this);
+               }
+
+               // don't fire movestart if animating inertia
+               if (!options.noMoveStart) {
+                       this.fire('movestart');
+               }
+
+               // animate pan unless animate: false specified
+               if (options.animate !== false) {
+                       L.DomUtil.addClass(this._mapPane, 'leaflet-pan-anim');
+
+                       var newPos = this._getMapPanePos().subtract(offset);
+                       this._panAnim.run(this._mapPane, newPos, options.duration || 0.25, options.easeLinearity);
+               } else {
+                       this._rawPanBy(offset);
+                       this.fire('move').fire('moveend');
+               }
+
+               return this;
+       },
+
+       _onPanTransitionStep: function () {
+               this.fire('move');
+       },
+
+       _onPanTransitionEnd: function () {
+               L.DomUtil.removeClass(this._mapPane, 'leaflet-pan-anim');
+               this.fire('moveend');
+       },
+
+       _tryAnimatedPan: function (center, options) {
+               // difference between the new and current centers in pixels
+               var offset = this._getCenterOffset(center)._floor();
+
+               // don't animate too far unless animate: true specified in options
+               if ((options && options.animate) !== true && !this.getSize().contains(offset)) { return false; }
+
+               this.panBy(offset, options);
+
+               return true;
+       }
+});
+
+
+/*
+ * L.PosAnimation fallback implementation that powers Leaflet pan animations
+ * in browsers that don't support CSS3 Transitions.
+ */
+
+L.PosAnimation = L.DomUtil.TRANSITION ? L.PosAnimation : L.PosAnimation.extend({
+
+       run: function (el, newPos, duration, easeLinearity) { // (HTMLElement, Point[, Number, Number])
+               this.stop();
+
+               this._el = el;
+               this._inProgress = true;
+               this._duration = duration || 0.25;
+               this._easeOutPower = 1 / Math.max(easeLinearity || 0.5, 0.2);
+
+               this._startPos = L.DomUtil.getPosition(el);
+               this._offset = newPos.subtract(this._startPos);
+               this._startTime = +new Date();
+
+               this.fire('start');
+
+               this._animate();
+       },
+
+       stop: function () {
+               if (!this._inProgress) { return; }
+
+               this._step();
+               this._complete();
+       },
+
+       _animate: function () {
+               // animation loop
+               this._animId = L.Util.requestAnimFrame(this._animate, this);
+               this._step();
+       },
+
+       _step: function () {
+               var elapsed = (+new Date()) - this._startTime,
+                   duration = this._duration * 1000;
+
+               if (elapsed < duration) {
+                       this._runFrame(this._easeOut(elapsed / duration));
+               } else {
+                       this._runFrame(1);
+                       this._complete();
+               }
+       },
+
+       _runFrame: function (progress) {
+               var pos = this._startPos.add(this._offset.multiplyBy(progress));
+               L.DomUtil.setPosition(this._el, pos);
+
+               this.fire('step');
+       },
+
+       _complete: function () {
+               L.Util.cancelAnimFrame(this._animId);
+
+               this._inProgress = false;
+               this.fire('end');
+       },
+
+       _easeOut: function (t) {
+               return 1 - Math.pow(1 - t, this._easeOutPower);
+       }
+});
+
+
+/*
+ * Extends L.Map to handle zoom animations.
+ */
+
+L.Map.mergeOptions({
+       zoomAnimation: true,
+       zoomAnimationThreshold: 4
+});
+
+if (L.DomUtil.TRANSITION) {
+
+       L.Map.addInitHook(function () {
+               // don't animate on browsers without hardware-accelerated transitions or old Android/Opera
+               this._zoomAnimated = this.options.zoomAnimation && L.DomUtil.TRANSITION &&
+                               L.Browser.any3d && !L.Browser.android23 && !L.Browser.mobileOpera;
+
+               // zoom transitions run with the same duration for all layers, so if one of transitionend events
+               // happens after starting zoom animation (propagating to the map pane), we know that it ended globally
+               if (this._zoomAnimated) {
+                       L.DomEvent.on(this._mapPane, L.DomUtil.TRANSITION_END, this._catchTransitionEnd, this);
+               }
+       });
+}
+
+L.Map.include(!L.DomUtil.TRANSITION ? {} : {
+
+       _catchTransitionEnd: function (e) {
+               if (this._animatingZoom && e.propertyName.indexOf('transform') >= 0) {
+                       this._onZoomTransitionEnd();
+               }
+       },
+
+       _nothingToAnimate: function () {
+               return !this._container.getElementsByClassName('leaflet-zoom-animated').length;
+       },
+
+       _tryAnimatedZoom: function (center, zoom, options) {
+
+               if (this._animatingZoom) { return true; }
+
+               options = options || {};
+
+               // don't animate if disabled, not supported or zoom difference is too large
+               if (!this._zoomAnimated || options.animate === false || this._nothingToAnimate() ||
+                       Math.abs(zoom - this._zoom) > this.options.zoomAnimationThreshold) { return false; }
+
+               // offset is the pixel coords of the zoom origin relative to the current center
+               var scale = this.getZoomScale(zoom),
+                   offset = this._getCenterOffset(center)._divideBy(1 - 1 / scale),
+                       origin = this._getCenterLayerPoint()._add(offset);
+
+               // don't animate if the zoom origin isn't within one screen from the current center, unless forced
+               if (options.animate !== true && !this.getSize().contains(offset)) { return false; }
+
+               this
+                   .fire('movestart')
+                   .fire('zoomstart');
+
+               this._animateZoom(center, zoom, origin, scale, null, true);
+
+               return true;
+       },
+
+       _animateZoom: function (center, zoom, origin, scale, delta, backwards, forTouchZoom) {
+
+               if (!forTouchZoom) {
+                       this._animatingZoom = true;
+               }
+
+               // put transform transition on all layers with leaflet-zoom-animated class
+               L.DomUtil.addClass(this._mapPane, 'leaflet-zoom-anim');
+
+               // remember what center/zoom to set after animation
+               this._animateToCenter = center;
+               this._animateToZoom = zoom;
+
+               // disable any dragging during animation
+               if (L.Draggable) {
+                       L.Draggable._disabled = true;
+               }
+
+               L.Util.requestAnimFrame(function () {
+                       this.fire('zoomanim', {
+                               center: center,
+                               zoom: zoom,
+                               origin: origin,
+                               scale: scale,
+                               delta: delta,
+                               backwards: backwards
+                       });
+                       // horrible hack to work around a Chrome bug https://github.com/Leaflet/Leaflet/issues/3689
+                       setTimeout(L.bind(this._onZoomTransitionEnd, this), 250);
+               }, this);
+       },
+
+       _onZoomTransitionEnd: function () {
+               if (!this._animatingZoom) { return; }
+
+               this._animatingZoom = false;
+
+               L.DomUtil.removeClass(this._mapPane, 'leaflet-zoom-anim');
+
+               this._resetView(this._animateToCenter, this._animateToZoom, true, true);
+
+               if (L.Draggable) {
+                       L.Draggable._disabled = false;
+               }
+       }
+});
+
+
+/*
+       Zoom animation logic for L.TileLayer.
+*/
+
+L.TileLayer.include({
+       _animateZoom: function (e) {
+               if (!this._animating) {
+                       this._animating = true;
+                       this._prepareBgBuffer();
+               }
+
+               var bg = this._bgBuffer,
+                   transform = L.DomUtil.TRANSFORM,
+                   initialTransform = e.delta ? L.DomUtil.getTranslateString(e.delta) : bg.style[transform],
+                   scaleStr = L.DomUtil.getScaleString(e.scale, e.origin);
+
+               bg.style[transform] = e.backwards ?
+                               scaleStr + ' ' + initialTransform :
+                               initialTransform + ' ' + scaleStr;
+       },
+
+       _endZoomAnim: function () {
+               var front = this._tileContainer,
+                   bg = this._bgBuffer;
+
+               front.style.visibility = '';
+               front.parentNode.appendChild(front); // Bring to fore
+
+               // force reflow
+               L.Util.falseFn(bg.offsetWidth);
+
+               var zoom = this._map.getZoom();
+               if (zoom > this.options.maxZoom || zoom < this.options.minZoom) {
+                       this._clearBgBuffer();
+               }
+
+               this._animating = false;
+       },
+
+       _clearBgBuffer: function () {
+               var map = this._map;
+
+               if (map && !map._animatingZoom && !map.touchZoom._zooming) {
+                       this._bgBuffer.innerHTML = '';
+                       this._bgBuffer.style[L.DomUtil.TRANSFORM] = '';
+               }
+       },
+
+       _prepareBgBuffer: function () {
+
+               var front = this._tileContainer,
+                   bg = this._bgBuffer;
+
+               // if foreground layer doesn't have many tiles but bg layer does,
+               // keep the existing bg layer and just zoom it some more
+
+               var bgLoaded = this._getLoadedTilesPercentage(bg),
+                   frontLoaded = this._getLoadedTilesPercentage(front);
+
+               if (bg && bgLoaded > 0.5 && frontLoaded < 0.5) {
+
+                       front.style.visibility = 'hidden';
+                       this._stopLoadingImages(front);
+                       return;
+               }
+
+               // prepare the buffer to become the front tile pane
+               bg.style.visibility = 'hidden';
+               bg.style[L.DomUtil.TRANSFORM] = '';
+
+               // switch out the current layer to be the new bg layer (and vice-versa)
+               this._tileContainer = bg;
+               bg = this._bgBuffer = front;
+
+               this._stopLoadingImages(bg);
+
+               //prevent bg buffer from clearing right after zoom
+               clearTimeout(this._clearBgBufferTimer);
+       },
+
+       _getLoadedTilesPercentage: function (container) {
+               var tiles = container.getElementsByTagName('img'),
+                   i, len, count = 0;
+
+               for (i = 0, len = tiles.length; i < len; i++) {
+                       if (tiles[i].complete) {
+                               count++;
+                       }
+               }
+               return count / len;
+       },
+
+       // stops loading all tiles in the background layer
+       _stopLoadingImages: function (container) {
+               var tiles = Array.prototype.slice.call(container.getElementsByTagName('img')),
+                   i, len, tile;
+
+               for (i = 0, len = tiles.length; i < len; i++) {
+                       tile = tiles[i];
+
+                       if (!tile.complete) {
+                               tile.onload = L.Util.falseFn;
+                               tile.onerror = L.Util.falseFn;
+                               tile.src = L.Util.emptyImageUrl;
+
+                               tile.parentNode.removeChild(tile);
+                       }
+               }
+       }
+});
+
+
+/*\r
+ * Provides L.Map with convenient shortcuts for using browser geolocation features.\r
+ */\r
+\r
+L.Map.include({\r
+       _defaultLocateOptions: {\r
+               watch: false,\r
+               setView: false,\r
+               maxZoom: Infinity,\r
+               timeout: 10000,\r
+               maximumAge: 0,\r
+               enableHighAccuracy: false\r
+       },\r
+\r
+       locate: function (/*Object*/ options) {\r
+\r
+               options = this._locateOptions = L.extend(this._defaultLocateOptions, options);\r
+\r
+               if (!navigator.geolocation) {\r
+                       this._handleGeolocationError({\r
+                               code: 0,\r
+                               message: 'Geolocation not supported.'\r
+                       });\r
+                       return this;\r
+               }\r
+\r
+               var onResponse = L.bind(this._handleGeolocationResponse, this),\r
+                       onError = L.bind(this._handleGeolocationError, this);\r
+\r
+               if (options.watch) {\r
+                       this._locationWatchId =\r
+                               navigator.geolocation.watchPosition(onResponse, onError, options);\r
+               } else {\r
+                       navigator.geolocation.getCurrentPosition(onResponse, onError, options);\r
+               }\r
+               return this;\r
+       },\r
+\r
+       stopLocate: function () {\r
+               if (navigator.geolocation) {\r
+                       navigator.geolocation.clearWatch(this._locationWatchId);\r
+               }\r
+               if (this._locateOptions) {\r
+                       this._locateOptions.setView = false;\r
+               }\r
+               return this;\r
+       },\r
+\r
+       _handleGeolocationError: function (error) {\r
+               var c = error.code,\r
+                   message = error.message ||\r
+                           (c === 1 ? 'permission denied' :\r
+                           (c === 2 ? 'position unavailable' : 'timeout'));\r
+\r
+               if (this._locateOptions.setView && !this._loaded) {\r
+                       this.fitWorld();\r
+               }\r
+\r
+               this.fire('locationerror', {\r
+                       code: c,\r
+                       message: 'Geolocation error: ' + message + '.'\r
+               });\r
+       },\r
+\r
+       _handleGeolocationResponse: function (pos) {\r
+               var lat = pos.coords.latitude,\r
+                   lng = pos.coords.longitude,\r
+                   latlng = new L.LatLng(lat, lng),\r
+\r
+                   latAccuracy = 180 * pos.coords.accuracy / 40075017,\r
+                   lngAccuracy = latAccuracy / Math.cos(L.LatLng.DEG_TO_RAD * lat),\r
+\r
+                   bounds = L.latLngBounds(\r
+                           [lat - latAccuracy, lng - lngAccuracy],\r
+                           [lat + latAccuracy, lng + lngAccuracy]),\r
+\r
+                   options = this._locateOptions;\r
+\r
+               if (options.setView) {\r
+                       var zoom = Math.min(this.getBoundsZoom(bounds), options.maxZoom);\r
+                       this.setView(latlng, zoom);\r
+               }\r
+\r
+               var data = {\r
+                       latlng: latlng,\r
+                       bounds: bounds,\r
+                       timestamp: pos.timestamp\r
+               };\r
+\r
+               for (var i in pos.coords) {\r
+                       if (typeof pos.coords[i] === 'number') {\r
+                               data[i] = pos.coords[i];\r
+                       }\r
+               }\r
+\r
+               this.fire('locationfound', data);\r
+       }\r
+});\r
+
+
+}(window, document));
\ No newline at end of file
diff --git a/TESTING_WEB/js/leaflet-0.7.5/leaflet.css b/TESTING_WEB/js/leaflet-0.7.5/leaflet.css
new file mode 100644 (file)
index 0000000..ac0cd17
--- /dev/null
@@ -0,0 +1,478 @@
+/* required styles */\r
+\r
+.leaflet-map-pane,\r
+.leaflet-tile,\r
+.leaflet-marker-icon,\r
+.leaflet-marker-shadow,\r
+.leaflet-tile-pane,\r
+.leaflet-tile-container,\r
+.leaflet-overlay-pane,\r
+.leaflet-shadow-pane,\r
+.leaflet-marker-pane,\r
+.leaflet-popup-pane,\r
+.leaflet-overlay-pane svg,\r
+.leaflet-zoom-box,\r
+.leaflet-image-layer,\r
+.leaflet-layer {\r
+       position: absolute;\r
+       left: 0;\r
+       top: 0;\r
+       }\r
+.leaflet-container {\r
+       overflow: hidden;\r
+       -ms-touch-action: none;\r
+       }\r
+.leaflet-tile,\r
+.leaflet-marker-icon,\r
+.leaflet-marker-shadow {\r
+       -webkit-user-select: none;\r
+          -moz-user-select: none;\r
+               user-select: none;\r
+       -webkit-user-drag: none;\r
+       }\r
+.leaflet-marker-icon,\r
+.leaflet-marker-shadow {\r
+       display: block;\r
+       }\r
+/* map is broken in FF if you have max-width: 100% on tiles */\r
+.leaflet-container img {\r
+       max-width: none !important;\r
+       }\r
+/* stupid Android 2 doesn't understand "max-width: none" properly */\r
+.leaflet-container img.leaflet-image-layer {\r
+       max-width: 15000px !important;\r
+       }\r
+.leaflet-tile {\r
+       filter: inherit;\r
+       visibility: hidden;\r
+       }\r
+.leaflet-tile-loaded {\r
+       visibility: inherit;\r
+       }\r
+.leaflet-zoom-box {\r
+       width: 0;\r
+       height: 0;\r
+       }\r
+/* workaround for https://bugzilla.mozilla.org/show_bug.cgi?id=888319 */\r
+.leaflet-overlay-pane svg {\r
+       -moz-user-select: none;\r
+       }\r
+\r
+.leaflet-tile-pane    { z-index: 2; }\r
+.leaflet-objects-pane { z-index: 3; }\r
+.leaflet-overlay-pane { z-index: 4; }\r
+.leaflet-shadow-pane  { z-index: 5; }\r
+.leaflet-marker-pane  { z-index: 6; }\r
+.leaflet-popup-pane   { z-index: 7; }\r
+\r
+.leaflet-vml-shape {\r
+       width: 1px;\r
+       height: 1px;\r
+       }\r
+.lvml {\r
+       behavior: url(#default#VML);\r
+       display: inline-block;\r
+       position: absolute;\r
+       }\r
+\r
+\r
+/* control positioning */\r
+\r
+.leaflet-control {\r
+       position: relative;\r
+       z-index: 7;\r
+       pointer-events: auto;\r
+       }\r
+.leaflet-top,\r
+.leaflet-bottom {\r
+       position: absolute;\r
+       z-index: 1000;\r
+       pointer-events: none;\r
+       }\r
+.leaflet-top {\r
+       top: 0;\r
+       }\r
+.leaflet-right {\r
+       right: 0;\r
+       }\r
+.leaflet-bottom {\r
+       bottom: 0;\r
+       }\r
+.leaflet-left {\r
+       left: 0;\r
+       }\r
+.leaflet-control {\r
+       float: left;\r
+       clear: both;\r
+       }\r
+.leaflet-right .leaflet-control {\r
+       float: right;\r
+       }\r
+.leaflet-top .leaflet-control {\r
+       margin-top: 10px;\r
+       }\r
+.leaflet-bottom .leaflet-control {\r
+       margin-bottom: 10px;\r
+       }\r
+.leaflet-left .leaflet-control {\r
+       margin-left: 10px;\r
+       }\r
+.leaflet-right .leaflet-control {\r
+       margin-right: 10px;\r
+       }\r
+\r
+\r
+/* zoom and fade animations */\r
+\r
+.leaflet-fade-anim .leaflet-tile,\r
+.leaflet-fade-anim .leaflet-popup {\r
+       opacity: 0;\r
+       -webkit-transition: opacity 0.2s linear;\r
+          -moz-transition: opacity 0.2s linear;\r
+            -o-transition: opacity 0.2s linear;\r
+               transition: opacity 0.2s linear;\r
+       }\r
+.leaflet-fade-anim .leaflet-tile-loaded,\r
+.leaflet-fade-anim .leaflet-map-pane .leaflet-popup {\r
+       opacity: 1;\r
+       }\r
+\r
+.leaflet-zoom-anim .leaflet-zoom-animated {\r
+       -webkit-transition: -webkit-transform 0.25s cubic-bezier(0,0,0.25,1);\r
+          -moz-transition:    -moz-transform 0.25s cubic-bezier(0,0,0.25,1);\r
+            -o-transition:      -o-transform 0.25s cubic-bezier(0,0,0.25,1);\r
+               transition:         transform 0.25s cubic-bezier(0,0,0.25,1);\r
+       }\r
+.leaflet-zoom-anim .leaflet-tile,\r
+.leaflet-pan-anim .leaflet-tile,\r
+.leaflet-touching .leaflet-zoom-animated {\r
+       -webkit-transition: none;\r
+          -moz-transition: none;\r
+            -o-transition: none;\r
+               transition: none;\r
+       }\r
+\r
+.leaflet-zoom-anim .leaflet-zoom-hide {\r
+       visibility: hidden;\r
+       }\r
+\r
+\r
+/* cursors */\r
+\r
+.leaflet-clickable {\r
+       cursor: pointer;\r
+       }\r
+.leaflet-container {\r
+       cursor: -webkit-grab;\r
+       cursor:    -moz-grab;\r
+       }\r
+.leaflet-popup-pane,\r
+.leaflet-control {\r
+       cursor: auto;\r
+       }\r
+.leaflet-dragging .leaflet-container,\r
+.leaflet-dragging .leaflet-clickable {\r
+       cursor: move;\r
+       cursor: -webkit-grabbing;\r
+       cursor:    -moz-grabbing;\r
+       }\r
+\r
+\r
+/* visual tweaks */\r
+\r
+.leaflet-container {\r
+       background: #ddd;\r
+       outline: 0;\r
+       }\r
+.leaflet-container a {\r
+       color: #0078A8;\r
+       }\r
+.leaflet-container a.leaflet-active {\r
+       outline: 2px solid orange;\r
+       }\r
+.leaflet-zoom-box {\r
+       border: 2px dotted #38f;\r
+       background: rgba(255,255,255,0.5);\r
+       }\r
+\r
+\r
+/* general typography */\r
+.leaflet-container {\r
+       font: 12px/1.5 "Helvetica Neue", Arial, Helvetica, sans-serif;\r
+       }\r
+\r
+\r
+/* general toolbar styles */\r
+\r
+.leaflet-bar {\r
+       box-shadow: 0 1px 5px rgba(0,0,0,0.65);\r
+       border-radius: 4px;\r
+       }\r
+.leaflet-bar a,\r
+.leaflet-bar a:hover {\r
+       background-color: #fff;\r
+       border-bottom: 1px solid #ccc;\r
+       width: 26px;\r
+       height: 26px;\r
+       line-height: 26px;\r
+       display: block;\r
+       text-align: center;\r
+       text-decoration: none;\r
+       color: black;\r
+       }\r
+.leaflet-bar a,\r
+.leaflet-control-layers-toggle {\r
+       background-position: 50% 50%;\r
+       background-repeat: no-repeat;\r
+       display: block;\r
+       }\r
+.leaflet-bar a:hover {\r
+       background-color: #f4f4f4;\r
+       }\r
+.leaflet-bar a:first-child {\r
+       border-top-left-radius: 4px;\r
+       border-top-right-radius: 4px;\r
+       }\r
+.leaflet-bar a:last-child {\r
+       border-bottom-left-radius: 4px;\r
+       border-bottom-right-radius: 4px;\r
+       border-bottom: none;\r
+       }\r
+.leaflet-bar a.leaflet-disabled {\r
+       cursor: default;\r
+       background-color: #f4f4f4;\r
+       color: #bbb;\r
+       }\r
+\r
+.leaflet-touch .leaflet-bar a {\r
+       width: 30px;\r
+       height: 30px;\r
+       line-height: 30px;\r
+       }\r
+\r
+\r
+/* zoom control */\r
+\r
+.leaflet-control-zoom-in,\r
+.leaflet-control-zoom-out {\r
+       font: bold 18px 'Lucida Console', Monaco, monospace;\r
+       text-indent: 1px;\r
+       }\r
+.leaflet-control-zoom-out {\r
+       font-size: 20px;\r
+       }\r
+\r
+.leaflet-touch .leaflet-control-zoom-in {\r
+       font-size: 22px;\r
+       }\r
+.leaflet-touch .leaflet-control-zoom-out {\r
+       font-size: 24px;\r
+       }\r
+\r
+\r
+/* layers control */\r
+\r
+.leaflet-control-layers {\r
+       box-shadow: 0 1px 5px rgba(0,0,0,0.4);\r
+       background: #fff;\r
+       border-radius: 5px;\r
+       }\r
+.leaflet-control-layers-toggle {\r
+       background-image: url(images/layers.png);\r
+       width: 36px;\r
+       height: 36px;\r
+       }\r
+.leaflet-retina .leaflet-control-layers-toggle {\r
+       background-image: url(images/layers-2x.png);\r
+       background-size: 26px 26px;\r
+       }\r
+.leaflet-touch .leaflet-control-layers-toggle {\r
+       width: 44px;\r
+       height: 44px;\r
+       }\r
+.leaflet-control-layers .leaflet-control-layers-list,\r
+.leaflet-control-layers-expanded .leaflet-control-layers-toggle {\r
+       display: none;\r
+       }\r
+.leaflet-control-layers-expanded .leaflet-control-layers-list {\r
+       display: block;\r
+       position: relative;\r
+       }\r
+.leaflet-control-layers-expanded {\r
+       padding: 6px 10px 6px 6px;\r
+       color: #333;\r
+       background: #fff;\r
+       }\r
+.leaflet-control-layers-selector {\r
+       margin-top: 2px;\r
+       position: relative;\r
+       top: 1px;\r
+       }\r
+.leaflet-control-layers label {\r
+       display: block;\r
+       }\r
+.leaflet-control-layers-separator {\r
+       height: 0;\r
+       border-top: 1px solid #ddd;\r
+       margin: 5px -10px 5px -6px;\r
+       }\r
+\r
+\r
+/* attribution and scale controls */\r
+\r
+.leaflet-container .leaflet-control-attribution {\r
+       background: #fff;\r
+       background: rgba(255, 255, 255, 0.7);\r
+       margin: 0;\r
+       }\r
+.leaflet-control-attribution,\r
+.leaflet-control-scale-line {\r
+       padding: 0 5px;\r
+       color: #333;\r
+       }\r
+.leaflet-control-attribution a {\r
+       text-decoration: none;\r
+       }\r
+.leaflet-control-attribution a:hover {\r
+       text-decoration: underline;\r
+       }\r
+.leaflet-container .leaflet-control-attribution,\r
+.leaflet-container .leaflet-control-scale {\r
+       font-size: 11px;\r
+       }\r
+.leaflet-left .leaflet-control-scale {\r
+       margin-left: 5px;\r
+       }\r
+.leaflet-bottom .leaflet-control-scale {\r
+       margin-bottom: 5px;\r
+       }\r
+.leaflet-control-scale-line {\r
+       border: 2px solid #777;\r
+       border-top: none;\r
+       line-height: 1.1;\r
+       padding: 2px 5px 1px;\r
+       font-size: 11px;\r
+       white-space: nowrap;\r
+       overflow: hidden;\r
+       -moz-box-sizing: content-box;\r
+            box-sizing: content-box;\r
+\r
+       background: #fff;\r
+       background: rgba(255, 255, 255, 0.5);\r
+       }\r
+.leaflet-control-scale-line:not(:first-child) {\r
+       border-top: 2px solid #777;\r
+       border-bottom: none;\r
+       margin-top: -2px;\r
+       }\r
+.leaflet-control-scale-line:not(:first-child):not(:last-child) {\r
+       border-bottom: 2px solid #777;\r
+       }\r
+\r
+.leaflet-touch .leaflet-control-attribution,\r
+.leaflet-touch .leaflet-control-layers,\r
+.leaflet-touch .leaflet-bar {\r
+       box-shadow: none;\r
+       }\r
+.leaflet-touch .leaflet-control-layers,\r
+.leaflet-touch .leaflet-bar {\r
+       border: 2px solid rgba(0,0,0,0.2);\r
+       background-clip: padding-box;\r
+       }\r
+\r
+\r
+/* popup */\r
+\r
+.leaflet-popup {\r
+       position: absolute;\r
+       text-align: center;\r
+       }\r
+.leaflet-popup-content-wrapper {\r
+       padding: 1px;\r
+       text-align: left;\r
+       border-radius: 12px;\r
+       }\r
+.leaflet-popup-content {\r
+       margin: 13px 19px;\r
+       line-height: 1.4;\r
+       }\r
+.leaflet-popup-content p {\r
+       margin: 18px 0;\r
+       }\r
+.leaflet-popup-tip-container {\r
+       margin: 0 auto;\r
+       width: 40px;\r
+       height: 20px;\r
+       position: relative;\r
+       overflow: hidden;\r
+       }\r
+.leaflet-popup-tip {\r
+       width: 17px;\r
+       height: 17px;\r
+       padding: 1px;\r
+\r
+       margin: -10px auto 0;\r
+\r
+       -webkit-transform: rotate(45deg);\r
+          -moz-transform: rotate(45deg);\r
+           -ms-transform: rotate(45deg);\r
+            -o-transform: rotate(45deg);\r
+               transform: rotate(45deg);\r
+       }\r
+.leaflet-popup-content-wrapper,\r
+.leaflet-popup-tip {\r
+       background: white;\r
+\r
+       box-shadow: 0 3px 14px rgba(0,0,0,0.4);\r
+       }\r
+.leaflet-container a.leaflet-popup-close-button {\r
+       position: absolute;\r
+       top: 0;\r
+       right: 0;\r
+       padding: 4px 4px 0 0;\r
+       text-align: center;\r
+       width: 18px;\r
+       height: 14px;\r
+       font: 16px/14px Tahoma, Verdana, sans-serif;\r
+       color: #c3c3c3;\r
+       text-decoration: none;\r
+       font-weight: bold;\r
+       background: transparent;\r
+       }\r
+.leaflet-container a.leaflet-popup-close-button:hover {\r
+       color: #999;\r
+       }\r
+.leaflet-popup-scrolled {\r
+       overflow: auto;\r
+       border-bottom: 1px solid #ddd;\r
+       border-top: 1px solid #ddd;\r
+       }\r
+\r
+.leaflet-oldie .leaflet-popup-content-wrapper {\r
+       zoom: 1;\r
+       }\r
+.leaflet-oldie .leaflet-popup-tip {\r
+       width: 24px;\r
+       margin: 0 auto;\r
+\r
+       -ms-filter: "progid:DXImageTransform.Microsoft.Matrix(M11=0.70710678, M12=0.70710678, M21=-0.70710678, M22=0.70710678)";\r
+       filter: progid:DXImageTransform.Microsoft.Matrix(M11=0.70710678, M12=0.70710678, M21=-0.70710678, M22=0.70710678);\r
+       }\r
+.leaflet-oldie .leaflet-popup-tip-container {\r
+       margin-top: -1px;\r
+       }\r
+\r
+.leaflet-oldie .leaflet-control-zoom,\r
+.leaflet-oldie .leaflet-control-layers,\r
+.leaflet-oldie .leaflet-popup-content-wrapper,\r
+.leaflet-oldie .leaflet-popup-tip {\r
+       border: 1px solid #999;\r
+       }\r
+\r
+\r
+/* div icon */\r
+\r
+.leaflet-div-icon {\r
+       background: #fff;\r
+       border: 1px solid #666;\r
+       }\r
diff --git a/TESTING_WEB/js/leaflet-0.7.5/leaflet.js b/TESTING_WEB/js/leaflet-0.7.5/leaflet.js
new file mode 100644 (file)
index 0000000..c469495
--- /dev/null
@@ -0,0 +1,9 @@
+/*
+ Leaflet, a JavaScript library for mobile-friendly interactive maps. http://leafletjs.com
+ (c) 2010-2013, Vladimir Agafonkin
+ (c) 2010-2011, CloudMade
+*/
+!function(t,e,i){var n=t.L,o={};o.version="0.7.5","object"==typeof module&&"object"==typeof module.exports?module.exports=o:"function"==typeof define&&define.amd&&define(o),o.noConflict=function(){return t.L=n,this},t.L=o,o.Util={extend:function(t){var e,i,n,o,s=Array.prototype.slice.call(arguments,1);for(i=0,n=s.length;n>i;i++){o=s[i]||{};for(e in o)o.hasOwnProperty(e)&&(t[e]=o[e])}return t},bind:function(t,e){var i=arguments.length>2?Array.prototype.slice.call(arguments,2):null;return function(){return t.apply(e,i||arguments)}},stamp:function(){var t=0,e="_leaflet_id";return function(i){return i[e]=i[e]||++t,i[e]}}(),invokeEach:function(t,e,i){var n,o;if("object"==typeof t){o=Array.prototype.slice.call(arguments,3);for(n in t)e.apply(i,[n,t[n]].concat(o));return!0}return!1},limitExecByInterval:function(t,e,i){var n,o;return function s(){var a=arguments;return n?void(o=!0):(n=!0,setTimeout(function(){n=!1,o&&(s.apply(i,a),o=!1)},e),void t.apply(i,a))}},falseFn:function(){return!1},formatNum:function(t,e){var i=Math.pow(10,e||5);return Math.round(t*i)/i},trim:function(t){return t.trim?t.trim():t.replace(/^\s+|\s+$/g,"")},splitWords:function(t){return o.Util.trim(t).split(/\s+/)},setOptions:function(t,e){return t.options=o.extend({},t.options,e),t.options},getParamString:function(t,e,i){var n=[];for(var o in t)n.push(encodeURIComponent(i?o.toUpperCase():o)+"="+encodeURIComponent(t[o]));return(e&&-1!==e.indexOf("?")?"&":"?")+n.join("&")},template:function(t,e){return t.replace(/\{ *([\w_]+) *\}/g,function(t,n){var o=e[n];if(o===i)throw new Error("No value provided for variable "+t);return"function"==typeof o&&(o=o(e)),o})},isArray:Array.isArray||function(t){return"[object Array]"===Object.prototype.toString.call(t)},emptyImageUrl:"data:image/gif;base64,R0lGODlhAQABAAD/ACwAAAAAAQABAAACADs="},function(){function e(e){var i,n,o=["webkit","moz","o","ms"];for(i=0;i<o.length&&!n;i++)n=t[o[i]+e];return n}function i(e){var i=+new Date,o=Math.max(0,16-(i-n));return n=i+o,t.setTimeout(e,o)}var n=0,s=t.requestAnimationFrame||e("RequestAnimationFrame")||i,a=t.cancelAnimationFrame||e("CancelAnimationFrame")||e("CancelRequestAnimationFrame")||function(e){t.clearTimeout(e)};o.Util.requestAnimFrame=function(e,n,a,r){return e=o.bind(e,n),a&&s===i?void e():s.call(t,e,r)},o.Util.cancelAnimFrame=function(e){e&&a.call(t,e)}}(),o.extend=o.Util.extend,o.bind=o.Util.bind,o.stamp=o.Util.stamp,o.setOptions=o.Util.setOptions,o.Class=function(){},o.Class.extend=function(t){var e=function(){this.initialize&&this.initialize.apply(this,arguments),this._initHooks&&this.callInitHooks()},i=function(){};i.prototype=this.prototype;var n=new i;n.constructor=e,e.prototype=n;for(var s in this)this.hasOwnProperty(s)&&"prototype"!==s&&(e[s]=this[s]);t.statics&&(o.extend(e,t.statics),delete t.statics),t.includes&&(o.Util.extend.apply(null,[n].concat(t.includes)),delete t.includes),t.options&&n.options&&(t.options=o.extend({},n.options,t.options)),o.extend(n,t),n._initHooks=[];var a=this;return e.__super__=a.prototype,n.callInitHooks=function(){if(!this._initHooksCalled){a.prototype.callInitHooks&&a.prototype.callInitHooks.call(this),this._initHooksCalled=!0;for(var t=0,e=n._initHooks.length;e>t;t++)n._initHooks[t].call(this)}},e},o.Class.include=function(t){o.extend(this.prototype,t)},o.Class.mergeOptions=function(t){o.extend(this.prototype.options,t)},o.Class.addInitHook=function(t){var e=Array.prototype.slice.call(arguments,1),i="function"==typeof t?t:function(){this[t].apply(this,e)};this.prototype._initHooks=this.prototype._initHooks||[],this.prototype._initHooks.push(i)};var s="_leaflet_events";o.Mixin={},o.Mixin.Events={addEventListener:function(t,e,i){if(o.Util.invokeEach(t,this.addEventListener,this,e,i))return this;var n,a,r,h,l,u,c,d=this[s]=this[s]||{},p=i&&i!==this&&o.stamp(i);for(t=o.Util.splitWords(t),n=0,a=t.length;a>n;n++)r={action:e,context:i||this},h=t[n],p?(l=h+"_idx",u=l+"_len",c=d[l]=d[l]||{},c[p]||(c[p]=[],d[u]=(d[u]||0)+1),c[p].push(r)):(d[h]=d[h]||[],d[h].push(r));return this},hasEventListeners:function(t){var e=this[s];return!!e&&(t in e&&e[t].length>0||t+"_idx"in e&&e[t+"_idx_len"]>0)},removeEventListener:function(t,e,i){if(!this[s])return this;if(!t)return this.clearAllEventListeners();if(o.Util.invokeEach(t,this.removeEventListener,this,e,i))return this;var n,a,r,h,l,u,c,d,p,_=this[s],m=i&&i!==this&&o.stamp(i);for(t=o.Util.splitWords(t),n=0,a=t.length;a>n;n++)if(r=t[n],u=r+"_idx",c=u+"_len",d=_[u],e){if(h=m&&d?d[m]:_[r]){for(l=h.length-1;l>=0;l--)h[l].action!==e||i&&h[l].context!==i||(p=h.splice(l,1),p[0].action=o.Util.falseFn);i&&d&&0===h.length&&(delete d[m],_[c]--)}}else delete _[r],delete _[u],delete _[c];return this},clearAllEventListeners:function(){return delete this[s],this},fireEvent:function(t,e){if(!this.hasEventListeners(t))return this;var i,n,a,r,h,l=o.Util.extend({},e,{type:t,target:this}),u=this[s];if(u[t])for(i=u[t].slice(),n=0,a=i.length;a>n;n++)i[n].action.call(i[n].context,l);r=u[t+"_idx"];for(h in r)if(i=r[h].slice())for(n=0,a=i.length;a>n;n++)i[n].action.call(i[n].context,l);return this},addOneTimeEventListener:function(t,e,i){if(o.Util.invokeEach(t,this.addOneTimeEventListener,this,e,i))return this;var n=o.bind(function(){this.removeEventListener(t,e,i).removeEventListener(t,n,i)},this);return this.addEventListener(t,e,i).addEventListener(t,n,i)}},o.Mixin.Events.on=o.Mixin.Events.addEventListener,o.Mixin.Events.off=o.Mixin.Events.removeEventListener,o.Mixin.Events.once=o.Mixin.Events.addOneTimeEventListener,o.Mixin.Events.fire=o.Mixin.Events.fireEvent,function(){var n="ActiveXObject"in t,s=n&&!e.addEventListener,a=navigator.userAgent.toLowerCase(),r=-1!==a.indexOf("webkit"),h=-1!==a.indexOf("chrome"),l=-1!==a.indexOf("phantom"),u=-1!==a.indexOf("android"),c=-1!==a.search("android [23]"),d=-1!==a.indexOf("gecko"),p=typeof orientation!=i+"",_=!t.PointerEvent&&t.MSPointerEvent,m=t.PointerEvent&&t.navigator.pointerEnabled&&t.navigator.maxTouchPoints||_,f="devicePixelRatio"in t&&t.devicePixelRatio>1||"matchMedia"in t&&t.matchMedia("(min-resolution:144dpi)")&&t.matchMedia("(min-resolution:144dpi)").matches,g=e.documentElement,v=n&&"transition"in g.style,y="WebKitCSSMatrix"in t&&"m11"in new t.WebKitCSSMatrix&&!c,P="MozPerspective"in g.style,L="OTransition"in g.style,x=!t.L_DISABLE_3D&&(v||y||P||L)&&!l,w=!t.L_NO_TOUCH&&!l&&(m||"ontouchstart"in t||t.DocumentTouch&&e instanceof t.DocumentTouch);o.Browser={ie:n,ielt9:s,webkit:r,gecko:d&&!r&&!t.opera&&!n,android:u,android23:c,chrome:h,ie3d:v,webkit3d:y,gecko3d:P,opera3d:L,any3d:x,mobile:p,mobileWebkit:p&&r,mobileWebkit3d:p&&y,mobileOpera:p&&t.opera,touch:w,msPointer:_,pointer:m,retina:f}}(),o.Point=function(t,e,i){this.x=i?Math.round(t):t,this.y=i?Math.round(e):e},o.Point.prototype={clone:function(){return new o.Point(this.x,this.y)},add:function(t){return this.clone()._add(o.point(t))},_add:function(t){return this.x+=t.x,this.y+=t.y,this},subtract:function(t){return this.clone()._subtract(o.point(t))},_subtract:function(t){return this.x-=t.x,this.y-=t.y,this},divideBy:function(t){return this.clone()._divideBy(t)},_divideBy:function(t){return this.x/=t,this.y/=t,this},multiplyBy:function(t){return this.clone()._multiplyBy(t)},_multiplyBy:function(t){return this.x*=t,this.y*=t,this},round:function(){return this.clone()._round()},_round:function(){return this.x=Math.round(this.x),this.y=Math.round(this.y),this},floor:function(){return this.clone()._floor()},_floor:function(){return this.x=Math.floor(this.x),this.y=Math.floor(this.y),this},distanceTo:function(t){t=o.point(t);var e=t.x-this.x,i=t.y-this.y;return Math.sqrt(e*e+i*i)},equals:function(t){return t=o.point(t),t.x===this.x&&t.y===this.y},contains:function(t){return t=o.point(t),Math.abs(t.x)<=Math.abs(this.x)&&Math.abs(t.y)<=Math.abs(this.y)},toString:function(){return"Point("+o.Util.formatNum(this.x)+", "+o.Util.formatNum(this.y)+")"}},o.point=function(t,e,n){return t instanceof o.Point?t:o.Util.isArray(t)?new o.Point(t[0],t[1]):t===i||null===t?t:new o.Point(t,e,n)},o.Bounds=function(t,e){if(t)for(var i=e?[t,e]:t,n=0,o=i.length;o>n;n++)this.extend(i[n])},o.Bounds.prototype={extend:function(t){return t=o.point(t),this.min||this.max?(this.min.x=Math.min(t.x,this.min.x),this.max.x=Math.max(t.x,this.max.x),this.min.y=Math.min(t.y,this.min.y),this.max.y=Math.max(t.y,this.max.y)):(this.min=t.clone(),this.max=t.clone()),this},getCenter:function(t){return new o.Point((this.min.x+this.max.x)/2,(this.min.y+this.max.y)/2,t)},getBottomLeft:function(){return new o.Point(this.min.x,this.max.y)},getTopRight:function(){return new o.Point(this.max.x,this.min.y)},getSize:function(){return this.max.subtract(this.min)},contains:function(t){var e,i;return t="number"==typeof t[0]||t instanceof o.Point?o.point(t):o.bounds(t),t instanceof o.Bounds?(e=t.min,i=t.max):e=i=t,e.x>=this.min.x&&i.x<=this.max.x&&e.y>=this.min.y&&i.y<=this.max.y},intersects:function(t){t=o.bounds(t);var e=this.min,i=this.max,n=t.min,s=t.max,a=s.x>=e.x&&n.x<=i.x,r=s.y>=e.y&&n.y<=i.y;return a&&r},isValid:function(){return!(!this.min||!this.max)}},o.bounds=function(t,e){return!t||t instanceof o.Bounds?t:new o.Bounds(t,e)},o.Transformation=function(t,e,i,n){this._a=t,this._b=e,this._c=i,this._d=n},o.Transformation.prototype={transform:function(t,e){return this._transform(t.clone(),e)},_transform:function(t,e){return e=e||1,t.x=e*(this._a*t.x+this._b),t.y=e*(this._c*t.y+this._d),t},untransform:function(t,e){return e=e||1,new o.Point((t.x/e-this._b)/this._a,(t.y/e-this._d)/this._c)}},o.DomUtil={get:function(t){return"string"==typeof t?e.getElementById(t):t},getStyle:function(t,i){var n=t.style[i];if(!n&&t.currentStyle&&(n=t.currentStyle[i]),(!n||"auto"===n)&&e.defaultView){var o=e.defaultView.getComputedStyle(t,null);n=o?o[i]:null}return"auto"===n?null:n},getViewportOffset:function(t){var i,n=0,s=0,a=t,r=e.body,h=e.documentElement;do{if(n+=a.offsetTop||0,s+=a.offsetLeft||0,n+=parseInt(o.DomUtil.getStyle(a,"borderTopWidth"),10)||0,s+=parseInt(o.DomUtil.getStyle(a,"borderLeftWidth"),10)||0,i=o.DomUtil.getStyle(a,"position"),a.offsetParent===r&&"absolute"===i)break;if("fixed"===i){n+=r.scrollTop||h.scrollTop||0,s+=r.scrollLeft||h.scrollLeft||0;break}if("relative"===i&&!a.offsetLeft){var l=o.DomUtil.getStyle(a,"width"),u=o.DomUtil.getStyle(a,"max-width"),c=a.getBoundingClientRect();("none"!==l||"none"!==u)&&(s+=c.left+a.clientLeft),n+=c.top+(r.scrollTop||h.scrollTop||0);break}a=a.offsetParent}while(a);a=t;do{if(a===r)break;n-=a.scrollTop||0,s-=a.scrollLeft||0,a=a.parentNode}while(a);return new o.Point(s,n)},documentIsLtr:function(){return o.DomUtil._docIsLtrCached||(o.DomUtil._docIsLtrCached=!0,o.DomUtil._docIsLtr="ltr"===o.DomUtil.getStyle(e.body,"direction")),o.DomUtil._docIsLtr},create:function(t,i,n){var o=e.createElement(t);return o.className=i,n&&n.appendChild(o),o},hasClass:function(t,e){if(t.classList!==i)return t.classList.contains(e);var n=o.DomUtil._getClass(t);return n.length>0&&new RegExp("(^|\\s)"+e+"(\\s|$)").test(n)},addClass:function(t,e){if(t.classList!==i)for(var n=o.Util.splitWords(e),s=0,a=n.length;a>s;s++)t.classList.add(n[s]);else if(!o.DomUtil.hasClass(t,e)){var r=o.DomUtil._getClass(t);o.DomUtil._setClass(t,(r?r+" ":"")+e)}},removeClass:function(t,e){t.classList!==i?t.classList.remove(e):o.DomUtil._setClass(t,o.Util.trim((" "+o.DomUtil._getClass(t)+" ").replace(" "+e+" "," ")))},_setClass:function(t,e){t.className.baseVal===i?t.className=e:t.className.baseVal=e},_getClass:function(t){return t.className.baseVal===i?t.className:t.className.baseVal},setOpacity:function(t,e){if("opacity"in t.style)t.style.opacity=e;else if("filter"in t.style){var i=!1,n="DXImageTransform.Microsoft.Alpha";try{i=t.filters.item(n)}catch(o){if(1===e)return}e=Math.round(100*e),i?(i.Enabled=100!==e,i.Opacity=e):t.style.filter+=" progid:"+n+"(opacity="+e+")"}},testProp:function(t){for(var i=e.documentElement.style,n=0;n<t.length;n++)if(t[n]in i)return t[n];return!1},getTranslateString:function(t){var e=o.Browser.webkit3d,i="translate"+(e?"3d":"")+"(",n=(e?",0":"")+")";return i+t.x+"px,"+t.y+"px"+n},getScaleString:function(t,e){var i=o.DomUtil.getTranslateString(e.add(e.multiplyBy(-1*t))),n=" scale("+t+") ";return i+n},setPosition:function(t,e,i){t._leaflet_pos=e,!i&&o.Browser.any3d?t.style[o.DomUtil.TRANSFORM]=o.DomUtil.getTranslateString(e):(t.style.left=e.x+"px",t.style.top=e.y+"px")},getPosition:function(t){return t._leaflet_pos}},o.DomUtil.TRANSFORM=o.DomUtil.testProp(["transform","WebkitTransform","OTransform","MozTransform","msTransform"]),o.DomUtil.TRANSITION=o.DomUtil.testProp(["webkitTransition","transition","OTransition","MozTransition","msTransition"]),o.DomUtil.TRANSITION_END="webkitTransition"===o.DomUtil.TRANSITION||"OTransition"===o.DomUtil.TRANSITION?o.DomUtil.TRANSITION+"End":"transitionend",function(){if("onselectstart"in e)o.extend(o.DomUtil,{disableTextSelection:function(){o.DomEvent.on(t,"selectstart",o.DomEvent.preventDefault)},enableTextSelection:function(){o.DomEvent.off(t,"selectstart",o.DomEvent.preventDefault)}});else{var i=o.DomUtil.testProp(["userSelect","WebkitUserSelect","OUserSelect","MozUserSelect","msUserSelect"]);o.extend(o.DomUtil,{disableTextSelection:function(){if(i){var t=e.documentElement.style;this._userSelect=t[i],t[i]="none"}},enableTextSelection:function(){i&&(e.documentElement.style[i]=this._userSelect,delete this._userSelect)}})}o.extend(o.DomUtil,{disableImageDrag:function(){o.DomEvent.on(t,"dragstart",o.DomEvent.preventDefault)},enableImageDrag:function(){o.DomEvent.off(t,"dragstart",o.DomEvent.preventDefault)}})}(),o.LatLng=function(t,e,n){if(t=parseFloat(t),e=parseFloat(e),isNaN(t)||isNaN(e))throw new Error("Invalid LatLng object: ("+t+", "+e+")");this.lat=t,this.lng=e,n!==i&&(this.alt=parseFloat(n))},o.extend(o.LatLng,{DEG_TO_RAD:Math.PI/180,RAD_TO_DEG:180/Math.PI,MAX_MARGIN:1e-9}),o.LatLng.prototype={equals:function(t){if(!t)return!1;t=o.latLng(t);var e=Math.max(Math.abs(this.lat-t.lat),Math.abs(this.lng-t.lng));return e<=o.LatLng.MAX_MARGIN},toString:function(t){return"LatLng("+o.Util.formatNum(this.lat,t)+", "+o.Util.formatNum(this.lng,t)+")"},distanceTo:function(t){t=o.latLng(t);var e=6378137,i=o.LatLng.DEG_TO_RAD,n=(t.lat-this.lat)*i,s=(t.lng-this.lng)*i,a=this.lat*i,r=t.lat*i,h=Math.sin(n/2),l=Math.sin(s/2),u=h*h+l*l*Math.cos(a)*Math.cos(r);return 2*e*Math.atan2(Math.sqrt(u),Math.sqrt(1-u))},wrap:function(t,e){var i=this.lng;return t=t||-180,e=e||180,i=(i+e)%(e-t)+(t>i||i===e?e:t),new o.LatLng(this.lat,i)}},o.latLng=function(t,e){return t instanceof o.LatLng?t:o.Util.isArray(t)?"number"==typeof t[0]||"string"==typeof t[0]?new o.LatLng(t[0],t[1],t[2]):null:t===i||null===t?t:"object"==typeof t&&"lat"in t?new o.LatLng(t.lat,"lng"in t?t.lng:t.lon):e===i?null:new o.LatLng(t,e)},o.LatLngBounds=function(t,e){if(t)for(var i=e?[t,e]:t,n=0,o=i.length;o>n;n++)this.extend(i[n])},o.LatLngBounds.prototype={extend:function(t){if(!t)return this;var e=o.latLng(t);return t=null!==e?e:o.latLngBounds(t),t instanceof o.LatLng?this._southWest||this._northEast?(this._southWest.lat=Math.min(t.lat,this._southWest.lat),this._southWest.lng=Math.min(t.lng,this._southWest.lng),this._northEast.lat=Math.max(t.lat,this._northEast.lat),this._northEast.lng=Math.max(t.lng,this._northEast.lng)):(this._southWest=new o.LatLng(t.lat,t.lng),this._northEast=new o.LatLng(t.lat,t.lng)):t instanceof o.LatLngBounds&&(this.extend(t._southWest),this.extend(t._northEast)),this},pad:function(t){var e=this._southWest,i=this._northEast,n=Math.abs(e.lat-i.lat)*t,s=Math.abs(e.lng-i.lng)*t;return new o.LatLngBounds(new o.LatLng(e.lat-n,e.lng-s),new o.LatLng(i.lat+n,i.lng+s))},getCenter:function(){return new o.LatLng((this._southWest.lat+this._northEast.lat)/2,(this._southWest.lng+this._northEast.lng)/2)},getSouthWest:function(){return this._southWest},getNorthEast:function(){return this._northEast},getNorthWest:function(){return new o.LatLng(this.getNorth(),this.getWest())},getSouthEast:function(){return new o.LatLng(this.getSouth(),this.getEast())},getWest:function(){return this._southWest.lng},getSouth:function(){return this._southWest.lat},getEast:function(){return this._northEast.lng},getNorth:function(){return this._northEast.lat},contains:function(t){t="number"==typeof t[0]||t instanceof o.LatLng?o.latLng(t):o.latLngBounds(t);var e,i,n=this._southWest,s=this._northEast;return t instanceof o.LatLngBounds?(e=t.getSouthWest(),i=t.getNorthEast()):e=i=t,e.lat>=n.lat&&i.lat<=s.lat&&e.lng>=n.lng&&i.lng<=s.lng},intersects:function(t){t=o.latLngBounds(t);var e=this._southWest,i=this._northEast,n=t.getSouthWest(),s=t.getNorthEast(),a=s.lat>=e.lat&&n.lat<=i.lat,r=s.lng>=e.lng&&n.lng<=i.lng;return a&&r},toBBoxString:function(){return[this.getWest(),this.getSouth(),this.getEast(),this.getNorth()].join(",")},equals:function(t){return t?(t=o.latLngBounds(t),this._southWest.equals(t.getSouthWest())&&this._northEast.equals(t.getNorthEast())):!1},isValid:function(){return!(!this._southWest||!this._northEast)}},o.latLngBounds=function(t,e){return!t||t instanceof o.LatLngBounds?t:new o.LatLngBounds(t,e)},o.Projection={},o.Projection.SphericalMercator={MAX_LATITUDE:85.0511287798,project:function(t){var e=o.LatLng.DEG_TO_RAD,i=this.MAX_LATITUDE,n=Math.max(Math.min(i,t.lat),-i),s=t.lng*e,a=n*e;return a=Math.log(Math.tan(Math.PI/4+a/2)),new o.Point(s,a)},unproject:function(t){var e=o.LatLng.RAD_TO_DEG,i=t.x*e,n=(2*Math.atan(Math.exp(t.y))-Math.PI/2)*e;return new o.LatLng(n,i)}},o.Projection.LonLat={project:function(t){return new o.Point(t.lng,t.lat)},unproject:function(t){return new o.LatLng(t.y,t.x)}},o.CRS={latLngToPoint:function(t,e){var i=this.projection.project(t),n=this.scale(e);return this.transformation._transform(i,n)},pointToLatLng:function(t,e){var i=this.scale(e),n=this.transformation.untransform(t,i);return this.projection.unproject(n)},project:function(t){return this.projection.project(t)},scale:function(t){return 256*Math.pow(2,t)},getSize:function(t){var e=this.scale(t);return o.point(e,e)}},o.CRS.Simple=o.extend({},o.CRS,{projection:o.Projection.LonLat,transformation:new o.Transformation(1,0,-1,0),scale:function(t){return Math.pow(2,t)}}),o.CRS.EPSG3857=o.extend({},o.CRS,{code:"EPSG:3857",projection:o.Projection.SphericalMercator,transformation:new o.Transformation(.5/Math.PI,.5,-.5/Math.PI,.5),project:function(t){var e=this.projection.project(t),i=6378137;return e.multiplyBy(i)}}),o.CRS.EPSG900913=o.extend({},o.CRS.EPSG3857,{code:"EPSG:900913"}),o.CRS.EPSG4326=o.extend({},o.CRS,{code:"EPSG:4326",projection:o.Projection.LonLat,transformation:new o.Transformation(1/360,.5,-1/360,.5)}),o.Map=o.Class.extend({includes:o.Mixin.Events,options:{crs:o.CRS.EPSG3857,fadeAnimation:o.DomUtil.TRANSITION&&!o.Browser.android23,trackResize:!0,markerZoomAnimation:o.DomUtil.TRANSITION&&o.Browser.any3d},initialize:function(t,e){e=o.setOptions(this,e),this._initContainer(t),this._initLayout(),this._onResize=o.bind(this._onResize,this),this._initEvents(),e.maxBounds&&this.setMaxBounds(e.maxBounds),e.center&&e.zoom!==i&&this.setView(o.latLng(e.center),e.zoom,{reset:!0}),this._handlers=[],this._layers={},this._zoomBoundLayers={},this._tileLayersNum=0,this.callInitHooks(),this._addLayers(e.layers)},setView:function(t,e){return e=e===i?this.getZoom():e,this._resetView(o.latLng(t),this._limitZoom(e)),this},setZoom:function(t,e){return this._loaded?this.setView(this.getCenter(),t,{zoom:e}):(this._zoom=this._limitZoom(t),this)},zoomIn:function(t,e){return this.setZoom(this._zoom+(t||1),e)},zoomOut:function(t,e){return this.setZoom(this._zoom-(t||1),e)},setZoomAround:function(t,e,i){var n=this.getZoomScale(e),s=this.getSize().divideBy(2),a=t instanceof o.Point?t:this.latLngToContainerPoint(t),r=a.subtract(s).multiplyBy(1-1/n),h=this.containerPointToLatLng(s.add(r));return this.setView(h,e,{zoom:i})},fitBounds:function(t,e){e=e||{},t=t.getBounds?t.getBounds():o.latLngBounds(t);var i=o.point(e.paddingTopLeft||e.padding||[0,0]),n=o.point(e.paddingBottomRight||e.padding||[0,0]),s=this.getBoundsZoom(t,!1,i.add(n));s=e.maxZoom?Math.min(e.maxZoom,s):s;var a=n.subtract(i).divideBy(2),r=this.project(t.getSouthWest(),s),h=this.project(t.getNorthEast(),s),l=this.unproject(r.add(h).divideBy(2).add(a),s);return this.setView(l,s,e)},fitWorld:function(t){return this.fitBounds([[-90,-180],[90,180]],t)},panTo:function(t,e){return this.setView(t,this._zoom,{pan:e})},panBy:function(t){return this.fire("movestart"),this._rawPanBy(o.point(t)),this.fire("move"),this.fire("moveend")},setMaxBounds:function(t){return t=o.latLngBounds(t),this.options.maxBounds=t,t?(this._loaded&&this._panInsideMaxBounds(),this.on("moveend",this._panInsideMaxBounds,this)):this.off("moveend",this._panInsideMaxBounds,this)},panInsideBounds:function(t,e){var i=this.getCenter(),n=this._limitCenter(i,this._zoom,t);return i.equals(n)?this:this.panTo(n,e)},addLayer:function(t){var e=o.stamp(t);return this._layers[e]?this:(this._layers[e]=t,!t.options||isNaN(t.options.maxZoom)&&isNaN(t.options.minZoom)||(this._zoomBoundLayers[e]=t,this._updateZoomLevels()),this.options.zoomAnimation&&o.TileLayer&&t instanceof o.TileLayer&&(this._tileLayersNum++,this._tileLayersToLoad++,t.on("load",this._onTileLayerLoad,this)),this._loaded&&this._layerAdd(t),this)},removeLayer:function(t){var e=o.stamp(t);return this._layers[e]?(this._loaded&&t.onRemove(this),delete this._layers[e],this._loaded&&this.fire("layerremove",{layer:t}),this._zoomBoundLayers[e]&&(delete this._zoomBoundLayers[e],this._updateZoomLevels()),this.options.zoomAnimation&&o.TileLayer&&t instanceof o.TileLayer&&(this._tileLayersNum--,this._tileLayersToLoad--,t.off("load",this._onTileLayerLoad,this)),this):this},hasLayer:function(t){return t?o.stamp(t)in this._layers:!1},eachLayer:function(t,e){for(var i in this._layers)t.call(e,this._layers[i]);return this},invalidateSize:function(t){if(!this._loaded)return this;t=o.extend({animate:!1,pan:!0},t===!0?{animate:!0}:t);var e=this.getSize();this._sizeChanged=!0,this._initialCenter=null;var i=this.getSize(),n=e.divideBy(2).round(),s=i.divideBy(2).round(),a=n.subtract(s);return a.x||a.y?(t.animate&&t.pan?this.panBy(a):(t.pan&&this._rawPanBy(a),this.fire("move"),t.debounceMoveend?(clearTimeout(this._sizeTimer),this._sizeTimer=setTimeout(o.bind(this.fire,this,"moveend"),200)):this.fire("moveend")),this.fire("resize",{oldSize:e,newSize:i})):this},addHandler:function(t,e){if(!e)return this;var i=this[t]=new e(this);return this._handlers.push(i),this.options[t]&&i.enable(),this},remove:function(){this._loaded&&this.fire("unload"),this._initEvents("off");try{delete this._container._leaflet}catch(t){this._container._leaflet=i}return this._clearPanes(),this._clearControlPos&&this._clearControlPos(),this._clearHandlers(),this},getCenter:function(){return this._checkIfLoaded(),this._initialCenter&&!this._moved()?this._initialCenter:this.layerPointToLatLng(this._getCenterLayerPoint())},getZoom:function(){return this._zoom},getBounds:function(){var t=this.getPixelBounds(),e=this.unproject(t.getBottomLeft()),i=this.unproject(t.getTopRight());return new o.LatLngBounds(e,i)},getMinZoom:function(){return this.options.minZoom===i?this._layersMinZoom===i?0:this._layersMinZoom:this.options.minZoom},getMaxZoom:function(){return this.options.maxZoom===i?this._layersMaxZoom===i?1/0:this._layersMaxZoom:this.options.maxZoom},getBoundsZoom:function(t,e,i){t=o.latLngBounds(t);var n,s=this.getMinZoom()-(e?1:0),a=this.getMaxZoom(),r=this.getSize(),h=t.getNorthWest(),l=t.getSouthEast(),u=!0;i=o.point(i||[0,0]);do s++,n=this.project(l,s).subtract(this.project(h,s)).add(i),u=e?n.x<r.x||n.y<r.y:r.contains(n);while(u&&a>=s);return u&&e?null:e?s:s-1},getSize:function(){return(!this._size||this._sizeChanged)&&(this._size=new o.Point(this._container.clientWidth,this._container.clientHeight),this._sizeChanged=!1),this._size.clone()},getPixelBounds:function(){var t=this._getTopLeftPoint();return new o.Bounds(t,t.add(this.getSize()))},getPixelOrigin:function(){return this._checkIfLoaded(),this._initialTopLeftPoint},getPanes:function(){return this._panes},getContainer:function(){return this._container},getZoomScale:function(t){var e=this.options.crs;return e.scale(t)/e.scale(this._zoom)},getScaleZoom:function(t){return this._zoom+Math.log(t)/Math.LN2},project:function(t,e){return e=e===i?this._zoom:e,this.options.crs.latLngToPoint(o.latLng(t),e)},unproject:function(t,e){return e=e===i?this._zoom:e,this.options.crs.pointToLatLng(o.point(t),e)},layerPointToLatLng:function(t){var e=o.point(t).add(this.getPixelOrigin());return this.unproject(e)},latLngToLayerPoint:function(t){var e=this.project(o.latLng(t))._round();return e._subtract(this.getPixelOrigin())},containerPointToLayerPoint:function(t){return o.point(t).subtract(this._getMapPanePos())},layerPointToContainerPoint:function(t){return o.point(t).add(this._getMapPanePos())},containerPointToLatLng:function(t){var e=this.containerPointToLayerPoint(o.point(t));return this.layerPointToLatLng(e)},latLngToContainerPoint:function(t){return this.layerPointToContainerPoint(this.latLngToLayerPoint(o.latLng(t)))},mouseEventToContainerPoint:function(t){return o.DomEvent.getMousePosition(t,this._container)},mouseEventToLayerPoint:function(t){return this.containerPointToLayerPoint(this.mouseEventToContainerPoint(t))},mouseEventToLatLng:function(t){return this.layerPointToLatLng(this.mouseEventToLayerPoint(t))},_initContainer:function(t){var e=this._container=o.DomUtil.get(t);if(!e)throw new Error("Map container not found.");if(e._leaflet)throw new Error("Map container is already initialized.");e._leaflet=!0},_initLayout:function(){var t=this._container;o.DomUtil.addClass(t,"leaflet-container"+(o.Browser.touch?" leaflet-touch":"")+(o.Browser.retina?" leaflet-retina":"")+(o.Browser.ielt9?" leaflet-oldie":"")+(this.options.fadeAnimation?" leaflet-fade-anim":""));var e=o.DomUtil.getStyle(t,"position");"absolute"!==e&&"relative"!==e&&"fixed"!==e&&(t.style.position="relative"),this._initPanes(),this._initControlPos&&this._initControlPos()},_initPanes:function(){var t=this._panes={};this._mapPane=t.mapPane=this._createPane("leaflet-map-pane",this._container),this._tilePane=t.tilePane=this._createPane("leaflet-tile-pane",this._mapPane),t.objectsPane=this._createPane("leaflet-objects-pane",this._mapPane),t.shadowPane=this._createPane("leaflet-shadow-pane"),t.overlayPane=this._createPane("leaflet-overlay-pane"),t.markerPane=this._createPane("leaflet-marker-pane"),t.popupPane=this._createPane("leaflet-popup-pane");var e=" leaflet-zoom-hide";this.options.markerZoomAnimation||(o.DomUtil.addClass(t.markerPane,e),o.DomUtil.addClass(t.shadowPane,e),o.DomUtil.addClass(t.popupPane,e))},_createPane:function(t,e){return o.DomUtil.create("div",t,e||this._panes.objectsPane)},_clearPanes:function(){this._container.removeChild(this._mapPane)},_addLayers:function(t){t=t?o.Util.isArray(t)?t:[t]:[];for(var e=0,i=t.length;i>e;e++)this.addLayer(t[e])},_resetView:function(t,e,i,n){var s=this._zoom!==e;n||(this.fire("movestart"),s&&this.fire("zoomstart")),this._zoom=e,this._initialCenter=t,this._initialTopLeftPoint=this._getNewTopLeftPoint(t),i?this._initialTopLeftPoint._add(this._getMapPanePos()):o.DomUtil.setPosition(this._mapPane,new o.Point(0,0)),this._tileLayersToLoad=this._tileLayersNum;var a=!this._loaded;this._loaded=!0,this.fire("viewreset",{hard:!i}),a&&(this.fire("load"),this.eachLayer(this._layerAdd,this)),this.fire("move"),(s||n)&&this.fire("zoomend"),this.fire("moveend",{hard:!i})},_rawPanBy:function(t){o.DomUtil.setPosition(this._mapPane,this._getMapPanePos().subtract(t))},_getZoomSpan:function(){return this.getMaxZoom()-this.getMinZoom()},_updateZoomLevels:function(){var t,e=1/0,n=-(1/0),o=this._getZoomSpan();for(t in this._zoomBoundLayers){var s=this._zoomBoundLayers[t];isNaN(s.options.minZoom)||(e=Math.min(e,s.options.minZoom)),isNaN(s.options.maxZoom)||(n=Math.max(n,s.options.maxZoom))}t===i?this._layersMaxZoom=this._layersMinZoom=i:(this._layersMaxZoom=n,this._layersMinZoom=e),o!==this._getZoomSpan()&&this.fire("zoomlevelschange")},_panInsideMaxBounds:function(){this.panInsideBounds(this.options.maxBounds)},_checkIfLoaded:function(){if(!this._loaded)throw new Error("Set map center and zoom first.")},_initEvents:function(e){if(o.DomEvent){e=e||"on",o.DomEvent[e](this._container,"click",this._onMouseClick,this);var i,n,s=["dblclick","mousedown","mouseup","mouseenter","mouseleave","mousemove","contextmenu"];for(i=0,n=s.length;n>i;i++)o.DomEvent[e](this._container,s[i],this._fireMouseEvent,this);this.options.trackResize&&o.DomEvent[e](t,"resize",this._onResize,this)}},_onResize:function(){o.Util.cancelAnimFrame(this._resizeRequest),this._resizeRequest=o.Util.requestAnimFrame(function(){this.invalidateSize({debounceMoveend:!0})},this,!1,this._container)},_onMouseClick:function(t){!this._loaded||!t._simulated&&(this.dragging&&this.dragging.moved()||this.boxZoom&&this.boxZoom.moved())||o.DomEvent._skipped(t)||(this.fire("preclick"),this._fireMouseEvent(t))},_fireMouseEvent:function(t){if(this._loaded&&!o.DomEvent._skipped(t)){var e=t.type;if(e="mouseenter"===e?"mouseover":"mouseleave"===e?"mouseout":e,this.hasEventListeners(e)){"contextmenu"===e&&o.DomEvent.preventDefault(t);var i=this.mouseEventToContainerPoint(t),n=this.containerPointToLayerPoint(i),s=this.layerPointToLatLng(n);this.fire(e,{latlng:s,layerPoint:n,containerPoint:i,originalEvent:t})}}},_onTileLayerLoad:function(){this._tileLayersToLoad--,this._tileLayersNum&&!this._tileLayersToLoad&&this.fire("tilelayersload")},_clearHandlers:function(){for(var t=0,e=this._handlers.length;e>t;t++)this._handlers[t].disable()},whenReady:function(t,e){return this._loaded?t.call(e||this,this):this.on("load",t,e),this},_layerAdd:function(t){t.onAdd(this),this.fire("layeradd",{layer:t})},_getMapPanePos:function(){return o.DomUtil.getPosition(this._mapPane)},_moved:function(){var t=this._getMapPanePos();return t&&!t.equals([0,0])},_getTopLeftPoint:function(){return this.getPixelOrigin().subtract(this._getMapPanePos())},_getNewTopLeftPoint:function(t,e){var i=this.getSize()._divideBy(2);return this.project(t,e)._subtract(i)._round()},_latLngToNewLayerPoint:function(t,e,i){var n=this._getNewTopLeftPoint(i,e).add(this._getMapPanePos());return this.project(t,e)._subtract(n)},_getCenterLayerPoint:function(){return this.containerPointToLayerPoint(this.getSize()._divideBy(2))},_getCenterOffset:function(t){return this.latLngToLayerPoint(t).subtract(this._getCenterLayerPoint())},_limitCenter:function(t,e,i){if(!i)return t;var n=this.project(t,e),s=this.getSize().divideBy(2),a=new o.Bounds(n.subtract(s),n.add(s)),r=this._getBoundsOffset(a,i,e);return this.unproject(n.add(r),e)},_limitOffset:function(t,e){if(!e)return t;var i=this.getPixelBounds(),n=new o.Bounds(i.min.add(t),i.max.add(t));return t.add(this._getBoundsOffset(n,e))},_getBoundsOffset:function(t,e,i){var n=this.project(e.getNorthWest(),i).subtract(t.min),s=this.project(e.getSouthEast(),i).subtract(t.max),a=this._rebound(n.x,-s.x),r=this._rebound(n.y,-s.y);return new o.Point(a,r)},_rebound:function(t,e){return t+e>0?Math.round(t-e)/2:Math.max(0,Math.ceil(t))-Math.max(0,Math.floor(e))},_limitZoom:function(t){var e=this.getMinZoom(),i=this.getMaxZoom();return Math.max(e,Math.min(i,t))}}),o.map=function(t,e){return new o.Map(t,e)},o.Projection.Mercator={MAX_LATITUDE:85.0840591556,R_MINOR:6356752.314245179,R_MAJOR:6378137,project:function(t){var e=o.LatLng.DEG_TO_RAD,i=this.MAX_LATITUDE,n=Math.max(Math.min(i,t.lat),-i),s=this.R_MAJOR,a=this.R_MINOR,r=t.lng*e*s,h=n*e,l=a/s,u=Math.sqrt(1-l*l),c=u*Math.sin(h);c=Math.pow((1-c)/(1+c),.5*u);var d=Math.tan(.5*(.5*Math.PI-h))/c;return h=-s*Math.log(d),new o.Point(r,h)},unproject:function(t){for(var e,i=o.LatLng.RAD_TO_DEG,n=this.R_MAJOR,s=this.R_MINOR,a=t.x*i/n,r=s/n,h=Math.sqrt(1-r*r),l=Math.exp(-t.y/n),u=Math.PI/2-2*Math.atan(l),c=15,d=1e-7,p=c,_=.1;Math.abs(_)>d&&--p>0;)e=h*Math.sin(u),_=Math.PI/2-2*Math.atan(l*Math.pow((1-e)/(1+e),.5*h))-u,u+=_;return new o.LatLng(u*i,a)}},o.CRS.EPSG3395=o.extend({},o.CRS,{code:"EPSG:3395",
+projection:o.Projection.Mercator,transformation:function(){var t=o.Projection.Mercator,e=t.R_MAJOR,i=.5/(Math.PI*e);return new o.Transformation(i,.5,-i,.5)}()}),o.TileLayer=o.Class.extend({includes:o.Mixin.Events,options:{minZoom:0,maxZoom:18,tileSize:256,subdomains:"abc",errorTileUrl:"",attribution:"",zoomOffset:0,opacity:1,unloadInvisibleTiles:o.Browser.mobile,updateWhenIdle:o.Browser.mobile},initialize:function(t,e){e=o.setOptions(this,e),e.detectRetina&&o.Browser.retina&&e.maxZoom>0&&(e.tileSize=Math.floor(e.tileSize/2),e.zoomOffset++,e.minZoom>0&&e.minZoom--,this.options.maxZoom--),e.bounds&&(e.bounds=o.latLngBounds(e.bounds)),this._url=t;var i=this.options.subdomains;"string"==typeof i&&(this.options.subdomains=i.split(""))},onAdd:function(t){this._map=t,this._animated=t._zoomAnimated,this._initContainer(),t.on({viewreset:this._reset,moveend:this._update},this),this._animated&&t.on({zoomanim:this._animateZoom,zoomend:this._endZoomAnim},this),this.options.updateWhenIdle||(this._limitedUpdate=o.Util.limitExecByInterval(this._update,150,this),t.on("move",this._limitedUpdate,this)),this._reset(),this._update()},addTo:function(t){return t.addLayer(this),this},onRemove:function(t){this._container.parentNode.removeChild(this._container),t.off({viewreset:this._reset,moveend:this._update},this),this._animated&&t.off({zoomanim:this._animateZoom,zoomend:this._endZoomAnim},this),this.options.updateWhenIdle||t.off("move",this._limitedUpdate,this),this._container=null,this._map=null},bringToFront:function(){var t=this._map._panes.tilePane;return this._container&&(t.appendChild(this._container),this._setAutoZIndex(t,Math.max)),this},bringToBack:function(){var t=this._map._panes.tilePane;return this._container&&(t.insertBefore(this._container,t.firstChild),this._setAutoZIndex(t,Math.min)),this},getAttribution:function(){return this.options.attribution},getContainer:function(){return this._container},setOpacity:function(t){return this.options.opacity=t,this._map&&this._updateOpacity(),this},setZIndex:function(t){return this.options.zIndex=t,this._updateZIndex(),this},setUrl:function(t,e){return this._url=t,e||this.redraw(),this},redraw:function(){return this._map&&(this._reset({hard:!0}),this._update()),this},_updateZIndex:function(){this._container&&this.options.zIndex!==i&&(this._container.style.zIndex=this.options.zIndex)},_setAutoZIndex:function(t,e){var i,n,o,s=t.children,a=-e(1/0,-(1/0));for(n=0,o=s.length;o>n;n++)s[n]!==this._container&&(i=parseInt(s[n].style.zIndex,10),isNaN(i)||(a=e(a,i)));this.options.zIndex=this._container.style.zIndex=(isFinite(a)?a:0)+e(1,-1)},_updateOpacity:function(){var t,e=this._tiles;if(o.Browser.ielt9)for(t in e)o.DomUtil.setOpacity(e[t],this.options.opacity);else o.DomUtil.setOpacity(this._container,this.options.opacity)},_initContainer:function(){var t=this._map._panes.tilePane;if(!this._container){if(this._container=o.DomUtil.create("div","leaflet-layer"),this._updateZIndex(),this._animated){var e="leaflet-tile-container";this._bgBuffer=o.DomUtil.create("div",e,this._container),this._tileContainer=o.DomUtil.create("div",e,this._container)}else this._tileContainer=this._container;t.appendChild(this._container),this.options.opacity<1&&this._updateOpacity()}},_reset:function(t){for(var e in this._tiles)this.fire("tileunload",{tile:this._tiles[e]});this._tiles={},this._tilesToLoad=0,this.options.reuseTiles&&(this._unusedTiles=[]),this._tileContainer.innerHTML="",this._animated&&t&&t.hard&&this._clearBgBuffer(),this._initContainer()},_getTileSize:function(){var t=this._map,e=t.getZoom()+this.options.zoomOffset,i=this.options.maxNativeZoom,n=this.options.tileSize;return i&&e>i&&(n=Math.round(t.getZoomScale(e)/t.getZoomScale(i)*n)),n},_update:function(){if(this._map){var t=this._map,e=t.getPixelBounds(),i=t.getZoom(),n=this._getTileSize();if(!(i>this.options.maxZoom||i<this.options.minZoom)){var s=o.bounds(e.min.divideBy(n)._floor(),e.max.divideBy(n)._floor());this._addTilesFromCenterOut(s),(this.options.unloadInvisibleTiles||this.options.reuseTiles)&&this._removeOtherTiles(s)}}},_addTilesFromCenterOut:function(t){var i,n,s,a=[],r=t.getCenter();for(i=t.min.y;i<=t.max.y;i++)for(n=t.min.x;n<=t.max.x;n++)s=new o.Point(n,i),this._tileShouldBeLoaded(s)&&a.push(s);var h=a.length;if(0!==h){a.sort(function(t,e){return t.distanceTo(r)-e.distanceTo(r)});var l=e.createDocumentFragment();for(this._tilesToLoad||this.fire("loading"),this._tilesToLoad+=h,n=0;h>n;n++)this._addTile(a[n],l);this._tileContainer.appendChild(l)}},_tileShouldBeLoaded:function(t){if(t.x+":"+t.y in this._tiles)return!1;var e=this.options;if(!e.continuousWorld){var i=this._getWrapTileNum();if(e.noWrap&&(t.x<0||t.x>=i.x)||t.y<0||t.y>=i.y)return!1}if(e.bounds){var n=this._getTileSize(),o=t.multiplyBy(n),s=o.add([n,n]),a=this._map.unproject(o),r=this._map.unproject(s);if(e.continuousWorld||e.noWrap||(a=a.wrap(),r=r.wrap()),!e.bounds.intersects([a,r]))return!1}return!0},_removeOtherTiles:function(t){var e,i,n,o;for(o in this._tiles)e=o.split(":"),i=parseInt(e[0],10),n=parseInt(e[1],10),(i<t.min.x||i>t.max.x||n<t.min.y||n>t.max.y)&&this._removeTile(o)},_removeTile:function(t){var e=this._tiles[t];this.fire("tileunload",{tile:e,url:e.src}),this.options.reuseTiles?(o.DomUtil.removeClass(e,"leaflet-tile-loaded"),this._unusedTiles.push(e)):e.parentNode===this._tileContainer&&this._tileContainer.removeChild(e),o.Browser.android||(e.onload=null,e.src=o.Util.emptyImageUrl),delete this._tiles[t]},_addTile:function(t,e){var i=this._getTilePos(t),n=this._getTile();o.DomUtil.setPosition(n,i,o.Browser.chrome),this._tiles[t.x+":"+t.y]=n,this._loadTile(n,t),n.parentNode!==this._tileContainer&&e.appendChild(n)},_getZoomForUrl:function(){var t=this.options,e=this._map.getZoom();return t.zoomReverse&&(e=t.maxZoom-e),e+=t.zoomOffset,t.maxNativeZoom?Math.min(e,t.maxNativeZoom):e},_getTilePos:function(t){var e=this._map.getPixelOrigin(),i=this._getTileSize();return t.multiplyBy(i).subtract(e)},getTileUrl:function(t){return o.Util.template(this._url,o.extend({s:this._getSubdomain(t),z:t.z,x:t.x,y:t.y},this.options))},_getWrapTileNum:function(){var t=this._map.options.crs,e=t.getSize(this._map.getZoom());return e.divideBy(this._getTileSize())._floor()},_adjustTilePoint:function(t){var e=this._getWrapTileNum();this.options.continuousWorld||this.options.noWrap||(t.x=(t.x%e.x+e.x)%e.x),this.options.tms&&(t.y=e.y-t.y-1),t.z=this._getZoomForUrl()},_getSubdomain:function(t){var e=Math.abs(t.x+t.y)%this.options.subdomains.length;return this.options.subdomains[e]},_getTile:function(){if(this.options.reuseTiles&&this._unusedTiles.length>0){var t=this._unusedTiles.pop();return this._resetTile(t),t}return this._createTile()},_resetTile:function(){},_createTile:function(){var t=o.DomUtil.create("img","leaflet-tile");return t.style.width=t.style.height=this._getTileSize()+"px",t.galleryimg="no",t.onselectstart=t.onmousemove=o.Util.falseFn,o.Browser.ielt9&&this.options.opacity!==i&&o.DomUtil.setOpacity(t,this.options.opacity),o.Browser.mobileWebkit3d&&(t.style.WebkitBackfaceVisibility="hidden"),t},_loadTile:function(t,e){t._layer=this,t.onload=this._tileOnLoad,t.onerror=this._tileOnError,this._adjustTilePoint(e),t.src=this.getTileUrl(e),this.fire("tileloadstart",{tile:t,url:t.src})},_tileLoaded:function(){this._tilesToLoad--,this._animated&&o.DomUtil.addClass(this._tileContainer,"leaflet-zoom-animated"),this._tilesToLoad||(this.fire("load"),this._animated&&(clearTimeout(this._clearBgBufferTimer),this._clearBgBufferTimer=setTimeout(o.bind(this._clearBgBuffer,this),500)))},_tileOnLoad:function(){var t=this._layer;this.src!==o.Util.emptyImageUrl&&(o.DomUtil.addClass(this,"leaflet-tile-loaded"),t.fire("tileload",{tile:this,url:this.src})),t._tileLoaded()},_tileOnError:function(){var t=this._layer;t.fire("tileerror",{tile:this,url:this.src});var e=t.options.errorTileUrl;e&&(this.src=e),t._tileLoaded()}}),o.tileLayer=function(t,e){return new o.TileLayer(t,e)},o.TileLayer.WMS=o.TileLayer.extend({defaultWmsParams:{service:"WMS",request:"GetMap",version:"1.1.1",layers:"",styles:"",format:"image/jpeg",transparent:!1},initialize:function(t,e){this._url=t;var i=o.extend({},this.defaultWmsParams),n=e.tileSize||this.options.tileSize;e.detectRetina&&o.Browser.retina?i.width=i.height=2*n:i.width=i.height=n;for(var s in e)this.options.hasOwnProperty(s)||"crs"===s||(i[s]=e[s]);this.wmsParams=i,o.setOptions(this,e)},onAdd:function(t){this._crs=this.options.crs||t.options.crs,this._wmsVersion=parseFloat(this.wmsParams.version);var e=this._wmsVersion>=1.3?"crs":"srs";this.wmsParams[e]=this._crs.code,o.TileLayer.prototype.onAdd.call(this,t)},getTileUrl:function(t){var e=this._map,i=this.options.tileSize,n=t.multiplyBy(i),s=n.add([i,i]),a=this._crs.project(e.unproject(n,t.z)),r=this._crs.project(e.unproject(s,t.z)),h=this._wmsVersion>=1.3&&this._crs===o.CRS.EPSG4326?[r.y,a.x,a.y,r.x].join(","):[a.x,r.y,r.x,a.y].join(","),l=o.Util.template(this._url,{s:this._getSubdomain(t)});return l+o.Util.getParamString(this.wmsParams,l,!0)+"&BBOX="+h},setParams:function(t,e){return o.extend(this.wmsParams,t),e||this.redraw(),this}}),o.tileLayer.wms=function(t,e){return new o.TileLayer.WMS(t,e)},o.TileLayer.Canvas=o.TileLayer.extend({options:{async:!1},initialize:function(t){o.setOptions(this,t)},redraw:function(){this._map&&(this._reset({hard:!0}),this._update());for(var t in this._tiles)this._redrawTile(this._tiles[t]);return this},_redrawTile:function(t){this.drawTile(t,t._tilePoint,this._map._zoom)},_createTile:function(){var t=o.DomUtil.create("canvas","leaflet-tile");return t.width=t.height=this.options.tileSize,t.onselectstart=t.onmousemove=o.Util.falseFn,t},_loadTile:function(t,e){t._layer=this,t._tilePoint=e,this._redrawTile(t),this.options.async||this.tileDrawn(t)},drawTile:function(){},tileDrawn:function(t){this._tileOnLoad.call(t)}}),o.tileLayer.canvas=function(t){return new o.TileLayer.Canvas(t)},o.ImageOverlay=o.Class.extend({includes:o.Mixin.Events,options:{opacity:1},initialize:function(t,e,i){this._url=t,this._bounds=o.latLngBounds(e),o.setOptions(this,i)},onAdd:function(t){this._map=t,this._image||this._initImage(),t._panes.overlayPane.appendChild(this._image),t.on("viewreset",this._reset,this),t.options.zoomAnimation&&o.Browser.any3d&&t.on("zoomanim",this._animateZoom,this),this._reset()},onRemove:function(t){t.getPanes().overlayPane.removeChild(this._image),t.off("viewreset",this._reset,this),t.options.zoomAnimation&&t.off("zoomanim",this._animateZoom,this)},addTo:function(t){return t.addLayer(this),this},setOpacity:function(t){return this.options.opacity=t,this._updateOpacity(),this},bringToFront:function(){return this._image&&this._map._panes.overlayPane.appendChild(this._image),this},bringToBack:function(){var t=this._map._panes.overlayPane;return this._image&&t.insertBefore(this._image,t.firstChild),this},setUrl:function(t){this._url=t,this._image.src=this._url},getAttribution:function(){return this.options.attribution},_initImage:function(){this._image=o.DomUtil.create("img","leaflet-image-layer"),this._map.options.zoomAnimation&&o.Browser.any3d?o.DomUtil.addClass(this._image,"leaflet-zoom-animated"):o.DomUtil.addClass(this._image,"leaflet-zoom-hide"),this._updateOpacity(),o.extend(this._image,{galleryimg:"no",onselectstart:o.Util.falseFn,onmousemove:o.Util.falseFn,onload:o.bind(this._onImageLoad,this),src:this._url})},_animateZoom:function(t){var e=this._map,i=this._image,n=e.getZoomScale(t.zoom),s=this._bounds.getNorthWest(),a=this._bounds.getSouthEast(),r=e._latLngToNewLayerPoint(s,t.zoom,t.center),h=e._latLngToNewLayerPoint(a,t.zoom,t.center)._subtract(r),l=r._add(h._multiplyBy(.5*(1-1/n)));i.style[o.DomUtil.TRANSFORM]=o.DomUtil.getTranslateString(l)+" scale("+n+") "},_reset:function(){var t=this._image,e=this._map.latLngToLayerPoint(this._bounds.getNorthWest()),i=this._map.latLngToLayerPoint(this._bounds.getSouthEast())._subtract(e);o.DomUtil.setPosition(t,e),t.style.width=i.x+"px",t.style.height=i.y+"px"},_onImageLoad:function(){this.fire("load")},_updateOpacity:function(){o.DomUtil.setOpacity(this._image,this.options.opacity)}}),o.imageOverlay=function(t,e,i){return new o.ImageOverlay(t,e,i)},o.Icon=o.Class.extend({options:{className:""},initialize:function(t){o.setOptions(this,t)},createIcon:function(t){return this._createIcon("icon",t)},createShadow:function(t){return this._createIcon("shadow",t)},_createIcon:function(t,e){var i=this._getIconUrl(t);if(!i){if("icon"===t)throw new Error("iconUrl not set in Icon options (see the docs).");return null}var n;return n=e&&"IMG"===e.tagName?this._createImg(i,e):this._createImg(i),this._setIconStyles(n,t),n},_setIconStyles:function(t,e){var i,n=this.options,s=o.point(n[e+"Size"]);i="shadow"===e?o.point(n.shadowAnchor||n.iconAnchor):o.point(n.iconAnchor),!i&&s&&(i=s.divideBy(2,!0)),t.className="leaflet-marker-"+e+" "+n.className,i&&(t.style.marginLeft=-i.x+"px",t.style.marginTop=-i.y+"px"),s&&(t.style.width=s.x+"px",t.style.height=s.y+"px")},_createImg:function(t,i){return i=i||e.createElement("img"),i.src=t,i},_getIconUrl:function(t){return o.Browser.retina&&this.options[t+"RetinaUrl"]?this.options[t+"RetinaUrl"]:this.options[t+"Url"]}}),o.icon=function(t){return new o.Icon(t)},o.Icon.Default=o.Icon.extend({options:{iconSize:[25,41],iconAnchor:[12,41],popupAnchor:[1,-34],shadowSize:[41,41]},_getIconUrl:function(t){var e=t+"Url";if(this.options[e])return this.options[e];o.Browser.retina&&"icon"===t&&(t+="-2x");var i=o.Icon.Default.imagePath;if(!i)throw new Error("Couldn't autodetect L.Icon.Default.imagePath, set it manually.");return i+"/marker-"+t+".png"}}),o.Icon.Default.imagePath=function(){var t,i,n,o,s,a=e.getElementsByTagName("script"),r=/[\/^]leaflet[\-\._]?([\w\-\._]*)\.js\??/;for(t=0,i=a.length;i>t;t++)if(n=a[t].src,o=n.match(r))return s=n.split(r)[0],(s?s+"/":"")+"images"}(),o.Marker=o.Class.extend({includes:o.Mixin.Events,options:{icon:new o.Icon.Default,title:"",alt:"",clickable:!0,draggable:!1,keyboard:!0,zIndexOffset:0,opacity:1,riseOnHover:!1,riseOffset:250},initialize:function(t,e){o.setOptions(this,e),this._latlng=o.latLng(t)},onAdd:function(t){this._map=t,t.on("viewreset",this.update,this),this._initIcon(),this.update(),this.fire("add"),t.options.zoomAnimation&&t.options.markerZoomAnimation&&t.on("zoomanim",this._animateZoom,this)},addTo:function(t){return t.addLayer(this),this},onRemove:function(t){this.dragging&&this.dragging.disable(),this._removeIcon(),this._removeShadow(),this.fire("remove"),t.off({viewreset:this.update,zoomanim:this._animateZoom},this),this._map=null},getLatLng:function(){return this._latlng},setLatLng:function(t){return this._latlng=o.latLng(t),this.update(),this.fire("move",{latlng:this._latlng})},setZIndexOffset:function(t){return this.options.zIndexOffset=t,this.update(),this},setIcon:function(t){return this.options.icon=t,this._map&&(this._initIcon(),this.update()),this._popup&&this.bindPopup(this._popup),this},update:function(){return this._icon&&this._setPos(this._map.latLngToLayerPoint(this._latlng).round()),this},_initIcon:function(){var t=this.options,e=this._map,i=e.options.zoomAnimation&&e.options.markerZoomAnimation,n=i?"leaflet-zoom-animated":"leaflet-zoom-hide",s=t.icon.createIcon(this._icon),a=!1;s!==this._icon&&(this._icon&&this._removeIcon(),a=!0,t.title&&(s.title=t.title),t.alt&&(s.alt=t.alt)),o.DomUtil.addClass(s,n),t.keyboard&&(s.tabIndex="0"),this._icon=s,this._initInteraction(),t.riseOnHover&&o.DomEvent.on(s,"mouseover",this._bringToFront,this).on(s,"mouseout",this._resetZIndex,this);var r=t.icon.createShadow(this._shadow),h=!1;r!==this._shadow&&(this._removeShadow(),h=!0),r&&o.DomUtil.addClass(r,n),this._shadow=r,t.opacity<1&&this._updateOpacity();var l=this._map._panes;a&&l.markerPane.appendChild(this._icon),r&&h&&l.shadowPane.appendChild(this._shadow)},_removeIcon:function(){this.options.riseOnHover&&o.DomEvent.off(this._icon,"mouseover",this._bringToFront).off(this._icon,"mouseout",this._resetZIndex),this._map._panes.markerPane.removeChild(this._icon),this._icon=null},_removeShadow:function(){this._shadow&&this._map._panes.shadowPane.removeChild(this._shadow),this._shadow=null},_setPos:function(t){o.DomUtil.setPosition(this._icon,t),this._shadow&&o.DomUtil.setPosition(this._shadow,t),this._zIndex=t.y+this.options.zIndexOffset,this._resetZIndex()},_updateZIndex:function(t){this._icon.style.zIndex=this._zIndex+t},_animateZoom:function(t){var e=this._map._latLngToNewLayerPoint(this._latlng,t.zoom,t.center).round();this._setPos(e)},_initInteraction:function(){if(this.options.clickable){var t=this._icon,e=["dblclick","mousedown","mouseover","mouseout","contextmenu"];o.DomUtil.addClass(t,"leaflet-clickable"),o.DomEvent.on(t,"click",this._onMouseClick,this),o.DomEvent.on(t,"keypress",this._onKeyPress,this);for(var i=0;i<e.length;i++)o.DomEvent.on(t,e[i],this._fireMouseEvent,this);o.Handler.MarkerDrag&&(this.dragging=new o.Handler.MarkerDrag(this),this.options.draggable&&this.dragging.enable())}},_onMouseClick:function(t){var e=this.dragging&&this.dragging.moved();(this.hasEventListeners(t.type)||e)&&o.DomEvent.stopPropagation(t),e||(this.dragging&&this.dragging._enabled||!this._map.dragging||!this._map.dragging.moved())&&this.fire(t.type,{originalEvent:t,latlng:this._latlng})},_onKeyPress:function(t){13===t.keyCode&&this.fire("click",{originalEvent:t,latlng:this._latlng})},_fireMouseEvent:function(t){this.fire(t.type,{originalEvent:t,latlng:this._latlng}),"contextmenu"===t.type&&this.hasEventListeners(t.type)&&o.DomEvent.preventDefault(t),"mousedown"!==t.type?o.DomEvent.stopPropagation(t):o.DomEvent.preventDefault(t)},setOpacity:function(t){return this.options.opacity=t,this._map&&this._updateOpacity(),this},_updateOpacity:function(){o.DomUtil.setOpacity(this._icon,this.options.opacity),this._shadow&&o.DomUtil.setOpacity(this._shadow,this.options.opacity)},_bringToFront:function(){this._updateZIndex(this.options.riseOffset)},_resetZIndex:function(){this._updateZIndex(0)}}),o.marker=function(t,e){return new o.Marker(t,e)},o.DivIcon=o.Icon.extend({options:{iconSize:[12,12],className:"leaflet-div-icon",html:!1},createIcon:function(t){var i=t&&"DIV"===t.tagName?t:e.createElement("div"),n=this.options;return n.html!==!1?i.innerHTML=n.html:i.innerHTML="",n.bgPos&&(i.style.backgroundPosition=-n.bgPos.x+"px "+-n.bgPos.y+"px"),this._setIconStyles(i,"icon"),i},createShadow:function(){return null}}),o.divIcon=function(t){return new o.DivIcon(t)},o.Map.mergeOptions({closePopupOnClick:!0}),o.Popup=o.Class.extend({includes:o.Mixin.Events,options:{minWidth:50,maxWidth:300,autoPan:!0,closeButton:!0,offset:[0,7],autoPanPadding:[5,5],keepInView:!1,className:"",zoomAnimation:!0},initialize:function(t,e){o.setOptions(this,t),this._source=e,this._animated=o.Browser.any3d&&this.options.zoomAnimation,this._isOpen=!1},onAdd:function(t){this._map=t,this._container||this._initLayout();var e=t.options.fadeAnimation;e&&o.DomUtil.setOpacity(this._container,0),t._panes.popupPane.appendChild(this._container),t.on(this._getEvents(),this),this.update(),e&&o.DomUtil.setOpacity(this._container,1),this.fire("open"),t.fire("popupopen",{popup:this}),this._source&&this._source.fire("popupopen",{popup:this})},addTo:function(t){return t.addLayer(this),this},openOn:function(t){return t.openPopup(this),this},onRemove:function(t){t._panes.popupPane.removeChild(this._container),o.Util.falseFn(this._container.offsetWidth),t.off(this._getEvents(),this),t.options.fadeAnimation&&o.DomUtil.setOpacity(this._container,0),this._map=null,this.fire("close"),t.fire("popupclose",{popup:this}),this._source&&this._source.fire("popupclose",{popup:this})},getLatLng:function(){return this._latlng},setLatLng:function(t){return this._latlng=o.latLng(t),this._map&&(this._updatePosition(),this._adjustPan()),this},getContent:function(){return this._content},setContent:function(t){return this._content=t,this.update(),this},update:function(){this._map&&(this._container.style.visibility="hidden",this._updateContent(),this._updateLayout(),this._updatePosition(),this._container.style.visibility="",this._adjustPan())},_getEvents:function(){var t={viewreset:this._updatePosition};return this._animated&&(t.zoomanim=this._zoomAnimation),("closeOnClick"in this.options?this.options.closeOnClick:this._map.options.closePopupOnClick)&&(t.preclick=this._close),this.options.keepInView&&(t.moveend=this._adjustPan),t},_close:function(){this._map&&this._map.closePopup(this)},_initLayout:function(){var t,e="leaflet-popup",i=e+" "+this.options.className+" leaflet-zoom-"+(this._animated?"animated":"hide"),n=this._container=o.DomUtil.create("div",i);this.options.closeButton&&(t=this._closeButton=o.DomUtil.create("a",e+"-close-button",n),t.href="#close",t.innerHTML="&#215;",o.DomEvent.disableClickPropagation(t),o.DomEvent.on(t,"click",this._onCloseButtonClick,this));var s=this._wrapper=o.DomUtil.create("div",e+"-content-wrapper",n);o.DomEvent.disableClickPropagation(s),this._contentNode=o.DomUtil.create("div",e+"-content",s),o.DomEvent.disableScrollPropagation(this._contentNode),o.DomEvent.on(s,"contextmenu",o.DomEvent.stopPropagation),this._tipContainer=o.DomUtil.create("div",e+"-tip-container",n),this._tip=o.DomUtil.create("div",e+"-tip",this._tipContainer)},_updateContent:function(){if(this._content){if("string"==typeof this._content)this._contentNode.innerHTML=this._content;else{for(;this._contentNode.hasChildNodes();)this._contentNode.removeChild(this._contentNode.firstChild);this._contentNode.appendChild(this._content)}this.fire("contentupdate")}},_updateLayout:function(){var t=this._contentNode,e=t.style;e.width="",e.whiteSpace="nowrap";var i=t.offsetWidth;i=Math.min(i,this.options.maxWidth),i=Math.max(i,this.options.minWidth),e.width=i+1+"px",e.whiteSpace="",e.height="";var n=t.offsetHeight,s=this.options.maxHeight,a="leaflet-popup-scrolled";s&&n>s?(e.height=s+"px",o.DomUtil.addClass(t,a)):o.DomUtil.removeClass(t,a),this._containerWidth=this._container.offsetWidth},_updatePosition:function(){if(this._map){var t=this._map.latLngToLayerPoint(this._latlng),e=this._animated,i=o.point(this.options.offset);e&&o.DomUtil.setPosition(this._container,t),this._containerBottom=-i.y-(e?0:t.y),this._containerLeft=-Math.round(this._containerWidth/2)+i.x+(e?0:t.x),this._container.style.bottom=this._containerBottom+"px",this._container.style.left=this._containerLeft+"px"}},_zoomAnimation:function(t){var e=this._map._latLngToNewLayerPoint(this._latlng,t.zoom,t.center);o.DomUtil.setPosition(this._container,e)},_adjustPan:function(){if(this.options.autoPan){var t=this._map,e=this._container.offsetHeight,i=this._containerWidth,n=new o.Point(this._containerLeft,-e-this._containerBottom);this._animated&&n._add(o.DomUtil.getPosition(this._container));var s=t.layerPointToContainerPoint(n),a=o.point(this.options.autoPanPadding),r=o.point(this.options.autoPanPaddingTopLeft||a),h=o.point(this.options.autoPanPaddingBottomRight||a),l=t.getSize(),u=0,c=0;s.x+i+h.x>l.x&&(u=s.x+i-l.x+h.x),s.x-u-r.x<0&&(u=s.x-r.x),s.y+e+h.y>l.y&&(c=s.y+e-l.y+h.y),s.y-c-r.y<0&&(c=s.y-r.y),(u||c)&&t.fire("autopanstart").panBy([u,c])}},_onCloseButtonClick:function(t){this._close(),o.DomEvent.stop(t)}}),o.popup=function(t,e){return new o.Popup(t,e)},o.Map.include({openPopup:function(t,e,i){if(this.closePopup(),!(t instanceof o.Popup)){var n=t;t=new o.Popup(i).setLatLng(e).setContent(n)}return t._isOpen=!0,this._popup=t,this.addLayer(t)},closePopup:function(t){return t&&t!==this._popup||(t=this._popup,this._popup=null),t&&(this.removeLayer(t),t._isOpen=!1),this}}),o.Marker.include({openPopup:function(){return this._popup&&this._map&&!this._map.hasLayer(this._popup)&&(this._popup.setLatLng(this._latlng),this._map.openPopup(this._popup)),this},closePopup:function(){return this._popup&&this._popup._close(),this},togglePopup:function(){return this._popup&&(this._popup._isOpen?this.closePopup():this.openPopup()),this},bindPopup:function(t,e){var i=o.point(this.options.icon.options.popupAnchor||[0,0]);return i=i.add(o.Popup.prototype.options.offset),e&&e.offset&&(i=i.add(e.offset)),e=o.extend({offset:i},e),this._popupHandlersAdded||(this.on("click",this.togglePopup,this).on("remove",this.closePopup,this).on("move",this._movePopup,this),this._popupHandlersAdded=!0),t instanceof o.Popup?(o.setOptions(t,e),this._popup=t,t._source=this):this._popup=new o.Popup(e,this).setContent(t),this},setPopupContent:function(t){return this._popup&&this._popup.setContent(t),this},unbindPopup:function(){return this._popup&&(this._popup=null,this.off("click",this.togglePopup,this).off("remove",this.closePopup,this).off("move",this._movePopup,this),this._popupHandlersAdded=!1),this},getPopup:function(){return this._popup},_movePopup:function(t){this._popup.setLatLng(t.latlng)}}),o.LayerGroup=o.Class.extend({initialize:function(t){this._layers={};var e,i;if(t)for(e=0,i=t.length;i>e;e++)this.addLayer(t[e])},addLayer:function(t){var e=this.getLayerId(t);return this._layers[e]=t,this._map&&this._map.addLayer(t),this},removeLayer:function(t){var e=t in this._layers?t:this.getLayerId(t);return this._map&&this._layers[e]&&this._map.removeLayer(this._layers[e]),delete this._layers[e],this},hasLayer:function(t){return t?t in this._layers||this.getLayerId(t)in this._layers:!1},clearLayers:function(){return this.eachLayer(this.removeLayer,this),this},invoke:function(t){var e,i,n=Array.prototype.slice.call(arguments,1);for(e in this._layers)i=this._layers[e],i[t]&&i[t].apply(i,n);return this},onAdd:function(t){this._map=t,this.eachLayer(t.addLayer,t)},onRemove:function(t){this.eachLayer(t.removeLayer,t),this._map=null},addTo:function(t){return t.addLayer(this),this},eachLayer:function(t,e){for(var i in this._layers)t.call(e,this._layers[i]);return this},getLayer:function(t){return this._layers[t]},getLayers:function(){var t=[];for(var e in this._layers)t.push(this._layers[e]);return t},setZIndex:function(t){return this.invoke("setZIndex",t)},getLayerId:function(t){return o.stamp(t)}}),o.layerGroup=function(t){return new o.LayerGroup(t)},o.FeatureGroup=o.LayerGroup.extend({includes:o.Mixin.Events,statics:{EVENTS:"click dblclick mouseover mouseout mousemove contextmenu popupopen popupclose"},addLayer:function(t){return this.hasLayer(t)?this:("on"in t&&t.on(o.FeatureGroup.EVENTS,this._propagateEvent,this),o.LayerGroup.prototype.addLayer.call(this,t),this._popupContent&&t.bindPopup&&t.bindPopup(this._popupContent,this._popupOptions),this.fire("layeradd",{layer:t}))},removeLayer:function(t){return this.hasLayer(t)?(t in this._layers&&(t=this._layers[t]),t.off(o.FeatureGroup.EVENTS,this._propagateEvent,this),o.LayerGroup.prototype.removeLayer.call(this,t),this._popupContent&&this.invoke("unbindPopup"),this.fire("layerremove",{layer:t})):this},bindPopup:function(t,e){return this._popupContent=t,this._popupOptions=e,this.invoke("bindPopup",t,e)},openPopup:function(t){for(var e in this._layers){this._layers[e].openPopup(t);break}return this},setStyle:function(t){return this.invoke("setStyle",t)},bringToFront:function(){return this.invoke("bringToFront")},bringToBack:function(){return this.invoke("bringToBack")},getBounds:function(){var t=new o.LatLngBounds;return this.eachLayer(function(e){t.extend(e instanceof o.Marker?e.getLatLng():e.getBounds())}),t},_propagateEvent:function(t){t=o.extend({layer:t.target,target:this},t),this.fire(t.type,t)}}),o.featureGroup=function(t){return new o.FeatureGroup(t)},o.Path=o.Class.extend({includes:[o.Mixin.Events],statics:{CLIP_PADDING:function(){var e=o.Browser.mobile?1280:2e3,i=(e/Math.max(t.outerWidth,t.outerHeight)-1)/2;return Math.max(0,Math.min(.5,i))}()},options:{stroke:!0,color:"#0033ff",dashArray:null,lineCap:null,lineJoin:null,weight:5,opacity:.5,fill:!1,fillColor:null,fillOpacity:.2,clickable:!0},initialize:function(t){o.setOptions(this,t)},onAdd:function(t){this._map=t,this._container||(this._initElements(),this._initEvents()),this.projectLatlngs(),this._updatePath(),this._container&&this._map._pathRoot.appendChild(this._container),this.fire("add"),t.on({viewreset:this.projectLatlngs,moveend:this._updatePath},this)},addTo:function(t){return t.addLayer(this),this},onRemove:function(t){t._pathRoot.removeChild(this._container),this.fire("remove"),this._map=null,o.Browser.vml&&(this._container=null,this._stroke=null,this._fill=null),t.off({viewreset:this.projectLatlngs,moveend:this._updatePath},this)},projectLatlngs:function(){},setStyle:function(t){return o.setOptions(this,t),this._container&&this._updateStyle(),this},redraw:function(){return this._map&&(this.projectLatlngs(),this._updatePath()),this}}),o.Map.include({_updatePathViewport:function(){var t=o.Path.CLIP_PADDING,e=this.getSize(),i=o.DomUtil.getPosition(this._mapPane),n=i.multiplyBy(-1)._subtract(e.multiplyBy(t)._round()),s=n.add(e.multiplyBy(1+2*t)._round());this._pathViewport=new o.Bounds(n,s)}}),o.Path.SVG_NS="http://www.w3.org/2000/svg",o.Browser.svg=!(!e.createElementNS||!e.createElementNS(o.Path.SVG_NS,"svg").createSVGRect),o.Path=o.Path.extend({statics:{SVG:o.Browser.svg},bringToFront:function(){var t=this._map._pathRoot,e=this._container;return e&&t.lastChild!==e&&t.appendChild(e),this},bringToBack:function(){var t=this._map._pathRoot,e=this._container,i=t.firstChild;return e&&i!==e&&t.insertBefore(e,i),this},getPathString:function(){},_createElement:function(t){return e.createElementNS(o.Path.SVG_NS,t)},_initElements:function(){this._map._initPathRoot(),this._initPath(),this._initStyle()},_initPath:function(){this._container=this._createElement("g"),this._path=this._createElement("path"),this.options.className&&o.DomUtil.addClass(this._path,this.options.className),this._container.appendChild(this._path)},_initStyle:function(){this.options.stroke&&(this._path.setAttribute("stroke-linejoin","round"),this._path.setAttribute("stroke-linecap","round")),this.options.fill&&this._path.setAttribute("fill-rule","evenodd"),this.options.pointerEvents&&this._path.setAttribute("pointer-events",this.options.pointerEvents),this.options.clickable||this.options.pointerEvents||this._path.setAttribute("pointer-events","none"),this._updateStyle()},_updateStyle:function(){this.options.stroke?(this._path.setAttribute("stroke",this.options.color),this._path.setAttribute("stroke-opacity",this.options.opacity),this._path.setAttribute("stroke-width",this.options.weight),this.options.dashArray?this._path.setAttribute("stroke-dasharray",this.options.dashArray):this._path.removeAttribute("stroke-dasharray"),this.options.lineCap&&this._path.setAttribute("stroke-linecap",this.options.lineCap),this.options.lineJoin&&this._path.setAttribute("stroke-linejoin",this.options.lineJoin)):this._path.setAttribute("stroke","none"),this.options.fill?(this._path.setAttribute("fill",this.options.fillColor||this.options.color),this._path.setAttribute("fill-opacity",this.options.fillOpacity)):this._path.setAttribute("fill","none")},_updatePath:function(){var t=this.getPathString();t||(t="M0 0"),this._path.setAttribute("d",t)},_initEvents:function(){if(this.options.clickable){(o.Browser.svg||!o.Browser.vml)&&o.DomUtil.addClass(this._path,"leaflet-clickable"),o.DomEvent.on(this._container,"click",this._onMouseClick,this);for(var t=["dblclick","mousedown","mouseover","mouseout","mousemove","contextmenu"],e=0;e<t.length;e++)o.DomEvent.on(this._container,t[e],this._fireMouseEvent,this)}},_onMouseClick:function(t){this._map.dragging&&this._map.dragging.moved()||this._fireMouseEvent(t)},_fireMouseEvent:function(t){if(this.hasEventListeners(t.type)){var e=this._map,i=e.mouseEventToContainerPoint(t),n=e.containerPointToLayerPoint(i),s=e.layerPointToLatLng(n);this.fire(t.type,{latlng:s,layerPoint:n,containerPoint:i,originalEvent:t}),"contextmenu"===t.type&&o.DomEvent.preventDefault(t),"mousemove"!==t.type&&o.DomEvent.stopPropagation(t)}}}),o.Map.include({_initPathRoot:function(){this._pathRoot||(this._pathRoot=o.Path.prototype._createElement("svg"),this._panes.overlayPane.appendChild(this._pathRoot),this.options.zoomAnimation&&o.Browser.any3d?(o.DomUtil.addClass(this._pathRoot,"leaflet-zoom-animated"),
+this.on({zoomanim:this._animatePathZoom,zoomend:this._endPathZoom})):o.DomUtil.addClass(this._pathRoot,"leaflet-zoom-hide"),this.on("moveend",this._updateSvgViewport),this._updateSvgViewport())},_animatePathZoom:function(t){var e=this.getZoomScale(t.zoom),i=this._getCenterOffset(t.center)._multiplyBy(-e)._add(this._pathViewport.min);this._pathRoot.style[o.DomUtil.TRANSFORM]=o.DomUtil.getTranslateString(i)+" scale("+e+") ",this._pathZooming=!0},_endPathZoom:function(){this._pathZooming=!1},_updateSvgViewport:function(){if(!this._pathZooming){this._updatePathViewport();var t=this._pathViewport,e=t.min,i=t.max,n=i.x-e.x,s=i.y-e.y,a=this._pathRoot,r=this._panes.overlayPane;o.Browser.mobileWebkit&&r.removeChild(a),o.DomUtil.setPosition(a,e),a.setAttribute("width",n),a.setAttribute("height",s),a.setAttribute("viewBox",[e.x,e.y,n,s].join(" ")),o.Browser.mobileWebkit&&r.appendChild(a)}}}),o.Path.include({bindPopup:function(t,e){return t instanceof o.Popup?this._popup=t:((!this._popup||e)&&(this._popup=new o.Popup(e,this)),this._popup.setContent(t)),this._popupHandlersAdded||(this.on("click",this._openPopup,this).on("remove",this.closePopup,this),this._popupHandlersAdded=!0),this},unbindPopup:function(){return this._popup&&(this._popup=null,this.off("click",this._openPopup).off("remove",this.closePopup),this._popupHandlersAdded=!1),this},openPopup:function(t){return this._popup&&(t=t||this._latlng||this._latlngs[Math.floor(this._latlngs.length/2)],this._openPopup({latlng:t})),this},closePopup:function(){return this._popup&&this._popup._close(),this},_openPopup:function(t){this._popup.setLatLng(t.latlng),this._map.openPopup(this._popup)}}),o.Browser.vml=!o.Browser.svg&&function(){try{var t=e.createElement("div");t.innerHTML='<v:shape adj="1"/>';var i=t.firstChild;return i.style.behavior="url(#default#VML)",i&&"object"==typeof i.adj}catch(n){return!1}}(),o.Path=o.Browser.svg||!o.Browser.vml?o.Path:o.Path.extend({statics:{VML:!0,CLIP_PADDING:.02},_createElement:function(){try{return e.namespaces.add("lvml","urn:schemas-microsoft-com:vml"),function(t){return e.createElement("<lvml:"+t+' class="lvml">')}}catch(t){return function(t){return e.createElement("<"+t+' xmlns="urn:schemas-microsoft.com:vml" class="lvml">')}}}(),_initPath:function(){var t=this._container=this._createElement("shape");o.DomUtil.addClass(t,"leaflet-vml-shape"+(this.options.className?" "+this.options.className:"")),this.options.clickable&&o.DomUtil.addClass(t,"leaflet-clickable"),t.coordsize="1 1",this._path=this._createElement("path"),t.appendChild(this._path),this._map._pathRoot.appendChild(t)},_initStyle:function(){this._updateStyle()},_updateStyle:function(){var t=this._stroke,e=this._fill,i=this.options,n=this._container;n.stroked=i.stroke,n.filled=i.fill,i.stroke?(t||(t=this._stroke=this._createElement("stroke"),t.endcap="round",n.appendChild(t)),t.weight=i.weight+"px",t.color=i.color,t.opacity=i.opacity,i.dashArray?t.dashStyle=o.Util.isArray(i.dashArray)?i.dashArray.join(" "):i.dashArray.replace(/( *, *)/g," "):t.dashStyle="",i.lineCap&&(t.endcap=i.lineCap.replace("butt","flat")),i.lineJoin&&(t.joinstyle=i.lineJoin)):t&&(n.removeChild(t),this._stroke=null),i.fill?(e||(e=this._fill=this._createElement("fill"),n.appendChild(e)),e.color=i.fillColor||i.color,e.opacity=i.fillOpacity):e&&(n.removeChild(e),this._fill=null)},_updatePath:function(){var t=this._container.style;t.display="none",this._path.v=this.getPathString()+" ",t.display=""}}),o.Map.include(o.Browser.svg||!o.Browser.vml?{}:{_initPathRoot:function(){if(!this._pathRoot){var t=this._pathRoot=e.createElement("div");t.className="leaflet-vml-container",this._panes.overlayPane.appendChild(t),this.on("moveend",this._updatePathViewport),this._updatePathViewport()}}}),o.Browser.canvas=function(){return!!e.createElement("canvas").getContext}(),o.Path=o.Path.SVG&&!t.L_PREFER_CANVAS||!o.Browser.canvas?o.Path:o.Path.extend({statics:{CANVAS:!0,SVG:!1},redraw:function(){return this._map&&(this.projectLatlngs(),this._requestUpdate()),this},setStyle:function(t){return o.setOptions(this,t),this._map&&(this._updateStyle(),this._requestUpdate()),this},onRemove:function(t){t.off("viewreset",this.projectLatlngs,this).off("moveend",this._updatePath,this),this.options.clickable&&(this._map.off("click",this._onClick,this),this._map.off("mousemove",this._onMouseMove,this)),this._requestUpdate(),this.fire("remove"),this._map=null},_requestUpdate:function(){this._map&&!o.Path._updateRequest&&(o.Path._updateRequest=o.Util.requestAnimFrame(this._fireMapMoveEnd,this._map))},_fireMapMoveEnd:function(){o.Path._updateRequest=null,this.fire("moveend")},_initElements:function(){this._map._initPathRoot(),this._ctx=this._map._canvasCtx},_updateStyle:function(){var t=this.options;t.stroke&&(this._ctx.lineWidth=t.weight,this._ctx.strokeStyle=t.color),t.fill&&(this._ctx.fillStyle=t.fillColor||t.color),t.lineCap&&(this._ctx.lineCap=t.lineCap),t.lineJoin&&(this._ctx.lineJoin=t.lineJoin)},_drawPath:function(){var t,e,i,n,s,a;for(this._ctx.beginPath(),t=0,i=this._parts.length;i>t;t++){for(e=0,n=this._parts[t].length;n>e;e++)s=this._parts[t][e],a=(0===e?"move":"line")+"To",this._ctx[a](s.x,s.y);this instanceof o.Polygon&&this._ctx.closePath()}},_checkIfEmpty:function(){return!this._parts.length},_updatePath:function(){if(!this._checkIfEmpty()){var t=this._ctx,e=this.options;this._drawPath(),t.save(),this._updateStyle(),e.fill&&(t.globalAlpha=e.fillOpacity,t.fill(e.fillRule||"evenodd")),e.stroke&&(t.globalAlpha=e.opacity,t.stroke()),t.restore()}},_initEvents:function(){this.options.clickable&&(this._map.on("mousemove",this._onMouseMove,this),this._map.on("click dblclick contextmenu",this._fireMouseEvent,this))},_fireMouseEvent:function(t){this._containsPoint(t.layerPoint)&&this.fire(t.type,t)},_onMouseMove:function(t){this._map&&!this._map._animatingZoom&&(this._containsPoint(t.layerPoint)?(this._ctx.canvas.style.cursor="pointer",this._mouseInside=!0,this.fire("mouseover",t)):this._mouseInside&&(this._ctx.canvas.style.cursor="",this._mouseInside=!1,this.fire("mouseout",t)))}}),o.Map.include(o.Path.SVG&&!t.L_PREFER_CANVAS||!o.Browser.canvas?{}:{_initPathRoot:function(){var t,i=this._pathRoot;i||(i=this._pathRoot=e.createElement("canvas"),i.style.position="absolute",t=this._canvasCtx=i.getContext("2d"),t.lineCap="round",t.lineJoin="round",this._panes.overlayPane.appendChild(i),this.options.zoomAnimation&&(this._pathRoot.className="leaflet-zoom-animated",this.on("zoomanim",this._animatePathZoom),this.on("zoomend",this._endPathZoom)),this.on("moveend",this._updateCanvasViewport),this._updateCanvasViewport())},_updateCanvasViewport:function(){if(!this._pathZooming){this._updatePathViewport();var t=this._pathViewport,e=t.min,i=t.max.subtract(e),n=this._pathRoot;o.DomUtil.setPosition(n,e),n.width=i.x,n.height=i.y,n.getContext("2d").translate(-e.x,-e.y)}}}),o.LineUtil={simplify:function(t,e){if(!e||!t.length)return t.slice();var i=e*e;return t=this._reducePoints(t,i),t=this._simplifyDP(t,i)},pointToSegmentDistance:function(t,e,i){return Math.sqrt(this._sqClosestPointOnSegment(t,e,i,!0))},closestPointOnSegment:function(t,e,i){return this._sqClosestPointOnSegment(t,e,i)},_simplifyDP:function(t,e){var n=t.length,o=typeof Uint8Array!=i+""?Uint8Array:Array,s=new o(n);s[0]=s[n-1]=1,this._simplifyDPStep(t,s,e,0,n-1);var a,r=[];for(a=0;n>a;a++)s[a]&&r.push(t[a]);return r},_simplifyDPStep:function(t,e,i,n,o){var s,a,r,h=0;for(a=n+1;o-1>=a;a++)r=this._sqClosestPointOnSegment(t[a],t[n],t[o],!0),r>h&&(s=a,h=r);h>i&&(e[s]=1,this._simplifyDPStep(t,e,i,n,s),this._simplifyDPStep(t,e,i,s,o))},_reducePoints:function(t,e){for(var i=[t[0]],n=1,o=0,s=t.length;s>n;n++)this._sqDist(t[n],t[o])>e&&(i.push(t[n]),o=n);return s-1>o&&i.push(t[s-1]),i},clipSegment:function(t,e,i,n){var o,s,a,r=n?this._lastCode:this._getBitCode(t,i),h=this._getBitCode(e,i);for(this._lastCode=h;;){if(!(r|h))return[t,e];if(r&h)return!1;o=r||h,s=this._getEdgeIntersection(t,e,o,i),a=this._getBitCode(s,i),o===r?(t=s,r=a):(e=s,h=a)}},_getEdgeIntersection:function(t,e,i,n){var s=e.x-t.x,a=e.y-t.y,r=n.min,h=n.max;return 8&i?new o.Point(t.x+s*(h.y-t.y)/a,h.y):4&i?new o.Point(t.x+s*(r.y-t.y)/a,r.y):2&i?new o.Point(h.x,t.y+a*(h.x-t.x)/s):1&i?new o.Point(r.x,t.y+a*(r.x-t.x)/s):void 0},_getBitCode:function(t,e){var i=0;return t.x<e.min.x?i|=1:t.x>e.max.x&&(i|=2),t.y<e.min.y?i|=4:t.y>e.max.y&&(i|=8),i},_sqDist:function(t,e){var i=e.x-t.x,n=e.y-t.y;return i*i+n*n},_sqClosestPointOnSegment:function(t,e,i,n){var s,a=e.x,r=e.y,h=i.x-a,l=i.y-r,u=h*h+l*l;return u>0&&(s=((t.x-a)*h+(t.y-r)*l)/u,s>1?(a=i.x,r=i.y):s>0&&(a+=h*s,r+=l*s)),h=t.x-a,l=t.y-r,n?h*h+l*l:new o.Point(a,r)}},o.Polyline=o.Path.extend({initialize:function(t,e){o.Path.prototype.initialize.call(this,e),this._latlngs=this._convertLatLngs(t)},options:{smoothFactor:1,noClip:!1},projectLatlngs:function(){this._originalPoints=[];for(var t=0,e=this._latlngs.length;e>t;t++)this._originalPoints[t]=this._map.latLngToLayerPoint(this._latlngs[t])},getPathString:function(){for(var t=0,e=this._parts.length,i="";e>t;t++)i+=this._getPathPartStr(this._parts[t]);return i},getLatLngs:function(){return this._latlngs},setLatLngs:function(t){return this._latlngs=this._convertLatLngs(t),this.redraw()},addLatLng:function(t){return this._latlngs.push(o.latLng(t)),this.redraw()},spliceLatLngs:function(){var t=[].splice.apply(this._latlngs,arguments);return this._convertLatLngs(this._latlngs,!0),this.redraw(),t},closestLayerPoint:function(t){for(var e,i,n=1/0,s=this._parts,a=null,r=0,h=s.length;h>r;r++)for(var l=s[r],u=1,c=l.length;c>u;u++){e=l[u-1],i=l[u];var d=o.LineUtil._sqClosestPointOnSegment(t,e,i,!0);n>d&&(n=d,a=o.LineUtil._sqClosestPointOnSegment(t,e,i))}return a&&(a.distance=Math.sqrt(n)),a},getBounds:function(){return new o.LatLngBounds(this.getLatLngs())},_convertLatLngs:function(t,e){var i,n,s=e?t:[];for(i=0,n=t.length;n>i;i++){if(o.Util.isArray(t[i])&&"number"!=typeof t[i][0])return;s[i]=o.latLng(t[i])}return s},_initEvents:function(){o.Path.prototype._initEvents.call(this)},_getPathPartStr:function(t){for(var e,i=o.Path.VML,n=0,s=t.length,a="";s>n;n++)e=t[n],i&&e._round(),a+=(n?"L":"M")+e.x+" "+e.y;return a},_clipPoints:function(){var t,e,i,n=this._originalPoints,s=n.length;if(this.options.noClip)return void(this._parts=[n]);this._parts=[];var a=this._parts,r=this._map._pathViewport,h=o.LineUtil;for(t=0,e=0;s-1>t;t++)i=h.clipSegment(n[t],n[t+1],r,t),i&&(a[e]=a[e]||[],a[e].push(i[0]),(i[1]!==n[t+1]||t===s-2)&&(a[e].push(i[1]),e++))},_simplifyPoints:function(){for(var t=this._parts,e=o.LineUtil,i=0,n=t.length;n>i;i++)t[i]=e.simplify(t[i],this.options.smoothFactor)},_updatePath:function(){this._map&&(this._clipPoints(),this._simplifyPoints(),o.Path.prototype._updatePath.call(this))}}),o.polyline=function(t,e){return new o.Polyline(t,e)},o.PolyUtil={},o.PolyUtil.clipPolygon=function(t,e){var i,n,s,a,r,h,l,u,c,d=[1,4,2,8],p=o.LineUtil;for(n=0,l=t.length;l>n;n++)t[n]._code=p._getBitCode(t[n],e);for(a=0;4>a;a++){for(u=d[a],i=[],n=0,l=t.length,s=l-1;l>n;s=n++)r=t[n],h=t[s],r._code&u?h._code&u||(c=p._getEdgeIntersection(h,r,u,e),c._code=p._getBitCode(c,e),i.push(c)):(h._code&u&&(c=p._getEdgeIntersection(h,r,u,e),c._code=p._getBitCode(c,e),i.push(c)),i.push(r));t=i}return t},o.Polygon=o.Polyline.extend({options:{fill:!0},initialize:function(t,e){o.Polyline.prototype.initialize.call(this,t,e),this._initWithHoles(t)},_initWithHoles:function(t){var e,i,n;if(t&&o.Util.isArray(t[0])&&"number"!=typeof t[0][0])for(this._latlngs=this._convertLatLngs(t[0]),this._holes=t.slice(1),e=0,i=this._holes.length;i>e;e++)n=this._holes[e]=this._convertLatLngs(this._holes[e]),n[0].equals(n[n.length-1])&&n.pop();t=this._latlngs,t.length>=2&&t[0].equals(t[t.length-1])&&t.pop()},projectLatlngs:function(){if(o.Polyline.prototype.projectLatlngs.call(this),this._holePoints=[],this._holes){var t,e,i,n;for(t=0,i=this._holes.length;i>t;t++)for(this._holePoints[t]=[],e=0,n=this._holes[t].length;n>e;e++)this._holePoints[t][e]=this._map.latLngToLayerPoint(this._holes[t][e])}},setLatLngs:function(t){return t&&o.Util.isArray(t[0])&&"number"!=typeof t[0][0]?(this._initWithHoles(t),this.redraw()):o.Polyline.prototype.setLatLngs.call(this,t)},_clipPoints:function(){var t=this._originalPoints,e=[];if(this._parts=[t].concat(this._holePoints),!this.options.noClip){for(var i=0,n=this._parts.length;n>i;i++){var s=o.PolyUtil.clipPolygon(this._parts[i],this._map._pathViewport);s.length&&e.push(s)}this._parts=e}},_getPathPartStr:function(t){var e=o.Polyline.prototype._getPathPartStr.call(this,t);return e+(o.Browser.svg?"z":"x")}}),o.polygon=function(t,e){return new o.Polygon(t,e)},function(){function t(t){return o.FeatureGroup.extend({initialize:function(t,e){this._layers={},this._options=e,this.setLatLngs(t)},setLatLngs:function(e){var i=0,n=e.length;for(this.eachLayer(function(t){n>i?t.setLatLngs(e[i++]):this.removeLayer(t)},this);n>i;)this.addLayer(new t(e[i++],this._options));return this},getLatLngs:function(){var t=[];return this.eachLayer(function(e){t.push(e.getLatLngs())}),t}})}o.MultiPolyline=t(o.Polyline),o.MultiPolygon=t(o.Polygon),o.multiPolyline=function(t,e){return new o.MultiPolyline(t,e)},o.multiPolygon=function(t,e){return new o.MultiPolygon(t,e)}}(),o.Rectangle=o.Polygon.extend({initialize:function(t,e){o.Polygon.prototype.initialize.call(this,this._boundsToLatLngs(t),e)},setBounds:function(t){this.setLatLngs(this._boundsToLatLngs(t))},_boundsToLatLngs:function(t){return t=o.latLngBounds(t),[t.getSouthWest(),t.getNorthWest(),t.getNorthEast(),t.getSouthEast()]}}),o.rectangle=function(t,e){return new o.Rectangle(t,e)},o.Circle=o.Path.extend({initialize:function(t,e,i){o.Path.prototype.initialize.call(this,i),this._latlng=o.latLng(t),this._mRadius=e},options:{fill:!0},setLatLng:function(t){return this._latlng=o.latLng(t),this.redraw()},setRadius:function(t){return this._mRadius=t,this.redraw()},projectLatlngs:function(){var t=this._getLngRadius(),e=this._latlng,i=this._map.latLngToLayerPoint([e.lat,e.lng-t]);this._point=this._map.latLngToLayerPoint(e),this._radius=Math.max(this._point.x-i.x,1)},getBounds:function(){var t=this._getLngRadius(),e=this._mRadius/40075017*360,i=this._latlng;return new o.LatLngBounds([i.lat-e,i.lng-t],[i.lat+e,i.lng+t])},getLatLng:function(){return this._latlng},getPathString:function(){var t=this._point,e=this._radius;return this._checkIfEmpty()?"":o.Browser.svg?"M"+t.x+","+(t.y-e)+"A"+e+","+e+",0,1,1,"+(t.x-.1)+","+(t.y-e)+" z":(t._round(),e=Math.round(e),"AL "+t.x+","+t.y+" "+e+","+e+" 0,23592600")},getRadius:function(){return this._mRadius},_getLatRadius:function(){return this._mRadius/40075017*360},_getLngRadius:function(){return this._getLatRadius()/Math.cos(o.LatLng.DEG_TO_RAD*this._latlng.lat)},_checkIfEmpty:function(){if(!this._map)return!1;var t=this._map._pathViewport,e=this._radius,i=this._point;return i.x-e>t.max.x||i.y-e>t.max.y||i.x+e<t.min.x||i.y+e<t.min.y}}),o.circle=function(t,e,i){return new o.Circle(t,e,i)},o.CircleMarker=o.Circle.extend({options:{radius:10,weight:2},initialize:function(t,e){o.Circle.prototype.initialize.call(this,t,null,e),this._radius=this.options.radius},projectLatlngs:function(){this._point=this._map.latLngToLayerPoint(this._latlng)},_updateStyle:function(){o.Circle.prototype._updateStyle.call(this),this.setRadius(this.options.radius)},setLatLng:function(t){return o.Circle.prototype.setLatLng.call(this,t),this._popup&&this._popup._isOpen&&this._popup.setLatLng(t),this},setRadius:function(t){return this.options.radius=this._radius=t,this.redraw()},getRadius:function(){return this._radius}}),o.circleMarker=function(t,e){return new o.CircleMarker(t,e)},o.Polyline.include(o.Path.CANVAS?{_containsPoint:function(t,e){var i,n,s,a,r,h,l,u=this.options.weight/2;for(o.Browser.touch&&(u+=10),i=0,a=this._parts.length;a>i;i++)for(l=this._parts[i],n=0,r=l.length,s=r-1;r>n;s=n++)if((e||0!==n)&&(h=o.LineUtil.pointToSegmentDistance(t,l[s],l[n]),u>=h))return!0;return!1}}:{}),o.Polygon.include(o.Path.CANVAS?{_containsPoint:function(t){var e,i,n,s,a,r,h,l,u=!1;if(o.Polyline.prototype._containsPoint.call(this,t,!0))return!0;for(s=0,h=this._parts.length;h>s;s++)for(e=this._parts[s],a=0,l=e.length,r=l-1;l>a;r=a++)i=e[a],n=e[r],i.y>t.y!=n.y>t.y&&t.x<(n.x-i.x)*(t.y-i.y)/(n.y-i.y)+i.x&&(u=!u);return u}}:{}),o.Circle.include(o.Path.CANVAS?{_drawPath:function(){var t=this._point;this._ctx.beginPath(),this._ctx.arc(t.x,t.y,this._radius,0,2*Math.PI,!1)},_containsPoint:function(t){var e=this._point,i=this.options.stroke?this.options.weight/2:0;return t.distanceTo(e)<=this._radius+i}}:{}),o.CircleMarker.include(o.Path.CANVAS?{_updateStyle:function(){o.Path.prototype._updateStyle.call(this)}}:{}),o.GeoJSON=o.FeatureGroup.extend({initialize:function(t,e){o.setOptions(this,e),this._layers={},t&&this.addData(t)},addData:function(t){var e,i,n,s=o.Util.isArray(t)?t:t.features;if(s){for(e=0,i=s.length;i>e;e++)n=s[e],(n.geometries||n.geometry||n.features||n.coordinates)&&this.addData(s[e]);return this}var a=this.options;if(!a.filter||a.filter(t)){var r=o.GeoJSON.geometryToLayer(t,a.pointToLayer,a.coordsToLatLng,a);return r.feature=o.GeoJSON.asFeature(t),r.defaultOptions=r.options,this.resetStyle(r),a.onEachFeature&&a.onEachFeature(t,r),this.addLayer(r)}},resetStyle:function(t){var e=this.options.style;e&&(o.Util.extend(t.options,t.defaultOptions),this._setLayerStyle(t,e))},setStyle:function(t){this.eachLayer(function(e){this._setLayerStyle(e,t)},this)},_setLayerStyle:function(t,e){"function"==typeof e&&(e=e(t.feature)),t.setStyle&&t.setStyle(e)}}),o.extend(o.GeoJSON,{geometryToLayer:function(t,e,i,n){var s,a,r,h,l="Feature"===t.type?t.geometry:t,u=l.coordinates,c=[];switch(i=i||this.coordsToLatLng,l.type){case"Point":return s=i(u),e?e(t,s):new o.Marker(s);case"MultiPoint":for(r=0,h=u.length;h>r;r++)s=i(u[r]),c.push(e?e(t,s):new o.Marker(s));return new o.FeatureGroup(c);case"LineString":return a=this.coordsToLatLngs(u,0,i),new o.Polyline(a,n);case"Polygon":if(2===u.length&&!u[1].length)throw new Error("Invalid GeoJSON object.");return a=this.coordsToLatLngs(u,1,i),new o.Polygon(a,n);case"MultiLineString":return a=this.coordsToLatLngs(u,1,i),new o.MultiPolyline(a,n);case"MultiPolygon":return a=this.coordsToLatLngs(u,2,i),new o.MultiPolygon(a,n);case"GeometryCollection":for(r=0,h=l.geometries.length;h>r;r++)c.push(this.geometryToLayer({geometry:l.geometries[r],type:"Feature",properties:t.properties},e,i,n));return new o.FeatureGroup(c);default:throw new Error("Invalid GeoJSON object.")}},coordsToLatLng:function(t){return new o.LatLng(t[1],t[0],t[2])},coordsToLatLngs:function(t,e,i){var n,o,s,a=[];for(o=0,s=t.length;s>o;o++)n=e?this.coordsToLatLngs(t[o],e-1,i):(i||this.coordsToLatLng)(t[o]),a.push(n);return a},latLngToCoords:function(t){var e=[t.lng,t.lat];return t.alt!==i&&e.push(t.alt),e},latLngsToCoords:function(t){for(var e=[],i=0,n=t.length;n>i;i++)e.push(o.GeoJSON.latLngToCoords(t[i]));return e},getFeature:function(t,e){return t.feature?o.extend({},t.feature,{geometry:e}):o.GeoJSON.asFeature(e)},asFeature:function(t){return"Feature"===t.type?t:{type:"Feature",properties:{},geometry:t}}});var a={toGeoJSON:function(){return o.GeoJSON.getFeature(this,{type:"Point",coordinates:o.GeoJSON.latLngToCoords(this.getLatLng())})}};o.Marker.include(a),o.Circle.include(a),o.CircleMarker.include(a),o.Polyline.include({toGeoJSON:function(){return o.GeoJSON.getFeature(this,{type:"LineString",coordinates:o.GeoJSON.latLngsToCoords(this.getLatLngs())})}}),o.Polygon.include({toGeoJSON:function(){var t,e,i,n=[o.GeoJSON.latLngsToCoords(this.getLatLngs())];if(n[0].push(n[0][0]),this._holes)for(t=0,e=this._holes.length;e>t;t++)i=o.GeoJSON.latLngsToCoords(this._holes[t]),i.push(i[0]),n.push(i);return o.GeoJSON.getFeature(this,{type:"Polygon",coordinates:n})}}),function(){function t(t){return function(){var e=[];return this.eachLayer(function(t){e.push(t.toGeoJSON().geometry.coordinates)}),o.GeoJSON.getFeature(this,{type:t,coordinates:e})}}o.MultiPolyline.include({toGeoJSON:t("MultiLineString")}),o.MultiPolygon.include({toGeoJSON:t("MultiPolygon")}),o.LayerGroup.include({toGeoJSON:function(){var e,i=this.feature&&this.feature.geometry,n=[];if(i&&"MultiPoint"===i.type)return t("MultiPoint").call(this);var s=i&&"GeometryCollection"===i.type;return this.eachLayer(function(t){t.toGeoJSON&&(e=t.toGeoJSON(),n.push(s?e.geometry:o.GeoJSON.asFeature(e)))}),s?o.GeoJSON.getFeature(this,{geometries:n,type:"GeometryCollection"}):{type:"FeatureCollection",features:n}}})}(),o.geoJson=function(t,e){return new o.GeoJSON(t,e)},o.DomEvent={addListener:function(t,e,i,n){var s,a,r,h=o.stamp(i),l="_leaflet_"+e+h;return t[l]?this:(s=function(e){return i.call(n||t,e||o.DomEvent._getEvent())},o.Browser.pointer&&0===e.indexOf("touch")?this.addPointerListener(t,e,s,h):(o.Browser.touch&&"dblclick"===e&&this.addDoubleTapListener&&this.addDoubleTapListener(t,s,h),"addEventListener"in t?"mousewheel"===e?(t.addEventListener("DOMMouseScroll",s,!1),t.addEventListener(e,s,!1)):"mouseenter"===e||"mouseleave"===e?(a=s,r="mouseenter"===e?"mouseover":"mouseout",s=function(e){return o.DomEvent._checkMouse(t,e)?a(e):void 0},t.addEventListener(r,s,!1)):"click"===e&&o.Browser.android?(a=s,s=function(t){return o.DomEvent._filterClick(t,a)},t.addEventListener(e,s,!1)):t.addEventListener(e,s,!1):"attachEvent"in t&&t.attachEvent("on"+e,s),t[l]=s,this))},removeListener:function(t,e,i){var n=o.stamp(i),s="_leaflet_"+e+n,a=t[s];return a?(o.Browser.pointer&&0===e.indexOf("touch")?this.removePointerListener(t,e,n):o.Browser.touch&&"dblclick"===e&&this.removeDoubleTapListener?this.removeDoubleTapListener(t,n):"removeEventListener"in t?"mousewheel"===e?(t.removeEventListener("DOMMouseScroll",a,!1),t.removeEventListener(e,a,!1)):"mouseenter"===e||"mouseleave"===e?t.removeEventListener("mouseenter"===e?"mouseover":"mouseout",a,!1):t.removeEventListener(e,a,!1):"detachEvent"in t&&t.detachEvent("on"+e,a),t[s]=null,this):this},stopPropagation:function(t){return t.stopPropagation?t.stopPropagation():t.cancelBubble=!0,o.DomEvent._skipped(t),this},disableScrollPropagation:function(t){var e=o.DomEvent.stopPropagation;return o.DomEvent.on(t,"mousewheel",e).on(t,"MozMousePixelScroll",e)},disableClickPropagation:function(t){for(var e=o.DomEvent.stopPropagation,i=o.Draggable.START.length-1;i>=0;i--)o.DomEvent.on(t,o.Draggable.START[i],e);return o.DomEvent.on(t,"click",o.DomEvent._fakeStop).on(t,"dblclick",e)},preventDefault:function(t){return t.preventDefault?t.preventDefault():t.returnValue=!1,this},stop:function(t){return o.DomEvent.preventDefault(t).stopPropagation(t)},getMousePosition:function(t,e){if(!e)return new o.Point(t.clientX,t.clientY);var i=e.getBoundingClientRect();return new o.Point(t.clientX-i.left-e.clientLeft,t.clientY-i.top-e.clientTop)},getWheelDelta:function(t){var e=0;return t.wheelDelta&&(e=t.wheelDelta/120),t.detail&&(e=-t.detail/3),e},_skipEvents:{},_fakeStop:function(t){o.DomEvent._skipEvents[t.type]=!0},_skipped:function(t){var e=this._skipEvents[t.type];return this._skipEvents[t.type]=!1,e},_checkMouse:function(t,e){var i=e.relatedTarget;if(!i)return!0;try{for(;i&&i!==t;)i=i.parentNode}catch(n){return!1}return i!==t},_getEvent:function(){var e=t.event;if(!e)for(var i=arguments.callee.caller;i&&(e=i.arguments[0],!e||t.Event!==e.constructor);)i=i.caller;return e},_filterClick:function(t,e){var i=t.timeStamp||t.originalEvent.timeStamp,n=o.DomEvent._lastClick&&i-o.DomEvent._lastClick;return n&&n>100&&500>n||t.target._simulatedClick&&!t._simulated?void o.DomEvent.stop(t):(o.DomEvent._lastClick=i,e(t))}},o.DomEvent.on=o.DomEvent.addListener,o.DomEvent.off=o.DomEvent.removeListener,o.Draggable=o.Class.extend({includes:o.Mixin.Events,statics:{START:o.Browser.touch?["touchstart","mousedown"]:["mousedown"],END:{mousedown:"mouseup",touchstart:"touchend",pointerdown:"touchend",MSPointerDown:"touchend"},MOVE:{mousedown:"mousemove",touchstart:"touchmove",pointerdown:"touchmove",MSPointerDown:"touchmove"}},initialize:function(t,e){this._element=t,this._dragStartTarget=e||t},enable:function(){if(!this._enabled){for(var t=o.Draggable.START.length-1;t>=0;t--)o.DomEvent.on(this._dragStartTarget,o.Draggable.START[t],this._onDown,this);this._enabled=!0}},disable:function(){if(this._enabled){for(var t=o.Draggable.START.length-1;t>=0;t--)o.DomEvent.off(this._dragStartTarget,o.Draggable.START[t],this._onDown,this);this._enabled=!1,this._moved=!1}},_onDown:function(t){if(this._moved=!1,!(t.shiftKey||1!==t.which&&1!==t.button&&!t.touches||(o.DomEvent.stopPropagation(t),o.Draggable._disabled||(o.DomUtil.disableImageDrag(),o.DomUtil.disableTextSelection(),this._moving)))){var i=t.touches?t.touches[0]:t;this._startPoint=new o.Point(i.clientX,i.clientY),this._startPos=this._newPos=o.DomUtil.getPosition(this._element),o.DomEvent.on(e,o.Draggable.MOVE[t.type],this._onMove,this).on(e,o.Draggable.END[t.type],this._onUp,this)}},_onMove:function(t){if(t.touches&&t.touches.length>1)return void(this._moved=!0);var i=t.touches&&1===t.touches.length?t.touches[0]:t,n=new o.Point(i.clientX,i.clientY),s=n.subtract(this._startPoint);(s.x||s.y)&&(o.Browser.touch&&Math.abs(s.x)+Math.abs(s.y)<3||(o.DomEvent.preventDefault(t),this._moved||(this.fire("dragstart"),this._moved=!0,this._startPos=o.DomUtil.getPosition(this._element).subtract(s),o.DomUtil.addClass(e.body,"leaflet-dragging"),this._lastTarget=t.target||t.srcElement,o.DomUtil.addClass(this._lastTarget,"leaflet-drag-target")),this._newPos=this._startPos.add(s),this._moving=!0,o.Util.cancelAnimFrame(this._animRequest),this._animRequest=o.Util.requestAnimFrame(this._updatePosition,this,!0,this._dragStartTarget)))},_updatePosition:function(){this.fire("predrag"),o.DomUtil.setPosition(this._element,this._newPos),this.fire("drag")},_onUp:function(){o.DomUtil.removeClass(e.body,"leaflet-dragging"),this._lastTarget&&(o.DomUtil.removeClass(this._lastTarget,"leaflet-drag-target"),this._lastTarget=null);for(var t in o.Draggable.MOVE)o.DomEvent.off(e,o.Draggable.MOVE[t],this._onMove).off(e,o.Draggable.END[t],this._onUp);o.DomUtil.enableImageDrag(),o.DomUtil.enableTextSelection(),this._moved&&this._moving&&(o.Util.cancelAnimFrame(this._animRequest),this.fire("dragend",{distance:this._newPos.distanceTo(this._startPos)})),this._moving=!1}}),o.Handler=o.Class.extend({initialize:function(t){this._map=t},enable:function(){this._enabled||(this._enabled=!0,this.addHooks())},disable:function(){this._enabled&&(this._enabled=!1,this.removeHooks())},enabled:function(){return!!this._enabled}}),o.Map.mergeOptions({dragging:!0,inertia:!o.Browser.android23,inertiaDeceleration:3400,inertiaMaxSpeed:1/0,inertiaThreshold:o.Browser.touch?32:18,easeLinearity:.25,worldCopyJump:!1}),o.Map.Drag=o.Handler.extend({addHooks:function(){if(!this._draggable){var t=this._map;this._draggable=new o.Draggable(t._mapPane,t._container),this._draggable.on({dragstart:this._onDragStart,drag:this._onDrag,dragend:this._onDragEnd},this),t.options.worldCopyJump&&(this._draggable.on("predrag",this._onPreDrag,this),t.on("viewreset",this._onViewReset,this),t.whenReady(this._onViewReset,this))}this._draggable.enable()},removeHooks:function(){this._draggable.disable()},moved:function(){return this._draggable&&this._draggable._moved},_onDragStart:function(){var t=this._map;t._panAnim&&t._panAnim.stop(),t.fire("movestart").fire("dragstart"),t.options.inertia&&(this._positions=[],this._times=[])},_onDrag:function(){if(this._map.options.inertia){var t=this._lastTime=+new Date,e=this._lastPos=this._draggable._newPos;this._positions.push(e),this._times.push(t),t-this._times[0]>200&&(this._positions.shift(),this._times.shift())}this._map.fire("move").fire("drag")},_onViewReset:function(){var t=this._map.getSize()._divideBy(2),e=this._map.latLngToLayerPoint([0,0]);this._initialWorldOffset=e.subtract(t).x,this._worldWidth=this._map.project([0,180]).x},_onPreDrag:function(){var t=this._worldWidth,e=Math.round(t/2),i=this._initialWorldOffset,n=this._draggable._newPos.x,o=(n-e+i)%t+e-i,s=(n+e+i)%t-e-i,a=Math.abs(o+i)<Math.abs(s+i)?o:s;this._draggable._newPos.x=a},_onDragEnd:function(t){var e=this._map,i=e.options,n=+new Date-this._lastTime,s=!i.inertia||n>i.inertiaThreshold||!this._positions[0];if(e.fire("dragend",t),s)e.fire("moveend");else{var a=this._lastPos.subtract(this._positions[0]),r=(this._lastTime+n-this._times[0])/1e3,h=i.easeLinearity,l=a.multiplyBy(h/r),u=l.distanceTo([0,0]),c=Math.min(i.inertiaMaxSpeed,u),d=l.multiplyBy(c/u),p=c/(i.inertiaDeceleration*h),_=d.multiplyBy(-p/2).round();_.x&&_.y?(_=e._limitOffset(_,e.options.maxBounds),o.Util.requestAnimFrame(function(){e.panBy(_,{duration:p,easeLinearity:h,noMoveStart:!0})})):e.fire("moveend")}}}),o.Map.addInitHook("addHandler","dragging",o.Map.Drag),o.Map.mergeOptions({doubleClickZoom:!0}),o.Map.DoubleClickZoom=o.Handler.extend({addHooks:function(){this._map.on("dblclick",this._onDoubleClick,this)},removeHooks:function(){this._map.off("dblclick",this._onDoubleClick,this)},_onDoubleClick:function(t){var e=this._map,i=e.getZoom()+(t.originalEvent.shiftKey?-1:1);"center"===e.options.doubleClickZoom?e.setZoom(i):e.setZoomAround(t.containerPoint,i)}}),o.Map.addInitHook("addHandler","doubleClickZoom",o.Map.DoubleClickZoom),o.Map.mergeOptions({scrollWheelZoom:!0}),o.Map.ScrollWheelZoom=o.Handler.extend({addHooks:function(){o.DomEvent.on(this._map._container,"mousewheel",this._onWheelScroll,this),o.DomEvent.on(this._map._container,"MozMousePixelScroll",o.DomEvent.preventDefault),this._delta=0},removeHooks:function(){o.DomEvent.off(this._map._container,"mousewheel",this._onWheelScroll),o.DomEvent.off(this._map._container,"MozMousePixelScroll",o.DomEvent.preventDefault)},_onWheelScroll:function(t){var e=o.DomEvent.getWheelDelta(t);this._delta+=e,this._lastMousePos=this._map.mouseEventToContainerPoint(t),this._startTime||(this._startTime=+new Date);var i=Math.max(40-(+new Date-this._startTime),0);clearTimeout(this._timer),this._timer=setTimeout(o.bind(this._performZoom,this),i),o.DomEvent.preventDefault(t),o.DomEvent.stopPropagation(t)},_performZoom:function(){var t=this._map,e=this._delta,i=t.getZoom();e=e>0?Math.ceil(e):Math.floor(e),e=Math.max(Math.min(e,4),-4),e=t._limitZoom(i+e)-i,this._delta=0,this._startTime=null,e&&("center"===t.options.scrollWheelZoom?t.setZoom(i+e):t.setZoomAround(this._lastMousePos,i+e))}}),o.Map.addInitHook("addHandler","scrollWheelZoom",o.Map.ScrollWheelZoom),o.extend(o.DomEvent,{_touchstart:o.Browser.msPointer?"MSPointerDown":o.Browser.pointer?"pointerdown":"touchstart",_touchend:o.Browser.msPointer?"MSPointerUp":o.Browser.pointer?"pointerup":"touchend",addDoubleTapListener:function(t,i,n){function s(t){var e;if(o.Browser.pointer?(_.push(t.pointerId),e=_.length):e=t.touches.length,!(e>1)){var i=Date.now(),n=i-(r||i);h=t.touches?t.touches[0]:t,l=n>0&&u>=n,r=i}}function a(t){if(o.Browser.pointer){var e=_.indexOf(t.pointerId);if(-1===e)return;_.splice(e,1)}if(l){if(o.Browser.pointer){var n,s={};for(var a in h)n=h[a],"function"==typeof n?s[a]=n.bind(h):s[a]=n;h=s}h.type="dblclick",i(h),r=null}}var r,h,l=!1,u=250,c="_leaflet_",d=this._touchstart,p=this._touchend,_=[];t[c+d+n]=s,t[c+p+n]=a;var m=o.Browser.pointer?e.documentElement:t;return t.addEventListener(d,s,!1),m.addEventListener(p,a,!1),o.Browser.pointer&&m.addEventListener(o.DomEvent.POINTER_CANCEL,a,!1),this},removeDoubleTapListener:function(t,i){var n="_leaflet_";return t.removeEventListener(this._touchstart,t[n+this._touchstart+i],!1),(o.Browser.pointer?e.documentElement:t).removeEventListener(this._touchend,t[n+this._touchend+i],!1),o.Browser.pointer&&e.documentElement.removeEventListener(o.DomEvent.POINTER_CANCEL,t[n+this._touchend+i],!1),this}}),o.extend(o.DomEvent,{POINTER_DOWN:o.Browser.msPointer?"MSPointerDown":"pointerdown",POINTER_MOVE:o.Browser.msPointer?"MSPointerMove":"pointermove",POINTER_UP:o.Browser.msPointer?"MSPointerUp":"pointerup",POINTER_CANCEL:o.Browser.msPointer?"MSPointerCancel":"pointercancel",_pointers:[],_pointerDocumentListener:!1,addPointerListener:function(t,e,i,n){switch(e){case"touchstart":return this.addPointerListenerStart(t,e,i,n);
+case"touchend":return this.addPointerListenerEnd(t,e,i,n);case"touchmove":return this.addPointerListenerMove(t,e,i,n);default:throw"Unknown touch event type"}},addPointerListenerStart:function(t,i,n,s){var a="_leaflet_",r=this._pointers,h=function(t){o.DomEvent.preventDefault(t);for(var e=!1,i=0;i<r.length;i++)if(r[i].pointerId===t.pointerId){e=!0;break}e||r.push(t),t.touches=r.slice(),t.changedTouches=[t],n(t)};if(t[a+"touchstart"+s]=h,t.addEventListener(this.POINTER_DOWN,h,!1),!this._pointerDocumentListener){var l=function(t){for(var e=0;e<r.length;e++)if(r[e].pointerId===t.pointerId){r.splice(e,1);break}};e.documentElement.addEventListener(this.POINTER_UP,l,!1),e.documentElement.addEventListener(this.POINTER_CANCEL,l,!1),this._pointerDocumentListener=!0}return this},addPointerListenerMove:function(t,e,i,n){function o(t){if(t.pointerType!==t.MSPOINTER_TYPE_MOUSE&&"mouse"!==t.pointerType||0!==t.buttons){for(var e=0;e<a.length;e++)if(a[e].pointerId===t.pointerId){a[e]=t;break}t.touches=a.slice(),t.changedTouches=[t],i(t)}}var s="_leaflet_",a=this._pointers;return t[s+"touchmove"+n]=o,t.addEventListener(this.POINTER_MOVE,o,!1),this},addPointerListenerEnd:function(t,e,i,n){var o="_leaflet_",s=this._pointers,a=function(t){for(var e=0;e<s.length;e++)if(s[e].pointerId===t.pointerId){s.splice(e,1);break}t.touches=s.slice(),t.changedTouches=[t],i(t)};return t[o+"touchend"+n]=a,t.addEventListener(this.POINTER_UP,a,!1),t.addEventListener(this.POINTER_CANCEL,a,!1),this},removePointerListener:function(t,e,i){var n="_leaflet_",o=t[n+e+i];switch(e){case"touchstart":t.removeEventListener(this.POINTER_DOWN,o,!1);break;case"touchmove":t.removeEventListener(this.POINTER_MOVE,o,!1);break;case"touchend":t.removeEventListener(this.POINTER_UP,o,!1),t.removeEventListener(this.POINTER_CANCEL,o,!1)}return this}}),o.Map.mergeOptions({touchZoom:o.Browser.touch&&!o.Browser.android23,bounceAtZoomLimits:!0}),o.Map.TouchZoom=o.Handler.extend({addHooks:function(){o.DomEvent.on(this._map._container,"touchstart",this._onTouchStart,this)},removeHooks:function(){o.DomEvent.off(this._map._container,"touchstart",this._onTouchStart,this)},_onTouchStart:function(t){var i=this._map;if(t.touches&&2===t.touches.length&&!i._animatingZoom&&!this._zooming){var n=i.mouseEventToLayerPoint(t.touches[0]),s=i.mouseEventToLayerPoint(t.touches[1]),a=i._getCenterLayerPoint();this._startCenter=n.add(s)._divideBy(2),this._startDist=n.distanceTo(s),this._moved=!1,this._zooming=!0,this._centerOffset=a.subtract(this._startCenter),i._panAnim&&i._panAnim.stop(),o.DomEvent.on(e,"touchmove",this._onTouchMove,this).on(e,"touchend",this._onTouchEnd,this),o.DomEvent.preventDefault(t)}},_onTouchMove:function(t){var e=this._map;if(t.touches&&2===t.touches.length&&this._zooming){var i=e.mouseEventToLayerPoint(t.touches[0]),n=e.mouseEventToLayerPoint(t.touches[1]);this._scale=i.distanceTo(n)/this._startDist,this._delta=i._add(n)._divideBy(2)._subtract(this._startCenter),1!==this._scale&&(e.options.bounceAtZoomLimits||!(e.getZoom()===e.getMinZoom()&&this._scale<1||e.getZoom()===e.getMaxZoom()&&this._scale>1))&&(this._moved||(o.DomUtil.addClass(e._mapPane,"leaflet-touching"),e.fire("movestart").fire("zoomstart"),this._moved=!0),o.Util.cancelAnimFrame(this._animRequest),this._animRequest=o.Util.requestAnimFrame(this._updateOnMove,this,!0,this._map._container),o.DomEvent.preventDefault(t))}},_updateOnMove:function(){var t=this._map,e=this._getScaleOrigin(),i=t.layerPointToLatLng(e),n=t.getScaleZoom(this._scale);t._animateZoom(i,n,this._startCenter,this._scale,this._delta,!1,!0)},_onTouchEnd:function(){if(!this._moved||!this._zooming)return void(this._zooming=!1);var t=this._map;this._zooming=!1,o.DomUtil.removeClass(t._mapPane,"leaflet-touching"),o.Util.cancelAnimFrame(this._animRequest),o.DomEvent.off(e,"touchmove",this._onTouchMove).off(e,"touchend",this._onTouchEnd);var i=this._getScaleOrigin(),n=t.layerPointToLatLng(i),s=t.getZoom(),a=t.getScaleZoom(this._scale)-s,r=a>0?Math.ceil(a):Math.floor(a),h=t._limitZoom(s+r),l=t.getZoomScale(h)/this._scale;t._animateZoom(n,h,i,l)},_getScaleOrigin:function(){var t=this._centerOffset.subtract(this._delta).divideBy(this._scale);return this._startCenter.add(t)}}),o.Map.addInitHook("addHandler","touchZoom",o.Map.TouchZoom),o.Map.mergeOptions({tap:!0,tapTolerance:15}),o.Map.Tap=o.Handler.extend({addHooks:function(){o.DomEvent.on(this._map._container,"touchstart",this._onDown,this)},removeHooks:function(){o.DomEvent.off(this._map._container,"touchstart",this._onDown,this)},_onDown:function(t){if(t.touches){if(o.DomEvent.preventDefault(t),this._fireClick=!0,t.touches.length>1)return this._fireClick=!1,void clearTimeout(this._holdTimeout);var i=t.touches[0],n=i.target;this._startPos=this._newPos=new o.Point(i.clientX,i.clientY),n.tagName&&"a"===n.tagName.toLowerCase()&&o.DomUtil.addClass(n,"leaflet-active"),this._holdTimeout=setTimeout(o.bind(function(){this._isTapValid()&&(this._fireClick=!1,this._onUp(),this._simulateEvent("contextmenu",i))},this),1e3),o.DomEvent.on(e,"touchmove",this._onMove,this).on(e,"touchend",this._onUp,this)}},_onUp:function(t){if(clearTimeout(this._holdTimeout),o.DomEvent.off(e,"touchmove",this._onMove,this).off(e,"touchend",this._onUp,this),this._fireClick&&t&&t.changedTouches){var i=t.changedTouches[0],n=i.target;n&&n.tagName&&"a"===n.tagName.toLowerCase()&&o.DomUtil.removeClass(n,"leaflet-active"),this._isTapValid()&&this._simulateEvent("click",i)}},_isTapValid:function(){return this._newPos.distanceTo(this._startPos)<=this._map.options.tapTolerance},_onMove:function(t){var e=t.touches[0];this._newPos=new o.Point(e.clientX,e.clientY)},_simulateEvent:function(i,n){var o=e.createEvent("MouseEvents");o._simulated=!0,n.target._simulatedClick=!0,o.initMouseEvent(i,!0,!0,t,1,n.screenX,n.screenY,n.clientX,n.clientY,!1,!1,!1,!1,0,null),n.target.dispatchEvent(o)}}),o.Browser.touch&&!o.Browser.pointer&&o.Map.addInitHook("addHandler","tap",o.Map.Tap),o.Map.mergeOptions({boxZoom:!0}),o.Map.BoxZoom=o.Handler.extend({initialize:function(t){this._map=t,this._container=t._container,this._pane=t._panes.overlayPane,this._moved=!1},addHooks:function(){o.DomEvent.on(this._container,"mousedown",this._onMouseDown,this)},removeHooks:function(){o.DomEvent.off(this._container,"mousedown",this._onMouseDown),this._moved=!1},moved:function(){return this._moved},_onMouseDown:function(t){return this._moved=!1,!t.shiftKey||1!==t.which&&1!==t.button?!1:(o.DomUtil.disableTextSelection(),o.DomUtil.disableImageDrag(),this._startLayerPoint=this._map.mouseEventToLayerPoint(t),void o.DomEvent.on(e,"mousemove",this._onMouseMove,this).on(e,"mouseup",this._onMouseUp,this).on(e,"keydown",this._onKeyDown,this))},_onMouseMove:function(t){this._moved||(this._box=o.DomUtil.create("div","leaflet-zoom-box",this._pane),o.DomUtil.setPosition(this._box,this._startLayerPoint),this._container.style.cursor="crosshair",this._map.fire("boxzoomstart"));var e=this._startLayerPoint,i=this._box,n=this._map.mouseEventToLayerPoint(t),s=n.subtract(e),a=new o.Point(Math.min(n.x,e.x),Math.min(n.y,e.y));o.DomUtil.setPosition(i,a),this._moved=!0,i.style.width=Math.max(0,Math.abs(s.x)-4)+"px",i.style.height=Math.max(0,Math.abs(s.y)-4)+"px"},_finish:function(){this._moved&&(this._pane.removeChild(this._box),this._container.style.cursor=""),o.DomUtil.enableTextSelection(),o.DomUtil.enableImageDrag(),o.DomEvent.off(e,"mousemove",this._onMouseMove).off(e,"mouseup",this._onMouseUp).off(e,"keydown",this._onKeyDown)},_onMouseUp:function(t){this._finish();var e=this._map,i=e.mouseEventToLayerPoint(t);if(!this._startLayerPoint.equals(i)){var n=new o.LatLngBounds(e.layerPointToLatLng(this._startLayerPoint),e.layerPointToLatLng(i));e.fitBounds(n),e.fire("boxzoomend",{boxZoomBounds:n})}},_onKeyDown:function(t){27===t.keyCode&&this._finish()}}),o.Map.addInitHook("addHandler","boxZoom",o.Map.BoxZoom),o.Map.mergeOptions({keyboard:!0,keyboardPanOffset:80,keyboardZoomOffset:1}),o.Map.Keyboard=o.Handler.extend({keyCodes:{left:[37],right:[39],down:[40],up:[38],zoomIn:[187,107,61,171],zoomOut:[189,109,173]},initialize:function(t){this._map=t,this._setPanOffset(t.options.keyboardPanOffset),this._setZoomOffset(t.options.keyboardZoomOffset)},addHooks:function(){var t=this._map._container;-1===t.tabIndex&&(t.tabIndex="0"),o.DomEvent.on(t,"focus",this._onFocus,this).on(t,"blur",this._onBlur,this).on(t,"mousedown",this._onMouseDown,this),this._map.on("focus",this._addHooks,this).on("blur",this._removeHooks,this)},removeHooks:function(){this._removeHooks();var t=this._map._container;o.DomEvent.off(t,"focus",this._onFocus,this).off(t,"blur",this._onBlur,this).off(t,"mousedown",this._onMouseDown,this),this._map.off("focus",this._addHooks,this).off("blur",this._removeHooks,this)},_onMouseDown:function(){if(!this._focused){var i=e.body,n=e.documentElement,o=i.scrollTop||n.scrollTop,s=i.scrollLeft||n.scrollLeft;this._map._container.focus(),t.scrollTo(s,o)}},_onFocus:function(){this._focused=!0,this._map.fire("focus")},_onBlur:function(){this._focused=!1,this._map.fire("blur")},_setPanOffset:function(t){var e,i,n=this._panKeys={},o=this.keyCodes;for(e=0,i=o.left.length;i>e;e++)n[o.left[e]]=[-1*t,0];for(e=0,i=o.right.length;i>e;e++)n[o.right[e]]=[t,0];for(e=0,i=o.down.length;i>e;e++)n[o.down[e]]=[0,t];for(e=0,i=o.up.length;i>e;e++)n[o.up[e]]=[0,-1*t]},_setZoomOffset:function(t){var e,i,n=this._zoomKeys={},o=this.keyCodes;for(e=0,i=o.zoomIn.length;i>e;e++)n[o.zoomIn[e]]=t;for(e=0,i=o.zoomOut.length;i>e;e++)n[o.zoomOut[e]]=-t},_addHooks:function(){o.DomEvent.on(e,"keydown",this._onKeyDown,this)},_removeHooks:function(){o.DomEvent.off(e,"keydown",this._onKeyDown,this)},_onKeyDown:function(t){var e=t.keyCode,i=this._map;if(e in this._panKeys){if(i._panAnim&&i._panAnim._inProgress)return;i.panBy(this._panKeys[e]),i.options.maxBounds&&i.panInsideBounds(i.options.maxBounds)}else{if(!(e in this._zoomKeys))return;i.setZoom(i.getZoom()+this._zoomKeys[e])}o.DomEvent.stop(t)}}),o.Map.addInitHook("addHandler","keyboard",o.Map.Keyboard),o.Handler.MarkerDrag=o.Handler.extend({initialize:function(t){this._marker=t},addHooks:function(){var t=this._marker._icon;this._draggable||(this._draggable=new o.Draggable(t,t)),this._draggable.on("dragstart",this._onDragStart,this).on("drag",this._onDrag,this).on("dragend",this._onDragEnd,this),this._draggable.enable(),o.DomUtil.addClass(this._marker._icon,"leaflet-marker-draggable")},removeHooks:function(){this._draggable.off("dragstart",this._onDragStart,this).off("drag",this._onDrag,this).off("dragend",this._onDragEnd,this),this._draggable.disable(),o.DomUtil.removeClass(this._marker._icon,"leaflet-marker-draggable")},moved:function(){return this._draggable&&this._draggable._moved},_onDragStart:function(){this._marker.closePopup().fire("movestart").fire("dragstart")},_onDrag:function(){var t=this._marker,e=t._shadow,i=o.DomUtil.getPosition(t._icon),n=t._map.layerPointToLatLng(i);e&&o.DomUtil.setPosition(e,i),t._latlng=n,t.fire("move",{latlng:n}).fire("drag")},_onDragEnd:function(t){this._marker.fire("moveend").fire("dragend",t)}}),o.Control=o.Class.extend({options:{position:"topright"},initialize:function(t){o.setOptions(this,t)},getPosition:function(){return this.options.position},setPosition:function(t){var e=this._map;return e&&e.removeControl(this),this.options.position=t,e&&e.addControl(this),this},getContainer:function(){return this._container},addTo:function(t){this._map=t;var e=this._container=this.onAdd(t),i=this.getPosition(),n=t._controlCorners[i];return o.DomUtil.addClass(e,"leaflet-control"),-1!==i.indexOf("bottom")?n.insertBefore(e,n.firstChild):n.appendChild(e),this},removeFrom:function(t){var e=this.getPosition(),i=t._controlCorners[e];return i.removeChild(this._container),this._map=null,this.onRemove&&this.onRemove(t),this},_refocusOnMap:function(){this._map&&this._map.getContainer().focus()}}),o.control=function(t){return new o.Control(t)},o.Map.include({addControl:function(t){return t.addTo(this),this},removeControl:function(t){return t.removeFrom(this),this},_initControlPos:function(){function t(t,s){var a=i+t+" "+i+s;e[t+s]=o.DomUtil.create("div",a,n)}var e=this._controlCorners={},i="leaflet-",n=this._controlContainer=o.DomUtil.create("div",i+"control-container",this._container);t("top","left"),t("top","right"),t("bottom","left"),t("bottom","right")},_clearControlPos:function(){this._container.removeChild(this._controlContainer)}}),o.Control.Zoom=o.Control.extend({options:{position:"topleft",zoomInText:"+",zoomInTitle:"Zoom in",zoomOutText:"-",zoomOutTitle:"Zoom out"},onAdd:function(t){var e="leaflet-control-zoom",i=o.DomUtil.create("div",e+" leaflet-bar");return this._map=t,this._zoomInButton=this._createButton(this.options.zoomInText,this.options.zoomInTitle,e+"-in",i,this._zoomIn,this),this._zoomOutButton=this._createButton(this.options.zoomOutText,this.options.zoomOutTitle,e+"-out",i,this._zoomOut,this),this._updateDisabled(),t.on("zoomend zoomlevelschange",this._updateDisabled,this),i},onRemove:function(t){t.off("zoomend zoomlevelschange",this._updateDisabled,this)},_zoomIn:function(t){this._map.zoomIn(t.shiftKey?3:1)},_zoomOut:function(t){this._map.zoomOut(t.shiftKey?3:1)},_createButton:function(t,e,i,n,s,a){var r=o.DomUtil.create("a",i,n);r.innerHTML=t,r.href="#",r.title=e;var h=o.DomEvent.stopPropagation;return o.DomEvent.on(r,"click",h).on(r,"mousedown",h).on(r,"dblclick",h).on(r,"click",o.DomEvent.preventDefault).on(r,"click",s,a).on(r,"click",this._refocusOnMap,a),r},_updateDisabled:function(){var t=this._map,e="leaflet-disabled";o.DomUtil.removeClass(this._zoomInButton,e),o.DomUtil.removeClass(this._zoomOutButton,e),t._zoom===t.getMinZoom()&&o.DomUtil.addClass(this._zoomOutButton,e),t._zoom===t.getMaxZoom()&&o.DomUtil.addClass(this._zoomInButton,e)}}),o.Map.mergeOptions({zoomControl:!0}),o.Map.addInitHook(function(){this.options.zoomControl&&(this.zoomControl=new o.Control.Zoom,this.addControl(this.zoomControl))}),o.control.zoom=function(t){return new o.Control.Zoom(t)},o.Control.Attribution=o.Control.extend({options:{position:"bottomright",prefix:'<a href="http://leafletjs.com" title="A JS library for interactive maps">Leaflet</a>'},initialize:function(t){o.setOptions(this,t),this._attributions={}},onAdd:function(t){this._container=o.DomUtil.create("div","leaflet-control-attribution"),o.DomEvent.disableClickPropagation(this._container);for(var e in t._layers)t._layers[e].getAttribution&&this.addAttribution(t._layers[e].getAttribution());return t.on("layeradd",this._onLayerAdd,this).on("layerremove",this._onLayerRemove,this),this._update(),this._container},onRemove:function(t){t.off("layeradd",this._onLayerAdd).off("layerremove",this._onLayerRemove)},setPrefix:function(t){return this.options.prefix=t,this._update(),this},addAttribution:function(t){return t?(this._attributions[t]||(this._attributions[t]=0),this._attributions[t]++,this._update(),this):void 0},removeAttribution:function(t){return t?(this._attributions[t]&&(this._attributions[t]--,this._update()),this):void 0},_update:function(){if(this._map){var t=[];for(var e in this._attributions)this._attributions[e]&&t.push(e);var i=[];this.options.prefix&&i.push(this.options.prefix),t.length&&i.push(t.join(", ")),this._container.innerHTML=i.join(" | ")}},_onLayerAdd:function(t){t.layer.getAttribution&&this.addAttribution(t.layer.getAttribution())},_onLayerRemove:function(t){t.layer.getAttribution&&this.removeAttribution(t.layer.getAttribution())}}),o.Map.mergeOptions({attributionControl:!0}),o.Map.addInitHook(function(){this.options.attributionControl&&(this.attributionControl=(new o.Control.Attribution).addTo(this))}),o.control.attribution=function(t){return new o.Control.Attribution(t)},o.Control.Scale=o.Control.extend({options:{position:"bottomleft",maxWidth:100,metric:!0,imperial:!0,updateWhenIdle:!1},onAdd:function(t){this._map=t;var e="leaflet-control-scale",i=o.DomUtil.create("div",e),n=this.options;return this._addScales(n,e,i),t.on(n.updateWhenIdle?"moveend":"move",this._update,this),t.whenReady(this._update,this),i},onRemove:function(t){t.off(this.options.updateWhenIdle?"moveend":"move",this._update,this)},_addScales:function(t,e,i){t.metric&&(this._mScale=o.DomUtil.create("div",e+"-line",i)),t.imperial&&(this._iScale=o.DomUtil.create("div",e+"-line",i))},_update:function(){var t=this._map.getBounds(),e=t.getCenter().lat,i=6378137*Math.PI*Math.cos(e*Math.PI/180),n=i*(t.getNorthEast().lng-t.getSouthWest().lng)/180,o=this._map.getSize(),s=this.options,a=0;o.x>0&&(a=n*(s.maxWidth/o.x)),this._updateScales(s,a)},_updateScales:function(t,e){t.metric&&e&&this._updateMetric(e),t.imperial&&e&&this._updateImperial(e)},_updateMetric:function(t){var e=this._getRoundNum(t);this._mScale.style.width=this._getScaleWidth(e/t)+"px",this._mScale.innerHTML=1e3>e?e+" m":e/1e3+" km"},_updateImperial:function(t){var e,i,n,o=3.2808399*t,s=this._iScale;o>5280?(e=o/5280,i=this._getRoundNum(e),s.style.width=this._getScaleWidth(i/e)+"px",s.innerHTML=i+" mi"):(n=this._getRoundNum(o),s.style.width=this._getScaleWidth(n/o)+"px",s.innerHTML=n+" ft")},_getScaleWidth:function(t){return Math.round(this.options.maxWidth*t)-10},_getRoundNum:function(t){var e=Math.pow(10,(Math.floor(t)+"").length-1),i=t/e;return i=i>=10?10:i>=5?5:i>=3?3:i>=2?2:1,e*i}}),o.control.scale=function(t){return new o.Control.Scale(t)},o.Control.Layers=o.Control.extend({options:{collapsed:!0,position:"topright",autoZIndex:!0},initialize:function(t,e,i){o.setOptions(this,i),this._layers={},this._lastZIndex=0,this._handlingClick=!1;for(var n in t)this._addLayer(t[n],n);for(n in e)this._addLayer(e[n],n,!0)},onAdd:function(t){return this._initLayout(),this._update(),t.on("layeradd",this._onLayerChange,this).on("layerremove",this._onLayerChange,this),this._container},onRemove:function(t){t.off("layeradd",this._onLayerChange,this).off("layerremove",this._onLayerChange,this)},addBaseLayer:function(t,e){return this._addLayer(t,e),this._update(),this},addOverlay:function(t,e){return this._addLayer(t,e,!0),this._update(),this},removeLayer:function(t){var e=o.stamp(t);return delete this._layers[e],this._update(),this},_initLayout:function(){var t="leaflet-control-layers",e=this._container=o.DomUtil.create("div",t);e.setAttribute("aria-haspopup",!0),o.Browser.touch?o.DomEvent.on(e,"click",o.DomEvent.stopPropagation):o.DomEvent.disableClickPropagation(e).disableScrollPropagation(e);var i=this._form=o.DomUtil.create("form",t+"-list");if(this.options.collapsed){o.Browser.android||o.DomEvent.on(e,"mouseover",this._expand,this).on(e,"mouseout",this._collapse,this);var n=this._layersLink=o.DomUtil.create("a",t+"-toggle",e);n.href="#",n.title="Layers",o.Browser.touch?o.DomEvent.on(n,"click",o.DomEvent.stop).on(n,"click",this._expand,this):o.DomEvent.on(n,"focus",this._expand,this),o.DomEvent.on(i,"click",function(){setTimeout(o.bind(this._onInputClick,this),0)},this),this._map.on("click",this._collapse,this)}else this._expand();this._baseLayersList=o.DomUtil.create("div",t+"-base",i),this._separator=o.DomUtil.create("div",t+"-separator",i),this._overlaysList=o.DomUtil.create("div",t+"-overlays",i),e.appendChild(i)},_addLayer:function(t,e,i){var n=o.stamp(t);this._layers[n]={layer:t,name:e,overlay:i},this.options.autoZIndex&&t.setZIndex&&(this._lastZIndex++,t.setZIndex(this._lastZIndex))},_update:function(){if(this._container){this._baseLayersList.innerHTML="",this._overlaysList.innerHTML="";var t,e,i=!1,n=!1;for(t in this._layers)e=this._layers[t],this._addItem(e),n=n||e.overlay,i=i||!e.overlay;this._separator.style.display=n&&i?"":"none"}},_onLayerChange:function(t){var e=this._layers[o.stamp(t.layer)];if(e){this._handlingClick||this._update();var i=e.overlay?"layeradd"===t.type?"overlayadd":"overlayremove":"layeradd"===t.type?"baselayerchange":null;i&&this._map.fire(i,e)}},_createRadioElement:function(t,i){var n='<input type="radio" class="leaflet-control-layers-selector" name="'+t+'"';i&&(n+=' checked="checked"'),n+="/>";var o=e.createElement("div");return o.innerHTML=n,o.firstChild},_addItem:function(t){var i,n=e.createElement("label"),s=this._map.hasLayer(t.layer);t.overlay?(i=e.createElement("input"),i.type="checkbox",i.className="leaflet-control-layers-selector",i.defaultChecked=s):i=this._createRadioElement("leaflet-base-layers",s),i.layerId=o.stamp(t.layer),o.DomEvent.on(i,"click",this._onInputClick,this);var a=e.createElement("span");a.innerHTML=" "+t.name,n.appendChild(i),n.appendChild(a);var r=t.overlay?this._overlaysList:this._baseLayersList;return r.appendChild(n),n},_onInputClick:function(){var t,e,i,n=this._form.getElementsByTagName("input"),o=n.length;for(this._handlingClick=!0,t=0;o>t;t++)e=n[t],i=this._layers[e.layerId],e.checked&&!this._map.hasLayer(i.layer)?this._map.addLayer(i.layer):!e.checked&&this._map.hasLayer(i.layer)&&this._map.removeLayer(i.layer);this._handlingClick=!1,this._refocusOnMap()},_expand:function(){o.DomUtil.addClass(this._container,"leaflet-control-layers-expanded")},_collapse:function(){this._container.className=this._container.className.replace(" leaflet-control-layers-expanded","")}}),o.control.layers=function(t,e,i){return new o.Control.Layers(t,e,i)},o.PosAnimation=o.Class.extend({includes:o.Mixin.Events,run:function(t,e,i,n){this.stop(),this._el=t,this._inProgress=!0,this._newPos=e,this.fire("start"),t.style[o.DomUtil.TRANSITION]="all "+(i||.25)+"s cubic-bezier(0,0,"+(n||.5)+",1)",o.DomEvent.on(t,o.DomUtil.TRANSITION_END,this._onTransitionEnd,this),o.DomUtil.setPosition(t,e),o.Util.falseFn(t.offsetWidth),this._stepTimer=setInterval(o.bind(this._onStep,this),50)},stop:function(){this._inProgress&&(o.DomUtil.setPosition(this._el,this._getPos()),this._onTransitionEnd(),o.Util.falseFn(this._el.offsetWidth))},_onStep:function(){var t=this._getPos();return t?(this._el._leaflet_pos=t,void this.fire("step")):void this._onTransitionEnd()},_transformRe:/([-+]?(?:\d*\.)?\d+)\D*, ([-+]?(?:\d*\.)?\d+)\D*\)/,_getPos:function(){var e,i,n,s=this._el,a=t.getComputedStyle(s);if(o.Browser.any3d){if(n=a[o.DomUtil.TRANSFORM].match(this._transformRe),!n)return;e=parseFloat(n[1]),i=parseFloat(n[2])}else e=parseFloat(a.left),i=parseFloat(a.top);return new o.Point(e,i,!0)},_onTransitionEnd:function(){o.DomEvent.off(this._el,o.DomUtil.TRANSITION_END,this._onTransitionEnd,this),this._inProgress&&(this._inProgress=!1,this._el.style[o.DomUtil.TRANSITION]="",this._el._leaflet_pos=this._newPos,clearInterval(this._stepTimer),this.fire("step").fire("end"))}}),o.Map.include({setView:function(t,e,n){if(e=e===i?this._zoom:this._limitZoom(e),t=this._limitCenter(o.latLng(t),e,this.options.maxBounds),n=n||{},this._panAnim&&this._panAnim.stop(),this._loaded&&!n.reset&&n!==!0){n.animate!==i&&(n.zoom=o.extend({animate:n.animate},n.zoom),n.pan=o.extend({animate:n.animate},n.pan));var s=this._zoom!==e?this._tryAnimatedZoom&&this._tryAnimatedZoom(t,e,n.zoom):this._tryAnimatedPan(t,n.pan);if(s)return clearTimeout(this._sizeTimer),this}return this._resetView(t,e),this},panBy:function(t,e){if(t=o.point(t).round(),e=e||{},!t.x&&!t.y)return this;if(this._panAnim||(this._panAnim=new o.PosAnimation,this._panAnim.on({step:this._onPanTransitionStep,end:this._onPanTransitionEnd},this)),e.noMoveStart||this.fire("movestart"),e.animate!==!1){o.DomUtil.addClass(this._mapPane,"leaflet-pan-anim");var i=this._getMapPanePos().subtract(t);this._panAnim.run(this._mapPane,i,e.duration||.25,e.easeLinearity)}else this._rawPanBy(t),this.fire("move").fire("moveend");return this},_onPanTransitionStep:function(){this.fire("move")},_onPanTransitionEnd:function(){o.DomUtil.removeClass(this._mapPane,"leaflet-pan-anim"),this.fire("moveend")},_tryAnimatedPan:function(t,e){var i=this._getCenterOffset(t)._floor();return(e&&e.animate)===!0||this.getSize().contains(i)?(this.panBy(i,e),!0):!1}}),o.PosAnimation=o.DomUtil.TRANSITION?o.PosAnimation:o.PosAnimation.extend({run:function(t,e,i,n){this.stop(),this._el=t,this._inProgress=!0,this._duration=i||.25,this._easeOutPower=1/Math.max(n||.5,.2),this._startPos=o.DomUtil.getPosition(t),this._offset=e.subtract(this._startPos),this._startTime=+new Date,this.fire("start"),this._animate()},stop:function(){this._inProgress&&(this._step(),this._complete())},_animate:function(){this._animId=o.Util.requestAnimFrame(this._animate,this),this._step()},_step:function(){var t=+new Date-this._startTime,e=1e3*this._duration;e>t?this._runFrame(this._easeOut(t/e)):(this._runFrame(1),this._complete())},_runFrame:function(t){var e=this._startPos.add(this._offset.multiplyBy(t));o.DomUtil.setPosition(this._el,e),this.fire("step")},_complete:function(){o.Util.cancelAnimFrame(this._animId),this._inProgress=!1,this.fire("end")},_easeOut:function(t){return 1-Math.pow(1-t,this._easeOutPower)}}),o.Map.mergeOptions({zoomAnimation:!0,zoomAnimationThreshold:4}),o.DomUtil.TRANSITION&&o.Map.addInitHook(function(){this._zoomAnimated=this.options.zoomAnimation&&o.DomUtil.TRANSITION&&o.Browser.any3d&&!o.Browser.android23&&!o.Browser.mobileOpera,this._zoomAnimated&&o.DomEvent.on(this._mapPane,o.DomUtil.TRANSITION_END,this._catchTransitionEnd,this)}),o.Map.include(o.DomUtil.TRANSITION?{_catchTransitionEnd:function(t){this._animatingZoom&&t.propertyName.indexOf("transform")>=0&&this._onZoomTransitionEnd()},_nothingToAnimate:function(){return!this._container.getElementsByClassName("leaflet-zoom-animated").length},_tryAnimatedZoom:function(t,e,i){if(this._animatingZoom)return!0;if(i=i||{},!this._zoomAnimated||i.animate===!1||this._nothingToAnimate()||Math.abs(e-this._zoom)>this.options.zoomAnimationThreshold)return!1;var n=this.getZoomScale(e),o=this._getCenterOffset(t)._divideBy(1-1/n),s=this._getCenterLayerPoint()._add(o);return i.animate===!0||this.getSize().contains(o)?(this.fire("movestart").fire("zoomstart"),this._animateZoom(t,e,s,n,null,!0),!0):!1},_animateZoom:function(t,e,i,n,s,a,r){r||(this._animatingZoom=!0),o.DomUtil.addClass(this._mapPane,"leaflet-zoom-anim"),this._animateToCenter=t,this._animateToZoom=e,o.Draggable&&(o.Draggable._disabled=!0),o.Util.requestAnimFrame(function(){this.fire("zoomanim",{center:t,zoom:e,origin:i,scale:n,delta:s,backwards:a}),setTimeout(o.bind(this._onZoomTransitionEnd,this),250)},this)},_onZoomTransitionEnd:function(){this._animatingZoom&&(this._animatingZoom=!1,o.DomUtil.removeClass(this._mapPane,"leaflet-zoom-anim"),this._resetView(this._animateToCenter,this._animateToZoom,!0,!0),o.Draggable&&(o.Draggable._disabled=!1))}}:{}),o.TileLayer.include({_animateZoom:function(t){this._animating||(this._animating=!0,this._prepareBgBuffer());var e=this._bgBuffer,i=o.DomUtil.TRANSFORM,n=t.delta?o.DomUtil.getTranslateString(t.delta):e.style[i],s=o.DomUtil.getScaleString(t.scale,t.origin);e.style[i]=t.backwards?s+" "+n:n+" "+s},_endZoomAnim:function(){var t=this._tileContainer,e=this._bgBuffer;t.style.visibility="",t.parentNode.appendChild(t),o.Util.falseFn(e.offsetWidth);var i=this._map.getZoom();(i>this.options.maxZoom||i<this.options.minZoom)&&this._clearBgBuffer(),this._animating=!1},_clearBgBuffer:function(){var t=this._map;!t||t._animatingZoom||t.touchZoom._zooming||(this._bgBuffer.innerHTML="",this._bgBuffer.style[o.DomUtil.TRANSFORM]="")},_prepareBgBuffer:function(){var t=this._tileContainer,e=this._bgBuffer,i=this._getLoadedTilesPercentage(e),n=this._getLoadedTilesPercentage(t);return e&&i>.5&&.5>n?(t.style.visibility="hidden",void this._stopLoadingImages(t)):(e.style.visibility="hidden",e.style[o.DomUtil.TRANSFORM]="",this._tileContainer=e,e=this._bgBuffer=t,this._stopLoadingImages(e),void clearTimeout(this._clearBgBufferTimer))},_getLoadedTilesPercentage:function(t){var e,i,n=t.getElementsByTagName("img"),o=0;for(e=0,i=n.length;i>e;e++)n[e].complete&&o++;return o/i},_stopLoadingImages:function(t){var e,i,n,s=Array.prototype.slice.call(t.getElementsByTagName("img"));for(e=0,i=s.length;i>e;e++)n=s[e],n.complete||(n.onload=o.Util.falseFn,n.onerror=o.Util.falseFn,n.src=o.Util.emptyImageUrl,n.parentNode.removeChild(n))}}),o.Map.include({_defaultLocateOptions:{watch:!1,setView:!1,maxZoom:1/0,timeout:1e4,maximumAge:0,enableHighAccuracy:!1},locate:function(t){if(t=this._locateOptions=o.extend(this._defaultLocateOptions,t),!navigator.geolocation)return this._handleGeolocationError({code:0,message:"Geolocation not supported."}),this;var e=o.bind(this._handleGeolocationResponse,this),i=o.bind(this._handleGeolocationError,this);return t.watch?this._locationWatchId=navigator.geolocation.watchPosition(e,i,t):navigator.geolocation.getCurrentPosition(e,i,t),this},stopLocate:function(){return navigator.geolocation&&navigator.geolocation.clearWatch(this._locationWatchId),this._locateOptions&&(this._locateOptions.setView=!1),this},_handleGeolocationError:function(t){var e=t.code,i=t.message||(1===e?"permission denied":2===e?"position unavailable":"timeout");this._locateOptions.setView&&!this._loaded&&this.fitWorld(),this.fire("locationerror",{code:e,message:"Geolocation error: "+i+"."})},_handleGeolocationResponse:function(t){var e=t.coords.latitude,i=t.coords.longitude,n=new o.LatLng(e,i),s=180*t.coords.accuracy/40075017,a=s/Math.cos(o.LatLng.DEG_TO_RAD*e),r=o.latLngBounds([e-s,i-a],[e+s,i+a]),h=this._locateOptions;if(h.setView){var l=Math.min(this.getBoundsZoom(r),h.maxZoom);this.setView(n,l)}var u={latlng:n,bounds:r,timestamp:t.timestamp};for(var c in t.coords)"number"==typeof t.coords[c]&&(u[c]=t.coords[c]);this.fire("locationfound",u)}})}(window,document);
\ No newline at end of file
diff --git a/TESTING_WEB/maps b/TESTING_WEB/maps
new file mode 120000 (symlink)
index 0000000..c76f8d0
--- /dev/null
@@ -0,0 +1 @@
+../MAP/
\ No newline at end of file
diff --git a/geotiles.sh b/geotiles.sh
new file mode 100755 (executable)
index 0000000..ca83b18
--- /dev/null
@@ -0,0 +1,225 @@
+#!/bin/bash
+
+if [ $# -lt 6 ]; then
+       echo "GEO Tiles Downloader. Written by Dmitry Shalnov (c) 2018. Apache License, Version 2.0"
+       echo "Specify 2 points and zoom level diapasone of rectangular part of the map you targeted."
+       echo "Usage: $0 <lat1> <lon1> <lat2> <lon2> <zoom level 1> <zoom level 2> [other options]"
+       echo "-d        path to map directory (MAP/ by default)"
+       echo "-m        tiles source (https://tile.openstreetmap.org by default)"
+       echo "-v        verbose"
+       echo "-o        overwrite"
+       echo "WARNNING: Please use reasonably. Don't abuse tile servers!"
+       exit 1
+fi
+
+LAT1=$1
+LONG1=$2
+LAT2=$3
+LONG2=$4
+ZOOM1=$5
+ZOOM2=$6
+
+MAP_DEF="https://tile.openstreetmap.org"
+TMP_TILELIST_FILE="/tmp/tileList"
+
+: > $TMP_TILELIST_FILE
+
+shift 6
+
+while [ "$#" -gt 0 ]; do
+       case "$1" in
+               -v) VERBOSE=1; shift 1;;
+               -o) OVERWRITE=1; shift 1;;
+               -d) MAP_DIR="$2"; shift 2;;
+               -m) MAP_SRC="$2"; shift 2;;
+               -*) echo "unknown option: $1" >&2; exit 1;;
+               *) shift 1;;
+       esac
+done
+
+# ------------------------------------------------------------------------
+
+# tech details https://wiki.openstreetmap.org/wiki/Slippy_map_tilenames
+
+xtile2long() {
+       xtile=$1
+       zoom=$2
+       echo "${xtile} ${zoom}" | awk '{printf("%.9f", $1 / 2.0^$2 * 360.0 - 180)}'
+} 
+
+long2xtile() { 
+       long=$1
+       zoom=$2
+       echo "${long} ${zoom}" | awk '{ xtile = ($1 + 180.0) / 360 * 2.0^$2; 
+               xtile+=xtile<0?-0.5:0.5;
+               printf("%d", xtile ) }'
+}
+
+ytile2lat() {
+       ytile=$1;
+       zoom=$2;
+       tms=$3;
+       if [ ! -z "${tms}" ]
+       then
+       #               from tms_numbering into osm_numbering
+               ytile=`echo "${ytile}" ${zoom} | awk '{printf("%d\n",((2.0^$2)-1)-$1)}'`;
+       fi
+       lat=`echo "${ytile} ${zoom}" | awk -v PI=3.14159265358979323846 '{ 
+                                                num_tiles = PI - 2.0 * PI * $1 / 2.0^$2;
+                                                printf("%.9f", 180.0 / PI * atan2(0.5 * (exp(num_tiles) - exp(-num_tiles)),1)); }'`;
+       echo "${lat}";
+}
+
+lat2ytile() { 
+       lat=$1;
+       zoom=$2;
+       tms=$3;
+       ytile=`echo "${lat} ${zoom}" | awk -v PI=3.14159265358979323846 '{ 
+                tan_x=sin($1 * PI / 180.0)/cos($1 * PI / 180.0);
+                ytile = (1 - log(tan_x + 1/cos($1 * PI/ 180))/PI)/2 * 2.0^$2; 
+                ytile+=ytile<0?-0.5:0.5;
+                printf("%d", ytile ) }'`;
+       if [ ! -z "${tms}" ]
+       then
+               # from oms_numbering into tms_numbering
+               ytile=`echo "${ytile}" ${zoom} | awk '{printf("%d\n",((2.0^$2)-1)-$1)}'`;
+       fi
+       echo "${ytile}";
+}
+
+average() {
+       echo "$1" "$2" | awk '{printf( "%f\n", $1 + ($2 - $1)/2 ) }'
+}
+
+flat(){
+       echo "$1" | awk '{printf( "%d\n", $1 )}'
+}
+
+RAND() {
+       awk -v MAX="$1"  'BEGIN{ srand(); print int(rand() * MAX ); }'
+}
+
+
+# ------------------------------------------------------------------------
+
+if [ -z "$MAP_DIR" ]; then 
+       MAP_DIR=MAP
+fi
+
+if [ -z "$MAP_SRC" ]; then 
+       MAP_SRC=$MAP_DEF
+else 
+       if [ -z "$(curl -Is "$MAP_SRC" | head -1)" ]; then 
+               echo "Could not resolve $MAP_SRC. Please check URL." >&2
+               exit 0
+       fi 
+fi
+
+# add coordinates and zoom to the Map Directory 
+
+latAverage=$( average $LAT1 $LAT2 )
+lonAverage=$( average $LONG1 $LONG2 )
+zoomAverage=$( flat $( average $ZOOM1 $ZOOM2 ))
+
+MAP_DIR="MAP/$MAP_DIR|$latAverage|$lonAverage|$zoomAverage"
+
+if [ ! -d "$MAP_DIR" ]; then 
+       if mkdir -p $MAP_DIR 2>/dev/null; then 
+               echo "$MAP_DIR has been created"
+       else 
+               echo "$MAP_DIR has not been created" >&2
+               exit 0
+       fi
+fi
+
+# ------------------------------------------------------------------------
+
+# seq zoom order prefixes setup 
+
+if [ $ZOOM1 -gt $ZOOM2 ]; then SEQ_ZOOM_STEP='-1'; fi 
+
+# avoid infinities
+
+#if [ "$LONG1" == "180" ]; then LONG1="179.999"; fi
+if [ "$LAT1" == "90" ]; then LAT1="85.0511"; fi
+
+#if [ "$LONG2" == "180" ]; then LONG2="179.999"; fi
+if [ "$LAT2" == "90" ]; then LAT2="85.0511"; fi
+
+#if [ "$LONG1" == "-180" ]; then LONG1="-179.999"; fi
+if [ "$LAT1" == "-90" ]; then LAT1="-85.0511"; fi
+
+#if [ "$LONG2" == "-180" ]; then LONG2="-179.999"; fi
+if [ "$LAT2" == "-90" ]; then LAT2="-85.0511"; fi
+
+
+# main loop of tiles collection
+
+for ZOOM in $(seq $ZOOM1 $SEQ_ZOOM_STEP $ZOOM2); do
+
+       mkdir -p $MAP_DIR/$ZOOM/
+
+       TILE1_X=$( long2xtile ${LONG1} ${ZOOM} );
+       TILE1_Y=$( lat2ytile ${LAT1} ${ZOOM} ${TMS} );
+       TILE2_X=$( long2xtile ${LONG2} ${ZOOM} );
+       TILE2_Y=$( lat2ytile ${LAT2} ${ZOOM} ${TMS} );
+
+       # seq order prefixes setup + wrong tile remove
+
+       if [ "$TILE1_X" -gt "$TILE2_X" ]; then 
+               SEQ_X_STEP='-1'; 
+               TILE1_X=$(( $TILE1_X - 1 ))
+       else 
+               TILE2_X=$(( $TILE2_X - 1 ))
+       fi 
+
+       if [ "$TILE1_Y" -gt "$TILE2_Y" ]; then 
+               SEQ_Y_STEP='-1'; 
+               TILE1_Y=$(( $TILE1_Y - 1 ))
+       else 
+               TILE2_Y=$(( $TILE2_Y - 1 ))
+       fi 
+
+       # collecting the list of tiles 
+
+       for tileX in $(seq $TILE1_X $SEQ_X_STEP $TILE2_X); do
+
+               mkdir -p $MAP_DIR/$ZOOM/$tileX/ 2>/dev/null
+
+               for tileY in $(seq $TILE1_Y $SEQ_Y_STEP $TILE2_Y); do
+                       echo $ZOOM/$tileX/$tileY >> $TMP_TILELIST_FILE
+               done
+       done
+done
+
+sort --random-sort $TMP_TILELIST_FILE -o $TMP_TILELIST_FILE
+
+lines=$(cat $TMP_TILELIST_FILE | wc -l)
+
+echo Total: $lines tiles
+
+while read line; do
+
+       r=$(RAND 4)
+       sleep $r # not be too abusive to server
+
+       if [ ! -z "$OVERWRITE" ] || [ ! -f $MAP_DIR/$line.png ]; then 
+
+               if [ ! -z "$VERBOSE" ]; then postFix=" $line\n"; else postFix=''; fi
+
+               if ! curl -sS "$MAP_SRC/$line.png" -o "$MAP_DIR/$line.png" ; then 
+                       echo "Something went wrong"
+                       exit 0
+               fi 
+
+               printf "+$postFix"
+       else 
+               printf ".$postFix"                              
+       fi
+
+done < $TMP_TILELIST_FILE
+
+echo ''
+exit 0
+
+
Contact me: dev (at) shalnoff (dot) com
PGP fingerprint: A6B8 3B23 6013 F18A 0C71 198B 83D8 C64D 917A 5717