]> git.openstreetmap.org Git - rails.git/blob - vendor/assets/leaflet/leaflet.js
aecf2677ba664db88dab18925a9771c7aedffaf0
[rails.git] / vendor / assets / leaflet / leaflet.js
1 /*
2  Leaflet, a JavaScript library for mobile-friendly interactive maps. http://leafletjs.com
3  (c) 2010-2013, Vladimir Agafonkin
4  (c) 2010-2011, CloudMade
5 */
6 (function (window, document, undefined) {
7 var oldL = window.L,
8     L = {};
9
10 L.version = '0.7.4';
11
12 // define Leaflet for Node module pattern loaders, including Browserify
13 if (typeof module === 'object' && typeof module.exports === 'object') {
14         module.exports = L;
15
16 // define Leaflet as an AMD module
17 } else if (typeof define === 'function' && define.amd) {
18         define(L);
19 }
20
21 // define Leaflet as a global L variable, saving the original L to restore later if needed
22
23 L.noConflict = function () {
24         window.L = oldL;
25         return this;
26 };
27
28 window.L = L;
29
30
31 /*
32  * L.Util contains various utility functions used throughout Leaflet code.
33  */
34
35 L.Util = {
36         extend: function (dest) { // (Object[, Object, ...]) ->
37                 var sources = Array.prototype.slice.call(arguments, 1),
38                     i, j, len, src;
39
40                 for (j = 0, len = sources.length; j < len; j++) {
41                         src = sources[j] || {};
42                         for (i in src) {
43                                 if (src.hasOwnProperty(i)) {
44                                         dest[i] = src[i];
45                                 }
46                         }
47                 }
48                 return dest;
49         },
50
51         bind: function (fn, obj) { // (Function, Object) -> Function
52                 var args = arguments.length > 2 ? Array.prototype.slice.call(arguments, 2) : null;
53                 return function () {
54                         return fn.apply(obj, args || arguments);
55                 };
56         },
57
58         stamp: (function () {
59                 var lastId = 0,
60                     key = '_leaflet_id';
61                 return function (obj) {
62                         obj[key] = obj[key] || ++lastId;
63                         return obj[key];
64                 };
65         }()),
66
67         invokeEach: function (obj, method, context) {
68                 var i, args;
69
70                 if (typeof obj === 'object') {
71                         args = Array.prototype.slice.call(arguments, 3);
72
73                         for (i in obj) {
74                                 method.apply(context, [i, obj[i]].concat(args));
75                         }
76                         return true;
77                 }
78
79                 return false;
80         },
81
82         limitExecByInterval: function (fn, time, context) {
83                 var lock, execOnUnlock;
84
85                 return function wrapperFn() {
86                         var args = arguments;
87
88                         if (lock) {
89                                 execOnUnlock = true;
90                                 return;
91                         }
92
93                         lock = true;
94
95                         setTimeout(function () {
96                                 lock = false;
97
98                                 if (execOnUnlock) {
99                                         wrapperFn.apply(context, args);
100                                         execOnUnlock = false;
101                                 }
102                         }, time);
103
104                         fn.apply(context, args);
105                 };
106         },
107
108         falseFn: function () {
109                 return false;
110         },
111
112         formatNum: function (num, digits) {
113                 var pow = Math.pow(10, digits || 5);
114                 return Math.round(num * pow) / pow;
115         },
116
117         trim: function (str) {
118                 return str.trim ? str.trim() : str.replace(/^\s+|\s+$/g, '');
119         },
120
121         splitWords: function (str) {
122                 return L.Util.trim(str).split(/\s+/);
123         },
124
125         setOptions: function (obj, options) {
126                 obj.options = L.extend({}, obj.options, options);
127                 return obj.options;
128         },
129
130         getParamString: function (obj, existingUrl, uppercase) {
131                 var params = [];
132                 for (var i in obj) {
133                         params.push(encodeURIComponent(uppercase ? i.toUpperCase() : i) + '=' + encodeURIComponent(obj[i]));
134                 }
135                 return ((!existingUrl || existingUrl.indexOf('?') === -1) ? '?' : '&') + params.join('&');
136         },
137         template: function (str, data) {
138                 return str.replace(/\{ *([\w_]+) *\}/g, function (str, key) {
139                         var value = data[key];
140                         if (value === undefined) {
141                                 throw new Error('No value provided for variable ' + str);
142                         } else if (typeof value === 'function') {
143                                 value = value(data);
144                         }
145                         return value;
146                 });
147         },
148
149         isArray: Array.isArray || function (obj) {
150                 return (Object.prototype.toString.call(obj) === '[object Array]');
151         },
152
153         emptyImageUrl: 'data:image/gif;base64,R0lGODlhAQABAAD/ACwAAAAAAQABAAACADs='
154 };
155
156 (function () {
157
158         // inspired by http://paulirish.com/2011/requestanimationframe-for-smart-animating/
159
160         function getPrefixed(name) {
161                 var i, fn,
162                     prefixes = ['webkit', 'moz', 'o', 'ms'];
163
164                 for (i = 0; i < prefixes.length && !fn; i++) {
165                         fn = window[prefixes[i] + name];
166                 }
167
168                 return fn;
169         }
170
171         var lastTime = 0;
172
173         function timeoutDefer(fn) {
174                 var time = +new Date(),
175                     timeToCall = Math.max(0, 16 - (time - lastTime));
176
177                 lastTime = time + timeToCall;
178                 return window.setTimeout(fn, timeToCall);
179         }
180
181         var requestFn = window.requestAnimationFrame ||
182                 getPrefixed('RequestAnimationFrame') || timeoutDefer;
183
184         var cancelFn = window.cancelAnimationFrame ||
185                 getPrefixed('CancelAnimationFrame') ||
186                 getPrefixed('CancelRequestAnimationFrame') ||
187                 function (id) { window.clearTimeout(id); };
188
189
190         L.Util.requestAnimFrame = function (fn, context, immediate, element) {
191                 fn = L.bind(fn, context);
192
193                 if (immediate && requestFn === timeoutDefer) {
194                         fn();
195                 } else {
196                         return requestFn.call(window, fn, element);
197                 }
198         };
199
200         L.Util.cancelAnimFrame = function (id) {
201                 if (id) {
202                         cancelFn.call(window, id);
203                 }
204         };
205
206 }());
207
208 // shortcuts for most used utility functions
209 L.extend = L.Util.extend;
210 L.bind = L.Util.bind;
211 L.stamp = L.Util.stamp;
212 L.setOptions = L.Util.setOptions;
213
214
215 /*
216  * L.Class powers the OOP facilities of the library.
217  * Thanks to John Resig and Dean Edwards for inspiration!
218  */
219
220 L.Class = function () {};
221
222 L.Class.extend = function (props) {
223
224         // extended class with the new prototype
225         var NewClass = function () {
226
227                 // call the constructor
228                 if (this.initialize) {
229                         this.initialize.apply(this, arguments);
230                 }
231
232                 // call all constructor hooks
233                 if (this._initHooks) {
234                         this.callInitHooks();
235                 }
236         };
237
238         // instantiate class without calling constructor
239         var F = function () {};
240         F.prototype = this.prototype;
241
242         var proto = new F();
243         proto.constructor = NewClass;
244
245         NewClass.prototype = proto;
246
247         //inherit parent's statics
248         for (var i in this) {
249                 if (this.hasOwnProperty(i) && i !== 'prototype') {
250                         NewClass[i] = this[i];
251                 }
252         }
253
254         // mix static properties into the class
255         if (props.statics) {
256                 L.extend(NewClass, props.statics);
257                 delete props.statics;
258         }
259
260         // mix includes into the prototype
261         if (props.includes) {
262                 L.Util.extend.apply(null, [proto].concat(props.includes));
263                 delete props.includes;
264         }
265
266         // merge options
267         if (props.options && proto.options) {
268                 props.options = L.extend({}, proto.options, props.options);
269         }
270
271         // mix given properties into the prototype
272         L.extend(proto, props);
273
274         proto._initHooks = [];
275
276         var parent = this;
277         // jshint camelcase: false
278         NewClass.__super__ = parent.prototype;
279
280         // add method for calling all hooks
281         proto.callInitHooks = function () {
282
283                 if (this._initHooksCalled) { return; }
284
285                 if (parent.prototype.callInitHooks) {
286                         parent.prototype.callInitHooks.call(this);
287                 }
288
289                 this._initHooksCalled = true;
290
291                 for (var i = 0, len = proto._initHooks.length; i < len; i++) {
292                         proto._initHooks[i].call(this);
293                 }
294         };
295
296         return NewClass;
297 };
298
299
300 // method for adding properties to prototype
301 L.Class.include = function (props) {
302         L.extend(this.prototype, props);
303 };
304
305 // merge new default options to the Class
306 L.Class.mergeOptions = function (options) {
307         L.extend(this.prototype.options, options);
308 };
309
310 // add a constructor hook
311 L.Class.addInitHook = function (fn) { // (Function) || (String, args...)
312         var args = Array.prototype.slice.call(arguments, 1);
313
314         var init = typeof fn === 'function' ? fn : function () {
315                 this[fn].apply(this, args);
316         };
317
318         this.prototype._initHooks = this.prototype._initHooks || [];
319         this.prototype._initHooks.push(init);
320 };
321
322
323 /*
324  * L.Mixin.Events is used to add custom events functionality to Leaflet classes.
325  */
326
327 var eventsKey = '_leaflet_events';
328
329 L.Mixin = {};
330
331 L.Mixin.Events = {
332
333         addEventListener: function (types, fn, context) { // (String, Function[, Object]) or (Object[, Object])
334
335                 // types can be a map of types/handlers
336                 if (L.Util.invokeEach(types, this.addEventListener, this, fn, context)) { return this; }
337
338                 var events = this[eventsKey] = this[eventsKey] || {},
339                     contextId = context && context !== this && L.stamp(context),
340                     i, len, event, type, indexKey, indexLenKey, typeIndex;
341
342                 // types can be a string of space-separated words
343                 types = L.Util.splitWords(types);
344
345                 for (i = 0, len = types.length; i < len; i++) {
346                         event = {
347                                 action: fn,
348                                 context: context || this
349                         };
350                         type = types[i];
351
352                         if (contextId) {
353                                 // store listeners of a particular context in a separate hash (if it has an id)
354                                 // gives a major performance boost when removing thousands of map layers
355
356                                 indexKey = type + '_idx';
357                                 indexLenKey = indexKey + '_len';
358
359                                 typeIndex = events[indexKey] = events[indexKey] || {};
360
361                                 if (!typeIndex[contextId]) {
362                                         typeIndex[contextId] = [];
363
364                                         // keep track of the number of keys in the index to quickly check if it's empty
365                                         events[indexLenKey] = (events[indexLenKey] || 0) + 1;
366                                 }
367
368                                 typeIndex[contextId].push(event);
369
370
371                         } else {
372                                 events[type] = events[type] || [];
373                                 events[type].push(event);
374                         }
375                 }
376
377                 return this;
378         },
379
380         hasEventListeners: function (type) { // (String) -> Boolean
381                 var events = this[eventsKey];
382                 return !!events && ((type in events && events[type].length > 0) ||
383                                     (type + '_idx' in events && events[type + '_idx_len'] > 0));
384         },
385
386         removeEventListener: function (types, fn, context) { // ([String, Function, Object]) or (Object[, Object])
387
388                 if (!this[eventsKey]) {
389                         return this;
390                 }
391
392                 if (!types) {
393                         return this.clearAllEventListeners();
394                 }
395
396                 if (L.Util.invokeEach(types, this.removeEventListener, this, fn, context)) { return this; }
397
398                 var events = this[eventsKey],
399                     contextId = context && context !== this && L.stamp(context),
400                     i, len, type, listeners, j, indexKey, indexLenKey, typeIndex, removed;
401
402                 types = L.Util.splitWords(types);
403
404                 for (i = 0, len = types.length; i < len; i++) {
405                         type = types[i];
406                         indexKey = type + '_idx';
407                         indexLenKey = indexKey + '_len';
408
409                         typeIndex = events[indexKey];
410
411                         if (!fn) {
412                                 // clear all listeners for a type if function isn't specified
413                                 delete events[type];
414                                 delete events[indexKey];
415                                 delete events[indexLenKey];
416
417                         } else {
418                                 listeners = contextId && typeIndex ? typeIndex[contextId] : events[type];
419
420                                 if (listeners) {
421                                         for (j = listeners.length - 1; j >= 0; j--) {
422                                                 if ((listeners[j].action === fn) && (!context || (listeners[j].context === context))) {
423                                                         removed = listeners.splice(j, 1);
424                                                         // set the old action to a no-op, because it is possible
425                                                         // that the listener is being iterated over as part of a dispatch
426                                                         removed[0].action = L.Util.falseFn;
427                                                 }
428                                         }
429
430                                         if (context && typeIndex && (listeners.length === 0)) {
431                                                 delete typeIndex[contextId];
432                                                 events[indexLenKey]--;
433                                         }
434                                 }
435                         }
436                 }
437
438                 return this;
439         },
440
441         clearAllEventListeners: function () {
442                 delete this[eventsKey];
443                 return this;
444         },
445
446         fireEvent: function (type, data) { // (String[, Object])
447                 if (!this.hasEventListeners(type)) {
448                         return this;
449                 }
450
451                 var event = L.Util.extend({}, data, { type: type, target: this });
452
453                 var events = this[eventsKey],
454                     listeners, i, len, typeIndex, contextId;
455
456                 if (events[type]) {
457                         // make sure adding/removing listeners inside other listeners won't cause infinite loop
458                         listeners = events[type].slice();
459
460                         for (i = 0, len = listeners.length; i < len; i++) {
461                                 listeners[i].action.call(listeners[i].context, event);
462                         }
463                 }
464
465                 // fire event for the context-indexed listeners as well
466                 typeIndex = events[type + '_idx'];
467
468                 for (contextId in typeIndex) {
469                         listeners = typeIndex[contextId].slice();
470
471                         if (listeners) {
472                                 for (i = 0, len = listeners.length; i < len; i++) {
473                                         listeners[i].action.call(listeners[i].context, event);
474                                 }
475                         }
476                 }
477
478                 return this;
479         },
480
481         addOneTimeEventListener: function (types, fn, context) {
482
483                 if (L.Util.invokeEach(types, this.addOneTimeEventListener, this, fn, context)) { return this; }
484
485                 var handler = L.bind(function () {
486                         this
487                             .removeEventListener(types, fn, context)
488                             .removeEventListener(types, handler, context);
489                 }, this);
490
491                 return this
492                     .addEventListener(types, fn, context)
493                     .addEventListener(types, handler, context);
494         }
495 };
496
497 L.Mixin.Events.on = L.Mixin.Events.addEventListener;
498 L.Mixin.Events.off = L.Mixin.Events.removeEventListener;
499 L.Mixin.Events.once = L.Mixin.Events.addOneTimeEventListener;
500 L.Mixin.Events.fire = L.Mixin.Events.fireEvent;
501
502
503 /*
504  * L.Browser handles different browser and feature detections for internal Leaflet use.
505  */
506
507 (function () {
508
509         var ie = 'ActiveXObject' in window,
510                 ielt9 = ie && !document.addEventListener,
511
512             // terrible browser detection to work around Safari / iOS / Android browser bugs
513             ua = navigator.userAgent.toLowerCase(),
514             webkit = ua.indexOf('webkit') !== -1,
515             chrome = ua.indexOf('chrome') !== -1,
516             phantomjs = ua.indexOf('phantom') !== -1,
517             android = ua.indexOf('android') !== -1,
518             android23 = ua.search('android [23]') !== -1,
519                 gecko = ua.indexOf('gecko') !== -1,
520
521             mobile = typeof orientation !== undefined + '',
522             msPointer = !window.PointerEvent && window.MSPointerEvent,
523                 pointer = (window.PointerEvent && window.navigator.pointerEnabled && window.navigator.maxTouchPoints) ||
524                                   msPointer,
525             retina = ('devicePixelRatio' in window && window.devicePixelRatio > 1) ||
526                      ('matchMedia' in window && window.matchMedia('(min-resolution:144dpi)') &&
527                       window.matchMedia('(min-resolution:144dpi)').matches),
528
529             doc = document.documentElement,
530             ie3d = ie && ('transition' in doc.style),
531             webkit3d = ('WebKitCSSMatrix' in window) && ('m11' in new window.WebKitCSSMatrix()) && !android23,
532             gecko3d = 'MozPerspective' in doc.style,
533             opera3d = 'OTransition' in doc.style,
534             any3d = !window.L_DISABLE_3D && (ie3d || webkit3d || gecko3d || opera3d) && !phantomjs;
535
536         var touch = !window.L_NO_TOUCH && !phantomjs && (pointer || 'ontouchstart' in window ||
537                 (window.DocumentTouch && document instanceof window.DocumentTouch));
538
539         L.Browser = {
540                 ie: ie,
541                 ielt9: ielt9,
542                 webkit: webkit,
543                 gecko: gecko && !webkit && !window.opera && !ie,
544
545                 android: android,
546                 android23: android23,
547
548                 chrome: chrome,
549
550                 ie3d: ie3d,
551                 webkit3d: webkit3d,
552                 gecko3d: gecko3d,
553                 opera3d: opera3d,
554                 any3d: any3d,
555
556                 mobile: mobile,
557                 mobileWebkit: mobile && webkit,
558                 mobileWebkit3d: mobile && webkit3d,
559                 mobileOpera: mobile && window.opera,
560
561                 touch: touch,
562                 msPointer: msPointer,
563                 pointer: pointer,
564
565                 retina: retina
566         };
567
568 }());
569
570
571 /*
572  * L.Point represents a point with x and y coordinates.
573  */
574
575 L.Point = function (/*Number*/ x, /*Number*/ y, /*Boolean*/ round) {
576         this.x = (round ? Math.round(x) : x);
577         this.y = (round ? Math.round(y) : y);
578 };
579
580 L.Point.prototype = {
581
582         clone: function () {
583                 return new L.Point(this.x, this.y);
584         },
585
586         // non-destructive, returns a new point
587         add: function (point) {
588                 return this.clone()._add(L.point(point));
589         },
590
591         // destructive, used directly for performance in situations where it's safe to modify existing point
592         _add: function (point) {
593                 this.x += point.x;
594                 this.y += point.y;
595                 return this;
596         },
597
598         subtract: function (point) {
599                 return this.clone()._subtract(L.point(point));
600         },
601
602         _subtract: function (point) {
603                 this.x -= point.x;
604                 this.y -= point.y;
605                 return this;
606         },
607
608         divideBy: function (num) {
609                 return this.clone()._divideBy(num);
610         },
611
612         _divideBy: function (num) {
613                 this.x /= num;
614                 this.y /= num;
615                 return this;
616         },
617
618         multiplyBy: function (num) {
619                 return this.clone()._multiplyBy(num);
620         },
621
622         _multiplyBy: function (num) {
623                 this.x *= num;
624                 this.y *= num;
625                 return this;
626         },
627
628         round: function () {
629                 return this.clone()._round();
630         },
631
632         _round: function () {
633                 this.x = Math.round(this.x);
634                 this.y = Math.round(this.y);
635                 return this;
636         },
637
638         floor: function () {
639                 return this.clone()._floor();
640         },
641
642         _floor: function () {
643                 this.x = Math.floor(this.x);
644                 this.y = Math.floor(this.y);
645                 return this;
646         },
647
648         distanceTo: function (point) {
649                 point = L.point(point);
650
651                 var x = point.x - this.x,
652                     y = point.y - this.y;
653
654                 return Math.sqrt(x * x + y * y);
655         },
656
657         equals: function (point) {
658                 point = L.point(point);
659
660                 return point.x === this.x &&
661                        point.y === this.y;
662         },
663
664         contains: function (point) {
665                 point = L.point(point);
666
667                 return Math.abs(point.x) <= Math.abs(this.x) &&
668                        Math.abs(point.y) <= Math.abs(this.y);
669         },
670
671         toString: function () {
672                 return 'Point(' +
673                         L.Util.formatNum(this.x) + ', ' +
674                         L.Util.formatNum(this.y) + ')';
675         }
676 };
677
678 L.point = function (x, y, round) {
679         if (x instanceof L.Point) {
680                 return x;
681         }
682         if (L.Util.isArray(x)) {
683                 return new L.Point(x[0], x[1]);
684         }
685         if (x === undefined || x === null) {
686                 return x;
687         }
688         return new L.Point(x, y, round);
689 };
690
691
692 /*
693  * L.Bounds represents a rectangular area on the screen in pixel coordinates.
694  */
695
696 L.Bounds = function (a, b) { //(Point, Point) or Point[]
697         if (!a) { return; }
698
699         var points = b ? [a, b] : a;
700
701         for (var i = 0, len = points.length; i < len; i++) {
702                 this.extend(points[i]);
703         }
704 };
705
706 L.Bounds.prototype = {
707         // extend the bounds to contain the given point
708         extend: function (point) { // (Point)
709                 point = L.point(point);
710
711                 if (!this.min && !this.max) {
712                         this.min = point.clone();
713                         this.max = point.clone();
714                 } else {
715                         this.min.x = Math.min(point.x, this.min.x);
716                         this.max.x = Math.max(point.x, this.max.x);
717                         this.min.y = Math.min(point.y, this.min.y);
718                         this.max.y = Math.max(point.y, this.max.y);
719                 }
720                 return this;
721         },
722
723         getCenter: function (round) { // (Boolean) -> Point
724                 return new L.Point(
725                         (this.min.x + this.max.x) / 2,
726                         (this.min.y + this.max.y) / 2, round);
727         },
728
729         getBottomLeft: function () { // -> Point
730                 return new L.Point(this.min.x, this.max.y);
731         },
732
733         getTopRight: function () { // -> Point
734                 return new L.Point(this.max.x, this.min.y);
735         },
736
737         getSize: function () {
738                 return this.max.subtract(this.min);
739         },
740
741         contains: function (obj) { // (Bounds) or (Point) -> Boolean
742                 var min, max;
743
744                 if (typeof obj[0] === 'number' || obj instanceof L.Point) {
745                         obj = L.point(obj);
746                 } else {
747                         obj = L.bounds(obj);
748                 }
749
750                 if (obj instanceof L.Bounds) {
751                         min = obj.min;
752                         max = obj.max;
753                 } else {
754                         min = max = obj;
755                 }
756
757                 return (min.x >= this.min.x) &&
758                        (max.x <= this.max.x) &&
759                        (min.y >= this.min.y) &&
760                        (max.y <= this.max.y);
761         },
762
763         intersects: function (bounds) { // (Bounds) -> Boolean
764                 bounds = L.bounds(bounds);
765
766                 var min = this.min,
767                     max = this.max,
768                     min2 = bounds.min,
769                     max2 = bounds.max,
770                     xIntersects = (max2.x >= min.x) && (min2.x <= max.x),
771                     yIntersects = (max2.y >= min.y) && (min2.y <= max.y);
772
773                 return xIntersects && yIntersects;
774         },
775
776         isValid: function () {
777                 return !!(this.min && this.max);
778         }
779 };
780
781 L.bounds = function (a, b) { // (Bounds) or (Point, Point) or (Point[])
782         if (!a || a instanceof L.Bounds) {
783                 return a;
784         }
785         return new L.Bounds(a, b);
786 };
787
788
789 /*
790  * L.Transformation is an utility class to perform simple point transformations through a 2d-matrix.
791  */
792
793 L.Transformation = function (a, b, c, d) {
794         this._a = a;
795         this._b = b;
796         this._c = c;
797         this._d = d;
798 };
799
800 L.Transformation.prototype = {
801         transform: function (point, scale) { // (Point, Number) -> Point
802                 return this._transform(point.clone(), scale);
803         },
804
805         // destructive transform (faster)
806         _transform: function (point, scale) {
807                 scale = scale || 1;
808                 point.x = scale * (this._a * point.x + this._b);
809                 point.y = scale * (this._c * point.y + this._d);
810                 return point;
811         },
812
813         untransform: function (point, scale) {
814                 scale = scale || 1;
815                 return new L.Point(
816                         (point.x / scale - this._b) / this._a,
817                         (point.y / scale - this._d) / this._c);
818         }
819 };
820
821
822 /*
823  * L.DomUtil contains various utility functions for working with DOM.
824  */
825
826 L.DomUtil = {
827         get: function (id) {
828                 return (typeof id === 'string' ? document.getElementById(id) : id);
829         },
830
831         getStyle: function (el, style) {
832
833                 var value = el.style[style];
834
835                 if (!value && el.currentStyle) {
836                         value = el.currentStyle[style];
837                 }
838
839                 if ((!value || value === 'auto') && document.defaultView) {
840                         var css = document.defaultView.getComputedStyle(el, null);
841                         value = css ? css[style] : null;
842                 }
843
844                 return value === 'auto' ? null : value;
845         },
846
847         getViewportOffset: function (element) {
848
849                 var top = 0,
850                     left = 0,
851                     el = element,
852                     docBody = document.body,
853                     docEl = document.documentElement,
854                     pos;
855
856                 do {
857                         top  += el.offsetTop  || 0;
858                         left += el.offsetLeft || 0;
859
860                         //add borders
861                         top += parseInt(L.DomUtil.getStyle(el, 'borderTopWidth'), 10) || 0;
862                         left += parseInt(L.DomUtil.getStyle(el, 'borderLeftWidth'), 10) || 0;
863
864                         pos = L.DomUtil.getStyle(el, 'position');
865
866                         if (el.offsetParent === docBody && pos === 'absolute') { break; }
867
868                         if (pos === 'fixed') {
869                                 top  += docBody.scrollTop  || docEl.scrollTop  || 0;
870                                 left += docBody.scrollLeft || docEl.scrollLeft || 0;
871                                 break;
872                         }
873
874                         if (pos === 'relative' && !el.offsetLeft) {
875                                 var width = L.DomUtil.getStyle(el, 'width'),
876                                     maxWidth = L.DomUtil.getStyle(el, 'max-width'),
877                                     r = el.getBoundingClientRect();
878
879                                 if (width !== 'none' || maxWidth !== 'none') {
880                                         left += r.left + el.clientLeft;
881                                 }
882
883                                 //calculate full y offset since we're breaking out of the loop
884                                 top += r.top + (docBody.scrollTop  || docEl.scrollTop  || 0);
885
886                                 break;
887                         }
888
889                         el = el.offsetParent;
890
891                 } while (el);
892
893                 el = element;
894
895                 do {
896                         if (el === docBody) { break; }
897
898                         top  -= el.scrollTop  || 0;
899                         left -= el.scrollLeft || 0;
900
901                         el = el.parentNode;
902                 } while (el);
903
904                 return new L.Point(left, top);
905         },
906
907         documentIsLtr: function () {
908                 if (!L.DomUtil._docIsLtrCached) {
909                         L.DomUtil._docIsLtrCached = true;
910                         L.DomUtil._docIsLtr = L.DomUtil.getStyle(document.body, 'direction') === 'ltr';
911                 }
912                 return L.DomUtil._docIsLtr;
913         },
914
915         create: function (tagName, className, container) {
916
917                 var el = document.createElement(tagName);
918                 el.className = className;
919
920                 if (container) {
921                         container.appendChild(el);
922                 }
923
924                 return el;
925         },
926
927         hasClass: function (el, name) {
928                 if (el.classList !== undefined) {
929                         return el.classList.contains(name);
930                 }
931                 var className = L.DomUtil._getClass(el);
932                 return className.length > 0 && new RegExp('(^|\\s)' + name + '(\\s|$)').test(className);
933         },
934
935         addClass: function (el, name) {
936                 if (el.classList !== undefined) {
937                         var classes = L.Util.splitWords(name);
938                         for (var i = 0, len = classes.length; i < len; i++) {
939                                 el.classList.add(classes[i]);
940                         }
941                 } else if (!L.DomUtil.hasClass(el, name)) {
942                         var className = L.DomUtil._getClass(el);
943                         L.DomUtil._setClass(el, (className ? className + ' ' : '') + name);
944                 }
945         },
946
947         removeClass: function (el, name) {
948                 if (el.classList !== undefined) {
949                         el.classList.remove(name);
950                 } else {
951                         L.DomUtil._setClass(el, L.Util.trim((' ' + L.DomUtil._getClass(el) + ' ').replace(' ' + name + ' ', ' ')));
952                 }
953         },
954
955         _setClass: function (el, name) {
956                 if (el.className.baseVal === undefined) {
957                         el.className = name;
958                 } else {
959                         // in case of SVG element
960                         el.className.baseVal = name;
961                 }
962         },
963
964         _getClass: function (el) {
965                 return el.className.baseVal === undefined ? el.className : el.className.baseVal;
966         },
967
968         setOpacity: function (el, value) {
969
970                 if ('opacity' in el.style) {
971                         el.style.opacity = value;
972
973                 } else if ('filter' in el.style) {
974
975                         var filter = false,
976                             filterName = 'DXImageTransform.Microsoft.Alpha';
977
978                         // filters collection throws an error if we try to retrieve a filter that doesn't exist
979                         try {
980                                 filter = el.filters.item(filterName);
981                         } catch (e) {
982                                 // don't set opacity to 1 if we haven't already set an opacity,
983                                 // it isn't needed and breaks transparent pngs.
984                                 if (value === 1) { return; }
985                         }
986
987                         value = Math.round(value * 100);
988
989                         if (filter) {
990                                 filter.Enabled = (value !== 100);
991                                 filter.Opacity = value;
992                         } else {
993                                 el.style.filter += ' progid:' + filterName + '(opacity=' + value + ')';
994                         }
995                 }
996         },
997
998         testProp: function (props) {
999
1000                 var style = document.documentElement.style;
1001
1002                 for (var i = 0; i < props.length; i++) {
1003                         if (props[i] in style) {
1004                                 return props[i];
1005                         }
1006                 }
1007                 return false;
1008         },
1009
1010         getTranslateString: function (point) {
1011                 // on WebKit browsers (Chrome/Safari/iOS Safari/Android) using translate3d instead of translate
1012                 // makes animation smoother as it ensures HW accel is used. Firefox 13 doesn't care
1013                 // (same speed either way), Opera 12 doesn't support translate3d
1014
1015                 var is3d = L.Browser.webkit3d,
1016                     open = 'translate' + (is3d ? '3d' : '') + '(',
1017                     close = (is3d ? ',0' : '') + ')';
1018
1019                 return open + point.x + 'px,' + point.y + 'px' + close;
1020         },
1021
1022         getScaleString: function (scale, origin) {
1023
1024                 var preTranslateStr = L.DomUtil.getTranslateString(origin.add(origin.multiplyBy(-1 * scale))),
1025                     scaleStr = ' scale(' + scale + ') ';
1026
1027                 return preTranslateStr + scaleStr;
1028         },
1029
1030         setPosition: function (el, point, disable3D) { // (HTMLElement, Point[, Boolean])
1031
1032                 // jshint camelcase: false
1033                 el._leaflet_pos = point;
1034
1035                 if (!disable3D && L.Browser.any3d) {
1036                         el.style[L.DomUtil.TRANSFORM] =  L.DomUtil.getTranslateString(point);
1037                 } else {
1038                         el.style.left = point.x + 'px';
1039                         el.style.top = point.y + 'px';
1040                 }
1041         },
1042
1043         getPosition: function (el) {
1044                 // this method is only used for elements previously positioned using setPosition,
1045                 // so it's safe to cache the position for performance
1046
1047                 // jshint camelcase: false
1048                 return el._leaflet_pos;
1049         }
1050 };
1051
1052
1053 // prefix style property names
1054
1055 L.DomUtil.TRANSFORM = L.DomUtil.testProp(
1056         ['transform', 'WebkitTransform', 'OTransform', 'MozTransform', 'msTransform']);
1057
1058 // webkitTransition comes first because some browser versions that drop vendor prefix don't do
1059 // the same for the transitionend event, in particular the Android 4.1 stock browser
1060
1061 L.DomUtil.TRANSITION = L.DomUtil.testProp(
1062         ['webkitTransition', 'transition', 'OTransition', 'MozTransition', 'msTransition']);
1063
1064 L.DomUtil.TRANSITION_END =
1065         L.DomUtil.TRANSITION === 'webkitTransition' || L.DomUtil.TRANSITION === 'OTransition' ?
1066         L.DomUtil.TRANSITION + 'End' : 'transitionend';
1067
1068 (function () {
1069     if ('onselectstart' in document) {
1070         L.extend(L.DomUtil, {
1071             disableTextSelection: function () {
1072                 L.DomEvent.on(window, 'selectstart', L.DomEvent.preventDefault);
1073             },
1074
1075             enableTextSelection: function () {
1076                 L.DomEvent.off(window, 'selectstart', L.DomEvent.preventDefault);
1077             }
1078         });
1079     } else {
1080         var userSelectProperty = L.DomUtil.testProp(
1081             ['userSelect', 'WebkitUserSelect', 'OUserSelect', 'MozUserSelect', 'msUserSelect']);
1082
1083         L.extend(L.DomUtil, {
1084             disableTextSelection: function () {
1085                 if (userSelectProperty) {
1086                     var style = document.documentElement.style;
1087                     this._userSelect = style[userSelectProperty];
1088                     style[userSelectProperty] = 'none';
1089                 }
1090             },
1091
1092             enableTextSelection: function () {
1093                 if (userSelectProperty) {
1094                     document.documentElement.style[userSelectProperty] = this._userSelect;
1095                     delete this._userSelect;
1096                 }
1097             }
1098         });
1099     }
1100
1101         L.extend(L.DomUtil, {
1102                 disableImageDrag: function () {
1103                         L.DomEvent.on(window, 'dragstart', L.DomEvent.preventDefault);
1104                 },
1105
1106                 enableImageDrag: function () {
1107                         L.DomEvent.off(window, 'dragstart', L.DomEvent.preventDefault);
1108                 }
1109         });
1110 })();
1111
1112
1113 /*
1114  * L.LatLng represents a geographical point with latitude and longitude coordinates.
1115  */
1116
1117 L.LatLng = function (lat, lng, alt) { // (Number, Number, Number)
1118         lat = parseFloat(lat);
1119         lng = parseFloat(lng);
1120
1121         if (isNaN(lat) || isNaN(lng)) {
1122                 throw new Error('Invalid LatLng object: (' + lat + ', ' + lng + ')');
1123         }
1124
1125         this.lat = lat;
1126         this.lng = lng;
1127
1128         if (alt !== undefined) {
1129                 this.alt = parseFloat(alt);
1130         }
1131 };
1132
1133 L.extend(L.LatLng, {
1134         DEG_TO_RAD: Math.PI / 180,
1135         RAD_TO_DEG: 180 / Math.PI,
1136         MAX_MARGIN: 1.0E-9 // max margin of error for the "equals" check
1137 });
1138
1139 L.LatLng.prototype = {
1140         equals: function (obj) { // (LatLng) -> Boolean
1141                 if (!obj) { return false; }
1142
1143                 obj = L.latLng(obj);
1144
1145                 var margin = Math.max(
1146                         Math.abs(this.lat - obj.lat),
1147                         Math.abs(this.lng - obj.lng));
1148
1149                 return margin <= L.LatLng.MAX_MARGIN;
1150         },
1151
1152         toString: function (precision) { // (Number) -> String
1153                 return 'LatLng(' +
1154                         L.Util.formatNum(this.lat, precision) + ', ' +
1155                         L.Util.formatNum(this.lng, precision) + ')';
1156         },
1157
1158         // Haversine distance formula, see http://en.wikipedia.org/wiki/Haversine_formula
1159         // TODO move to projection code, LatLng shouldn't know about Earth
1160         distanceTo: function (other) { // (LatLng) -> Number
1161                 other = L.latLng(other);
1162
1163                 var R = 6378137, // earth radius in meters
1164                     d2r = L.LatLng.DEG_TO_RAD,
1165                     dLat = (other.lat - this.lat) * d2r,
1166                     dLon = (other.lng - this.lng) * d2r,
1167                     lat1 = this.lat * d2r,
1168                     lat2 = other.lat * d2r,
1169                     sin1 = Math.sin(dLat / 2),
1170                     sin2 = Math.sin(dLon / 2);
1171
1172                 var a = sin1 * sin1 + sin2 * sin2 * Math.cos(lat1) * Math.cos(lat2);
1173
1174                 return R * 2 * Math.atan2(Math.sqrt(a), Math.sqrt(1 - a));
1175         },
1176
1177         wrap: function (a, b) { // (Number, Number) -> LatLng
1178                 var lng = this.lng;
1179
1180                 a = a || -180;
1181                 b = b ||  180;
1182
1183                 lng = (lng + b) % (b - a) + (lng < a || lng === b ? b : a);
1184
1185                 return new L.LatLng(this.lat, lng);
1186         }
1187 };
1188
1189 L.latLng = function (a, b) { // (LatLng) or ([Number, Number]) or (Number, Number)
1190         if (a instanceof L.LatLng) {
1191                 return a;
1192         }
1193         if (L.Util.isArray(a)) {
1194                 if (typeof a[0] === 'number' || typeof a[0] === 'string') {
1195                         return new L.LatLng(a[0], a[1], a[2]);
1196                 } else {
1197                         return null;
1198                 }
1199         }
1200         if (a === undefined || a === null) {
1201                 return a;
1202         }
1203         if (typeof a === 'object' && 'lat' in a) {
1204                 return new L.LatLng(a.lat, 'lng' in a ? a.lng : a.lon);
1205         }
1206         if (b === undefined) {
1207                 return null;
1208         }
1209         return new L.LatLng(a, b);
1210 };
1211
1212
1213
1214 /*
1215  * L.LatLngBounds represents a rectangular area on the map in geographical coordinates.
1216  */
1217
1218 L.LatLngBounds = function (southWest, northEast) { // (LatLng, LatLng) or (LatLng[])
1219         if (!southWest) { return; }
1220
1221         var latlngs = northEast ? [southWest, northEast] : southWest;
1222
1223         for (var i = 0, len = latlngs.length; i < len; i++) {
1224                 this.extend(latlngs[i]);
1225         }
1226 };
1227
1228 L.LatLngBounds.prototype = {
1229         // extend the bounds to contain the given point or bounds
1230         extend: function (obj) { // (LatLng) or (LatLngBounds)
1231                 if (!obj) { return this; }
1232
1233                 var latLng = L.latLng(obj);
1234                 if (latLng !== null) {
1235                         obj = latLng;
1236                 } else {
1237                         obj = L.latLngBounds(obj);
1238                 }
1239
1240                 if (obj instanceof L.LatLng) {
1241                         if (!this._southWest && !this._northEast) {
1242                                 this._southWest = new L.LatLng(obj.lat, obj.lng);
1243                                 this._northEast = new L.LatLng(obj.lat, obj.lng);
1244                         } else {
1245                                 this._southWest.lat = Math.min(obj.lat, this._southWest.lat);
1246                                 this._southWest.lng = Math.min(obj.lng, this._southWest.lng);
1247
1248                                 this._northEast.lat = Math.max(obj.lat, this._northEast.lat);
1249                                 this._northEast.lng = Math.max(obj.lng, this._northEast.lng);
1250                         }
1251                 } else if (obj instanceof L.LatLngBounds) {
1252                         this.extend(obj._southWest);
1253                         this.extend(obj._northEast);
1254                 }
1255                 return this;
1256         },
1257
1258         // extend the bounds by a percentage
1259         pad: function (bufferRatio) { // (Number) -> LatLngBounds
1260                 var sw = this._southWest,
1261                     ne = this._northEast,
1262                     heightBuffer = Math.abs(sw.lat - ne.lat) * bufferRatio,
1263                     widthBuffer = Math.abs(sw.lng - ne.lng) * bufferRatio;
1264
1265                 return new L.LatLngBounds(
1266                         new L.LatLng(sw.lat - heightBuffer, sw.lng - widthBuffer),
1267                         new L.LatLng(ne.lat + heightBuffer, ne.lng + widthBuffer));
1268         },
1269
1270         getCenter: function () { // -> LatLng
1271                 return new L.LatLng(
1272                         (this._southWest.lat + this._northEast.lat) / 2,
1273                         (this._southWest.lng + this._northEast.lng) / 2);
1274         },
1275
1276         getSouthWest: function () {
1277                 return this._southWest;
1278         },
1279
1280         getNorthEast: function () {
1281                 return this._northEast;
1282         },
1283
1284         getNorthWest: function () {
1285                 return new L.LatLng(this.getNorth(), this.getWest());
1286         },
1287
1288         getSouthEast: function () {
1289                 return new L.LatLng(this.getSouth(), this.getEast());
1290         },
1291
1292         getWest: function () {
1293                 return this._southWest.lng;
1294         },
1295
1296         getSouth: function () {
1297                 return this._southWest.lat;
1298         },
1299
1300         getEast: function () {
1301                 return this._northEast.lng;
1302         },
1303
1304         getNorth: function () {
1305                 return this._northEast.lat;
1306         },
1307
1308         contains: function (obj) { // (LatLngBounds) or (LatLng) -> Boolean
1309                 if (typeof obj[0] === 'number' || obj instanceof L.LatLng) {
1310                         obj = L.latLng(obj);
1311                 } else {
1312                         obj = L.latLngBounds(obj);
1313                 }
1314
1315                 var sw = this._southWest,
1316                     ne = this._northEast,
1317                     sw2, ne2;
1318
1319                 if (obj instanceof L.LatLngBounds) {
1320                         sw2 = obj.getSouthWest();
1321                         ne2 = obj.getNorthEast();
1322                 } else {
1323                         sw2 = ne2 = obj;
1324                 }
1325
1326                 return (sw2.lat >= sw.lat) && (ne2.lat <= ne.lat) &&
1327                        (sw2.lng >= sw.lng) && (ne2.lng <= ne.lng);
1328         },
1329
1330         intersects: function (bounds) { // (LatLngBounds)
1331                 bounds = L.latLngBounds(bounds);
1332
1333                 var sw = this._southWest,
1334                     ne = this._northEast,
1335                     sw2 = bounds.getSouthWest(),
1336                     ne2 = bounds.getNorthEast(),
1337
1338                     latIntersects = (ne2.lat >= sw.lat) && (sw2.lat <= ne.lat),
1339                     lngIntersects = (ne2.lng >= sw.lng) && (sw2.lng <= ne.lng);
1340
1341                 return latIntersects && lngIntersects;
1342         },
1343
1344         toBBoxString: function () {
1345                 return [this.getWest(), this.getSouth(), this.getEast(), this.getNorth()].join(',');
1346         },
1347
1348         equals: function (bounds) { // (LatLngBounds)
1349                 if (!bounds) { return false; }
1350
1351                 bounds = L.latLngBounds(bounds);
1352
1353                 return this._southWest.equals(bounds.getSouthWest()) &&
1354                        this._northEast.equals(bounds.getNorthEast());
1355         },
1356
1357         isValid: function () {
1358                 return !!(this._southWest && this._northEast);
1359         }
1360 };
1361
1362 //TODO International date line?
1363
1364 L.latLngBounds = function (a, b) { // (LatLngBounds) or (LatLng, LatLng)
1365         if (!a || a instanceof L.LatLngBounds) {
1366                 return a;
1367         }
1368         return new L.LatLngBounds(a, b);
1369 };
1370
1371
1372 /*
1373  * L.Projection contains various geographical projections used by CRS classes.
1374  */
1375
1376 L.Projection = {};
1377
1378
1379 /*
1380  * Spherical Mercator is the most popular map projection, used by EPSG:3857 CRS used by default.
1381  */
1382
1383 L.Projection.SphericalMercator = {
1384         MAX_LATITUDE: 85.0511287798,
1385
1386         project: function (latlng) { // (LatLng) -> Point
1387                 var d = L.LatLng.DEG_TO_RAD,
1388                     max = this.MAX_LATITUDE,
1389                     lat = Math.max(Math.min(max, latlng.lat), -max),
1390                     x = latlng.lng * d,
1391                     y = lat * d;
1392
1393                 y = Math.log(Math.tan((Math.PI / 4) + (y / 2)));
1394
1395                 return new L.Point(x, y);
1396         },
1397
1398         unproject: function (point) { // (Point, Boolean) -> LatLng
1399                 var d = L.LatLng.RAD_TO_DEG,
1400                     lng = point.x * d,
1401                     lat = (2 * Math.atan(Math.exp(point.y)) - (Math.PI / 2)) * d;
1402
1403                 return new L.LatLng(lat, lng);
1404         }
1405 };
1406
1407
1408 /*
1409  * Simple equirectangular (Plate Carree) projection, used by CRS like EPSG:4326 and Simple.
1410  */
1411
1412 L.Projection.LonLat = {
1413         project: function (latlng) {
1414                 return new L.Point(latlng.lng, latlng.lat);
1415         },
1416
1417         unproject: function (point) {
1418                 return new L.LatLng(point.y, point.x);
1419         }
1420 };
1421
1422
1423 /*
1424  * L.CRS is a base object for all defined CRS (Coordinate Reference Systems) in Leaflet.
1425  */
1426
1427 L.CRS = {
1428         latLngToPoint: function (latlng, zoom) { // (LatLng, Number) -> Point
1429                 var projectedPoint = this.projection.project(latlng),
1430                     scale = this.scale(zoom);
1431
1432                 return this.transformation._transform(projectedPoint, scale);
1433         },
1434
1435         pointToLatLng: function (point, zoom) { // (Point, Number[, Boolean]) -> LatLng
1436                 var scale = this.scale(zoom),
1437                     untransformedPoint = this.transformation.untransform(point, scale);
1438
1439                 return this.projection.unproject(untransformedPoint);
1440         },
1441
1442         project: function (latlng) {
1443                 return this.projection.project(latlng);
1444         },
1445
1446         scale: function (zoom) {
1447                 return 256 * Math.pow(2, zoom);
1448         },
1449
1450         getSize: function (zoom) {
1451                 var s = this.scale(zoom);
1452                 return L.point(s, s);
1453         }
1454 };
1455
1456
1457 /*
1458  * A simple CRS that can be used for flat non-Earth maps like panoramas or game maps.
1459  */
1460
1461 L.CRS.Simple = L.extend({}, L.CRS, {
1462         projection: L.Projection.LonLat,
1463         transformation: new L.Transformation(1, 0, -1, 0),
1464
1465         scale: function (zoom) {
1466                 return Math.pow(2, zoom);
1467         }
1468 });
1469
1470
1471 /*
1472  * L.CRS.EPSG3857 (Spherical Mercator) is the most common CRS for web mapping
1473  * and is used by Leaflet by default.
1474  */
1475
1476 L.CRS.EPSG3857 = L.extend({}, L.CRS, {
1477         code: 'EPSG:3857',
1478
1479         projection: L.Projection.SphericalMercator,
1480         transformation: new L.Transformation(0.5 / Math.PI, 0.5, -0.5 / Math.PI, 0.5),
1481
1482         project: function (latlng) { // (LatLng) -> Point
1483                 var projectedPoint = this.projection.project(latlng),
1484                     earthRadius = 6378137;
1485                 return projectedPoint.multiplyBy(earthRadius);
1486         }
1487 });
1488
1489 L.CRS.EPSG900913 = L.extend({}, L.CRS.EPSG3857, {
1490         code: 'EPSG:900913'
1491 });
1492
1493
1494 /*
1495  * L.CRS.EPSG4326 is a CRS popular among advanced GIS specialists.
1496  */
1497
1498 L.CRS.EPSG4326 = L.extend({}, L.CRS, {
1499         code: 'EPSG:4326',
1500
1501         projection: L.Projection.LonLat,
1502         transformation: new L.Transformation(1 / 360, 0.5, -1 / 360, 0.5)
1503 });
1504
1505
1506 /*
1507  * L.Map is the central class of the API - it is used to create a map.
1508  */
1509
1510 L.Map = L.Class.extend({
1511
1512         includes: L.Mixin.Events,
1513
1514         options: {
1515                 crs: L.CRS.EPSG3857,
1516
1517                 /*
1518                 center: LatLng,
1519                 zoom: Number,
1520                 layers: Array,
1521                 */
1522
1523                 fadeAnimation: L.DomUtil.TRANSITION && !L.Browser.android23,
1524                 trackResize: true,
1525                 markerZoomAnimation: L.DomUtil.TRANSITION && L.Browser.any3d
1526         },
1527
1528         initialize: function (id, options) { // (HTMLElement or String, Object)
1529                 options = L.setOptions(this, options);
1530
1531
1532                 this._initContainer(id);
1533                 this._initLayout();
1534
1535                 // hack for https://github.com/Leaflet/Leaflet/issues/1980
1536                 this._onResize = L.bind(this._onResize, this);
1537
1538                 this._initEvents();
1539
1540                 if (options.maxBounds) {
1541                         this.setMaxBounds(options.maxBounds);
1542                 }
1543
1544                 if (options.center && options.zoom !== undefined) {
1545                         this.setView(L.latLng(options.center), options.zoom, {reset: true});
1546                 }
1547
1548                 this._handlers = [];
1549
1550                 this._layers = {};
1551                 this._zoomBoundLayers = {};
1552                 this._tileLayersNum = 0;
1553
1554                 this.callInitHooks();
1555
1556                 this._addLayers(options.layers);
1557         },
1558
1559
1560         // public methods that modify map state
1561
1562         // replaced by animation-powered implementation in Map.PanAnimation.js
1563         setView: function (center, zoom) {
1564                 zoom = zoom === undefined ? this.getZoom() : zoom;
1565                 this._resetView(L.latLng(center), this._limitZoom(zoom));
1566                 return this;
1567         },
1568
1569         setZoom: function (zoom, options) {
1570                 if (!this._loaded) {
1571                         this._zoom = this._limitZoom(zoom);
1572                         return this;
1573                 }
1574                 return this.setView(this.getCenter(), zoom, {zoom: options});
1575         },
1576
1577         zoomIn: function (delta, options) {
1578                 return this.setZoom(this._zoom + (delta || 1), options);
1579         },
1580
1581         zoomOut: function (delta, options) {
1582                 return this.setZoom(this._zoom - (delta || 1), options);
1583         },
1584
1585         setZoomAround: function (latlng, zoom, options) {
1586                 var scale = this.getZoomScale(zoom),
1587                     viewHalf = this.getSize().divideBy(2),
1588                     containerPoint = latlng instanceof L.Point ? latlng : this.latLngToContainerPoint(latlng),
1589
1590                     centerOffset = containerPoint.subtract(viewHalf).multiplyBy(1 - 1 / scale),
1591                     newCenter = this.containerPointToLatLng(viewHalf.add(centerOffset));
1592
1593                 return this.setView(newCenter, zoom, {zoom: options});
1594         },
1595
1596         fitBounds: function (bounds, options) {
1597
1598                 options = options || {};
1599                 bounds = bounds.getBounds ? bounds.getBounds() : L.latLngBounds(bounds);
1600
1601                 var paddingTL = L.point(options.paddingTopLeft || options.padding || [0, 0]),
1602                     paddingBR = L.point(options.paddingBottomRight || options.padding || [0, 0]),
1603
1604                     zoom = this.getBoundsZoom(bounds, false, paddingTL.add(paddingBR));
1605
1606                 zoom = (options.maxZoom) ? Math.min(options.maxZoom, zoom) : zoom;
1607
1608                 var paddingOffset = paddingBR.subtract(paddingTL).divideBy(2),
1609
1610                     swPoint = this.project(bounds.getSouthWest(), zoom),
1611                     nePoint = this.project(bounds.getNorthEast(), zoom),
1612                     center = this.unproject(swPoint.add(nePoint).divideBy(2).add(paddingOffset), zoom);
1613
1614                 return this.setView(center, zoom, options);
1615         },
1616
1617         fitWorld: function (options) {
1618                 return this.fitBounds([[-90, -180], [90, 180]], options);
1619         },
1620
1621         panTo: function (center, options) { // (LatLng)
1622                 return this.setView(center, this._zoom, {pan: options});
1623         },
1624
1625         panBy: function (offset) { // (Point)
1626                 // replaced with animated panBy in Map.PanAnimation.js
1627                 this.fire('movestart');
1628
1629                 this._rawPanBy(L.point(offset));
1630
1631                 this.fire('move');
1632                 return this.fire('moveend');
1633         },
1634
1635         setMaxBounds: function (bounds) {
1636                 bounds = L.latLngBounds(bounds);
1637
1638                 this.options.maxBounds = bounds;
1639
1640                 if (!bounds) {
1641                         return this.off('moveend', this._panInsideMaxBounds, this);
1642                 }
1643
1644                 if (this._loaded) {
1645                         this._panInsideMaxBounds();
1646                 }
1647
1648                 return this.on('moveend', this._panInsideMaxBounds, this);
1649         },
1650
1651         panInsideBounds: function (bounds, options) {
1652                 var center = this.getCenter(),
1653                         newCenter = this._limitCenter(center, this._zoom, bounds);
1654
1655                 if (center.equals(newCenter)) { return this; }
1656
1657                 return this.panTo(newCenter, options);
1658         },
1659
1660         addLayer: function (layer) {
1661                 // TODO method is too big, refactor
1662
1663                 var id = L.stamp(layer);
1664
1665                 if (this._layers[id]) { return this; }
1666
1667                 this._layers[id] = layer;
1668
1669                 // TODO getMaxZoom, getMinZoom in ILayer (instead of options)
1670                 if (layer.options && (!isNaN(layer.options.maxZoom) || !isNaN(layer.options.minZoom))) {
1671                         this._zoomBoundLayers[id] = layer;
1672                         this._updateZoomLevels();
1673                 }
1674
1675                 // TODO looks ugly, refactor!!!
1676                 if (this.options.zoomAnimation && L.TileLayer && (layer instanceof L.TileLayer)) {
1677                         this._tileLayersNum++;
1678                         this._tileLayersToLoad++;
1679                         layer.on('load', this._onTileLayerLoad, this);
1680                 }
1681
1682                 if (this._loaded) {
1683                         this._layerAdd(layer);
1684                 }
1685
1686                 return this;
1687         },
1688
1689         removeLayer: function (layer) {
1690                 var id = L.stamp(layer);
1691
1692                 if (!this._layers[id]) { return this; }
1693
1694                 if (this._loaded) {
1695                         layer.onRemove(this);
1696                 }
1697
1698                 delete this._layers[id];
1699
1700                 if (this._loaded) {
1701                         this.fire('layerremove', {layer: layer});
1702                 }
1703
1704                 if (this._zoomBoundLayers[id]) {
1705                         delete this._zoomBoundLayers[id];
1706                         this._updateZoomLevels();
1707                 }
1708
1709                 // TODO looks ugly, refactor
1710                 if (this.options.zoomAnimation && L.TileLayer && (layer instanceof L.TileLayer)) {
1711                         this._tileLayersNum--;
1712                         this._tileLayersToLoad--;
1713                         layer.off('load', this._onTileLayerLoad, this);
1714                 }
1715
1716                 return this;
1717         },
1718
1719         hasLayer: function (layer) {
1720                 if (!layer) { return false; }
1721
1722                 return (L.stamp(layer) in this._layers);
1723         },
1724
1725         eachLayer: function (method, context) {
1726                 for (var i in this._layers) {
1727                         method.call(context, this._layers[i]);
1728                 }
1729                 return this;
1730         },
1731
1732         invalidateSize: function (options) {
1733                 if (!this._loaded) { return this; }
1734
1735                 options = L.extend({
1736                         animate: false,
1737                         pan: true
1738                 }, options === true ? {animate: true} : options);
1739
1740                 var oldSize = this.getSize();
1741                 this._sizeChanged = true;
1742                 this._initialCenter = null;
1743
1744                 var newSize = this.getSize(),
1745                     oldCenter = oldSize.divideBy(2).round(),
1746                     newCenter = newSize.divideBy(2).round(),
1747                     offset = oldCenter.subtract(newCenter);
1748
1749                 if (!offset.x && !offset.y) { return this; }
1750
1751                 if (options.animate && options.pan) {
1752                         this.panBy(offset);
1753
1754                 } else {
1755                         if (options.pan) {
1756                                 this._rawPanBy(offset);
1757                         }
1758
1759                         this.fire('move');
1760
1761                         if (options.debounceMoveend) {
1762                                 clearTimeout(this._sizeTimer);
1763                                 this._sizeTimer = setTimeout(L.bind(this.fire, this, 'moveend'), 200);
1764                         } else {
1765                                 this.fire('moveend');
1766                         }
1767                 }
1768
1769                 return this.fire('resize', {
1770                         oldSize: oldSize,
1771                         newSize: newSize
1772                 });
1773         },
1774
1775         // TODO handler.addTo
1776         addHandler: function (name, HandlerClass) {
1777                 if (!HandlerClass) { return this; }
1778
1779                 var handler = this[name] = new HandlerClass(this);
1780
1781                 this._handlers.push(handler);
1782
1783                 if (this.options[name]) {
1784                         handler.enable();
1785                 }
1786
1787                 return this;
1788         },
1789
1790         remove: function () {
1791                 if (this._loaded) {
1792                         this.fire('unload');
1793                 }
1794
1795                 this._initEvents('off');
1796
1797                 try {
1798                         // throws error in IE6-8
1799                         delete this._container._leaflet;
1800                 } catch (e) {
1801                         this._container._leaflet = undefined;
1802                 }
1803
1804                 this._clearPanes();
1805                 if (this._clearControlPos) {
1806                         this._clearControlPos();
1807                 }
1808
1809                 this._clearHandlers();
1810
1811                 return this;
1812         },
1813
1814
1815         // public methods for getting map state
1816
1817         getCenter: function () { // (Boolean) -> LatLng
1818                 this._checkIfLoaded();
1819
1820                 if (this._initialCenter && !this._moved()) {
1821                         return this._initialCenter;
1822                 }
1823                 return this.layerPointToLatLng(this._getCenterLayerPoint());
1824         },
1825
1826         getZoom: function () {
1827                 return this._zoom;
1828         },
1829
1830         getBounds: function () {
1831                 var bounds = this.getPixelBounds(),
1832                     sw = this.unproject(bounds.getBottomLeft()),
1833                     ne = this.unproject(bounds.getTopRight());
1834
1835                 return new L.LatLngBounds(sw, ne);
1836         },
1837
1838         getMinZoom: function () {
1839                 return this.options.minZoom === undefined ?
1840                         (this._layersMinZoom === undefined ? 0 : this._layersMinZoom) :
1841                         this.options.minZoom;
1842         },
1843
1844         getMaxZoom: function () {
1845                 return this.options.maxZoom === undefined ?
1846                         (this._layersMaxZoom === undefined ? Infinity : this._layersMaxZoom) :
1847                         this.options.maxZoom;
1848         },
1849
1850         getBoundsZoom: function (bounds, inside, padding) { // (LatLngBounds[, Boolean, Point]) -> Number
1851                 bounds = L.latLngBounds(bounds);
1852
1853                 var zoom = this.getMinZoom() - (inside ? 1 : 0),
1854                     maxZoom = this.getMaxZoom(),
1855                     size = this.getSize(),
1856
1857                     nw = bounds.getNorthWest(),
1858                     se = bounds.getSouthEast(),
1859
1860                     zoomNotFound = true,
1861                     boundsSize;
1862
1863                 padding = L.point(padding || [0, 0]);
1864
1865                 do {
1866                         zoom++;
1867                         boundsSize = this.project(se, zoom).subtract(this.project(nw, zoom)).add(padding);
1868                         zoomNotFound = !inside ? size.contains(boundsSize) : boundsSize.x < size.x || boundsSize.y < size.y;
1869
1870                 } while (zoomNotFound && zoom <= maxZoom);
1871
1872                 if (zoomNotFound && inside) {
1873                         return null;
1874                 }
1875
1876                 return inside ? zoom : zoom - 1;
1877         },
1878
1879         getSize: function () {
1880                 if (!this._size || this._sizeChanged) {
1881                         this._size = new L.Point(
1882                                 this._container.clientWidth,
1883                                 this._container.clientHeight);
1884
1885                         this._sizeChanged = false;
1886                 }
1887                 return this._size.clone();
1888         },
1889
1890         getPixelBounds: function () {
1891                 var topLeftPoint = this._getTopLeftPoint();
1892                 return new L.Bounds(topLeftPoint, topLeftPoint.add(this.getSize()));
1893         },
1894
1895         getPixelOrigin: function () {
1896                 this._checkIfLoaded();
1897                 return this._initialTopLeftPoint;
1898         },
1899
1900         getPanes: function () {
1901                 return this._panes;
1902         },
1903
1904         getContainer: function () {
1905                 return this._container;
1906         },
1907
1908
1909         // TODO replace with universal implementation after refactoring projections
1910
1911         getZoomScale: function (toZoom) {
1912                 var crs = this.options.crs;
1913                 return crs.scale(toZoom) / crs.scale(this._zoom);
1914         },
1915
1916         getScaleZoom: function (scale) {
1917                 return this._zoom + (Math.log(scale) / Math.LN2);
1918         },
1919
1920
1921         // conversion methods
1922
1923         project: function (latlng, zoom) { // (LatLng[, Number]) -> Point
1924                 zoom = zoom === undefined ? this._zoom : zoom;
1925                 return this.options.crs.latLngToPoint(L.latLng(latlng), zoom);
1926         },
1927
1928         unproject: function (point, zoom) { // (Point[, Number]) -> LatLng
1929                 zoom = zoom === undefined ? this._zoom : zoom;
1930                 return this.options.crs.pointToLatLng(L.point(point), zoom);
1931         },
1932
1933         layerPointToLatLng: function (point) { // (Point)
1934                 var projectedPoint = L.point(point).add(this.getPixelOrigin());
1935                 return this.unproject(projectedPoint);
1936         },
1937
1938         latLngToLayerPoint: function (latlng) { // (LatLng)
1939                 var projectedPoint = this.project(L.latLng(latlng))._round();
1940                 return projectedPoint._subtract(this.getPixelOrigin());
1941         },
1942
1943         containerPointToLayerPoint: function (point) { // (Point)
1944                 return L.point(point).subtract(this._getMapPanePos());
1945         },
1946
1947         layerPointToContainerPoint: function (point) { // (Point)
1948                 return L.point(point).add(this._getMapPanePos());
1949         },
1950
1951         containerPointToLatLng: function (point) {
1952                 var layerPoint = this.containerPointToLayerPoint(L.point(point));
1953                 return this.layerPointToLatLng(layerPoint);
1954         },
1955
1956         latLngToContainerPoint: function (latlng) {
1957                 return this.layerPointToContainerPoint(this.latLngToLayerPoint(L.latLng(latlng)));
1958         },
1959
1960         mouseEventToContainerPoint: function (e) { // (MouseEvent)
1961                 return L.DomEvent.getMousePosition(e, this._container);
1962         },
1963
1964         mouseEventToLayerPoint: function (e) { // (MouseEvent)
1965                 return this.containerPointToLayerPoint(this.mouseEventToContainerPoint(e));
1966         },
1967
1968         mouseEventToLatLng: function (e) { // (MouseEvent)
1969                 return this.layerPointToLatLng(this.mouseEventToLayerPoint(e));
1970         },
1971
1972
1973         // map initialization methods
1974
1975         _initContainer: function (id) {
1976                 var container = this._container = L.DomUtil.get(id);
1977
1978                 if (!container) {
1979                         throw new Error('Map container not found.');
1980                 } else if (container._leaflet) {
1981                         throw new Error('Map container is already initialized.');
1982                 }
1983
1984                 container._leaflet = true;
1985         },
1986
1987         _initLayout: function () {
1988                 var container = this._container;
1989
1990                 L.DomUtil.addClass(container, 'leaflet-container' +
1991                         (L.Browser.touch ? ' leaflet-touch' : '') +
1992                         (L.Browser.retina ? ' leaflet-retina' : '') +
1993                         (L.Browser.ielt9 ? ' leaflet-oldie' : '') +
1994                         (this.options.fadeAnimation ? ' leaflet-fade-anim' : ''));
1995
1996                 var position = L.DomUtil.getStyle(container, 'position');
1997
1998                 if (position !== 'absolute' && position !== 'relative' && position !== 'fixed') {
1999                         container.style.position = 'relative';
2000                 }
2001
2002                 this._initPanes();
2003
2004                 if (this._initControlPos) {
2005                         this._initControlPos();
2006                 }
2007         },
2008
2009         _initPanes: function () {
2010                 var panes = this._panes = {};
2011
2012                 this._mapPane = panes.mapPane = this._createPane('leaflet-map-pane', this._container);
2013
2014                 this._tilePane = panes.tilePane = this._createPane('leaflet-tile-pane', this._mapPane);
2015                 panes.objectsPane = this._createPane('leaflet-objects-pane', this._mapPane);
2016                 panes.shadowPane = this._createPane('leaflet-shadow-pane');
2017                 panes.overlayPane = this._createPane('leaflet-overlay-pane');
2018                 panes.markerPane = this._createPane('leaflet-marker-pane');
2019                 panes.popupPane = this._createPane('leaflet-popup-pane');
2020
2021                 var zoomHide = ' leaflet-zoom-hide';
2022
2023                 if (!this.options.markerZoomAnimation) {
2024                         L.DomUtil.addClass(panes.markerPane, zoomHide);
2025                         L.DomUtil.addClass(panes.shadowPane, zoomHide);
2026                         L.DomUtil.addClass(panes.popupPane, zoomHide);
2027                 }
2028         },
2029
2030         _createPane: function (className, container) {
2031                 return L.DomUtil.create('div', className, container || this._panes.objectsPane);
2032         },
2033
2034         _clearPanes: function () {
2035                 this._container.removeChild(this._mapPane);
2036         },
2037
2038         _addLayers: function (layers) {
2039                 layers = layers ? (L.Util.isArray(layers) ? layers : [layers]) : [];
2040
2041                 for (var i = 0, len = layers.length; i < len; i++) {
2042                         this.addLayer(layers[i]);
2043                 }
2044         },
2045
2046
2047         // private methods that modify map state
2048
2049         _resetView: function (center, zoom, preserveMapOffset, afterZoomAnim) {
2050
2051                 var zoomChanged = (this._zoom !== zoom);
2052
2053                 if (!afterZoomAnim) {
2054                         this.fire('movestart');
2055
2056                         if (zoomChanged) {
2057                                 this.fire('zoomstart');
2058                         }
2059                 }
2060
2061                 this._zoom = zoom;
2062                 this._initialCenter = center;
2063
2064                 this._initialTopLeftPoint = this._getNewTopLeftPoint(center);
2065
2066                 if (!preserveMapOffset) {
2067                         L.DomUtil.setPosition(this._mapPane, new L.Point(0, 0));
2068                 } else {
2069                         this._initialTopLeftPoint._add(this._getMapPanePos());
2070                 }
2071
2072                 this._tileLayersToLoad = this._tileLayersNum;
2073
2074                 var loading = !this._loaded;
2075                 this._loaded = true;
2076
2077                 this.fire('viewreset', {hard: !preserveMapOffset});
2078
2079                 if (loading) {
2080                         this.fire('load');
2081                         this.eachLayer(this._layerAdd, this);
2082                 }
2083
2084                 this.fire('move');
2085
2086                 if (zoomChanged || afterZoomAnim) {
2087                         this.fire('zoomend');
2088                 }
2089
2090                 this.fire('moveend', {hard: !preserveMapOffset});
2091         },
2092
2093         _rawPanBy: function (offset) {
2094                 L.DomUtil.setPosition(this._mapPane, this._getMapPanePos().subtract(offset));
2095         },
2096
2097         _getZoomSpan: function () {
2098                 return this.getMaxZoom() - this.getMinZoom();
2099         },
2100
2101         _updateZoomLevels: function () {
2102                 var i,
2103                         minZoom = Infinity,
2104                         maxZoom = -Infinity,
2105                         oldZoomSpan = this._getZoomSpan();
2106
2107                 for (i in this._zoomBoundLayers) {
2108                         var layer = this._zoomBoundLayers[i];
2109                         if (!isNaN(layer.options.minZoom)) {
2110                                 minZoom = Math.min(minZoom, layer.options.minZoom);
2111                         }
2112                         if (!isNaN(layer.options.maxZoom)) {
2113                                 maxZoom = Math.max(maxZoom, layer.options.maxZoom);
2114                         }
2115                 }
2116
2117                 if (i === undefined) { // we have no tilelayers
2118                         this._layersMaxZoom = this._layersMinZoom = undefined;
2119                 } else {
2120                         this._layersMaxZoom = maxZoom;
2121                         this._layersMinZoom = minZoom;
2122                 }
2123
2124                 if (oldZoomSpan !== this._getZoomSpan()) {
2125                         this.fire('zoomlevelschange');
2126                 }
2127         },
2128
2129         _panInsideMaxBounds: function () {
2130                 this.panInsideBounds(this.options.maxBounds);
2131         },
2132
2133         _checkIfLoaded: function () {
2134                 if (!this._loaded) {
2135                         throw new Error('Set map center and zoom first.');
2136                 }
2137         },
2138
2139         // map events
2140
2141         _initEvents: function (onOff) {
2142                 if (!L.DomEvent) { return; }
2143
2144                 onOff = onOff || 'on';
2145
2146                 L.DomEvent[onOff](this._container, 'click', this._onMouseClick, this);
2147
2148                 var events = ['dblclick', 'mousedown', 'mouseup', 'mouseenter',
2149                               'mouseleave', 'mousemove', 'contextmenu'],
2150                     i, len;
2151
2152                 for (i = 0, len = events.length; i < len; i++) {
2153                         L.DomEvent[onOff](this._container, events[i], this._fireMouseEvent, this);
2154                 }
2155
2156                 if (this.options.trackResize) {
2157                         L.DomEvent[onOff](window, 'resize', this._onResize, this);
2158                 }
2159         },
2160
2161         _onResize: function () {
2162                 L.Util.cancelAnimFrame(this._resizeRequest);
2163                 this._resizeRequest = L.Util.requestAnimFrame(
2164                         function () { this.invalidateSize({debounceMoveend: true}); }, this, false, this._container);
2165         },
2166
2167         _onMouseClick: function (e) {
2168                 if (!this._loaded || (!e._simulated &&
2169                         ((this.dragging && this.dragging.moved()) ||
2170                          (this.boxZoom  && this.boxZoom.moved()))) ||
2171                             L.DomEvent._skipped(e)) { return; }
2172
2173                 this.fire('preclick');
2174                 this._fireMouseEvent(e);
2175         },
2176
2177         _fireMouseEvent: function (e) {
2178                 if (!this._loaded || L.DomEvent._skipped(e)) { return; }
2179
2180                 var type = e.type;
2181
2182                 type = (type === 'mouseenter' ? 'mouseover' : (type === 'mouseleave' ? 'mouseout' : type));
2183
2184                 if (!this.hasEventListeners(type)) { return; }
2185
2186                 if (type === 'contextmenu') {
2187                         L.DomEvent.preventDefault(e);
2188                 }
2189
2190                 var containerPoint = this.mouseEventToContainerPoint(e),
2191                     layerPoint = this.containerPointToLayerPoint(containerPoint),
2192                     latlng = this.layerPointToLatLng(layerPoint);
2193
2194                 this.fire(type, {
2195                         latlng: latlng,
2196                         layerPoint: layerPoint,
2197                         containerPoint: containerPoint,
2198                         originalEvent: e
2199                 });
2200         },
2201
2202         _onTileLayerLoad: function () {
2203                 this._tileLayersToLoad--;
2204                 if (this._tileLayersNum && !this._tileLayersToLoad) {
2205                         this.fire('tilelayersload');
2206                 }
2207         },
2208
2209         _clearHandlers: function () {
2210                 for (var i = 0, len = this._handlers.length; i < len; i++) {
2211                         this._handlers[i].disable();
2212                 }
2213         },
2214
2215         whenReady: function (callback, context) {
2216                 if (this._loaded) {
2217                         callback.call(context || this, this);
2218                 } else {
2219                         this.on('load', callback, context);
2220                 }
2221                 return this;
2222         },
2223
2224         _layerAdd: function (layer) {
2225                 layer.onAdd(this);
2226                 this.fire('layeradd', {layer: layer});
2227         },
2228
2229
2230         // private methods for getting map state
2231
2232         _getMapPanePos: function () {
2233                 return L.DomUtil.getPosition(this._mapPane);
2234         },
2235
2236         _moved: function () {
2237                 var pos = this._getMapPanePos();
2238                 return pos && !pos.equals([0, 0]);
2239         },
2240
2241         _getTopLeftPoint: function () {
2242                 return this.getPixelOrigin().subtract(this._getMapPanePos());
2243         },
2244
2245         _getNewTopLeftPoint: function (center, zoom) {
2246                 var viewHalf = this.getSize()._divideBy(2);
2247                 // TODO round on display, not calculation to increase precision?
2248                 return this.project(center, zoom)._subtract(viewHalf)._round();
2249         },
2250
2251         _latLngToNewLayerPoint: function (latlng, newZoom, newCenter) {
2252                 var topLeft = this._getNewTopLeftPoint(newCenter, newZoom).add(this._getMapPanePos());
2253                 return this.project(latlng, newZoom)._subtract(topLeft);
2254         },
2255
2256         // layer point of the current center
2257         _getCenterLayerPoint: function () {
2258                 return this.containerPointToLayerPoint(this.getSize()._divideBy(2));
2259         },
2260
2261         // offset of the specified place to the current center in pixels
2262         _getCenterOffset: function (latlng) {
2263                 return this.latLngToLayerPoint(latlng).subtract(this._getCenterLayerPoint());
2264         },
2265
2266         // adjust center for view to get inside bounds
2267         _limitCenter: function (center, zoom, bounds) {
2268
2269                 if (!bounds) { return center; }
2270
2271                 var centerPoint = this.project(center, zoom),
2272                     viewHalf = this.getSize().divideBy(2),
2273                     viewBounds = new L.Bounds(centerPoint.subtract(viewHalf), centerPoint.add(viewHalf)),
2274                     offset = this._getBoundsOffset(viewBounds, bounds, zoom);
2275
2276                 return this.unproject(centerPoint.add(offset), zoom);
2277         },
2278
2279         // adjust offset for view to get inside bounds
2280         _limitOffset: function (offset, bounds) {
2281                 if (!bounds) { return offset; }
2282
2283                 var viewBounds = this.getPixelBounds(),
2284                     newBounds = new L.Bounds(viewBounds.min.add(offset), viewBounds.max.add(offset));
2285
2286                 return offset.add(this._getBoundsOffset(newBounds, bounds));
2287         },
2288
2289         // returns offset needed for pxBounds to get inside maxBounds at a specified zoom
2290         _getBoundsOffset: function (pxBounds, maxBounds, zoom) {
2291                 var nwOffset = this.project(maxBounds.getNorthWest(), zoom).subtract(pxBounds.min),
2292                     seOffset = this.project(maxBounds.getSouthEast(), zoom).subtract(pxBounds.max),
2293
2294                     dx = this._rebound(nwOffset.x, -seOffset.x),
2295                     dy = this._rebound(nwOffset.y, -seOffset.y);
2296
2297                 return new L.Point(dx, dy);
2298         },
2299
2300         _rebound: function (left, right) {
2301                 return left + right > 0 ?
2302                         Math.round(left - right) / 2 :
2303                         Math.max(0, Math.ceil(left)) - Math.max(0, Math.floor(right));
2304         },
2305
2306         _limitZoom: function (zoom) {
2307                 var min = this.getMinZoom(),
2308                     max = this.getMaxZoom();
2309
2310                 return Math.max(min, Math.min(max, zoom));
2311         }
2312 });
2313
2314 L.map = function (id, options) {
2315         return new L.Map(id, options);
2316 };
2317
2318
2319 /*
2320  * Mercator projection that takes into account that the Earth is not a perfect sphere.
2321  * Less popular than spherical mercator; used by projections like EPSG:3395.
2322  */
2323
2324 L.Projection.Mercator = {
2325         MAX_LATITUDE: 85.0840591556,
2326
2327         R_MINOR: 6356752.314245179,
2328         R_MAJOR: 6378137,
2329
2330         project: function (latlng) { // (LatLng) -> Point
2331                 var d = L.LatLng.DEG_TO_RAD,
2332                     max = this.MAX_LATITUDE,
2333                     lat = Math.max(Math.min(max, latlng.lat), -max),
2334                     r = this.R_MAJOR,
2335                     r2 = this.R_MINOR,
2336                     x = latlng.lng * d * r,
2337                     y = lat * d,
2338                     tmp = r2 / r,
2339                     eccent = Math.sqrt(1.0 - tmp * tmp),
2340                     con = eccent * Math.sin(y);
2341
2342                 con = Math.pow((1 - con) / (1 + con), eccent * 0.5);
2343
2344                 var ts = Math.tan(0.5 * ((Math.PI * 0.5) - y)) / con;
2345                 y = -r * Math.log(ts);
2346
2347                 return new L.Point(x, y);
2348         },
2349
2350         unproject: function (point) { // (Point, Boolean) -> LatLng
2351                 var d = L.LatLng.RAD_TO_DEG,
2352                     r = this.R_MAJOR,
2353                     r2 = this.R_MINOR,
2354                     lng = point.x * d / r,
2355                     tmp = r2 / r,
2356                     eccent = Math.sqrt(1 - (tmp * tmp)),
2357                     ts = Math.exp(- point.y / r),
2358                     phi = (Math.PI / 2) - 2 * Math.atan(ts),
2359                     numIter = 15,
2360                     tol = 1e-7,
2361                     i = numIter,
2362                     dphi = 0.1,
2363                     con;
2364
2365                 while ((Math.abs(dphi) > tol) && (--i > 0)) {
2366                         con = eccent * Math.sin(phi);
2367                         dphi = (Math.PI / 2) - 2 * Math.atan(ts *
2368                                     Math.pow((1.0 - con) / (1.0 + con), 0.5 * eccent)) - phi;
2369                         phi += dphi;
2370                 }
2371
2372                 return new L.LatLng(phi * d, lng);
2373         }
2374 };
2375
2376
2377
2378 L.CRS.EPSG3395 = L.extend({}, L.CRS, {
2379         code: 'EPSG:3395',
2380
2381         projection: L.Projection.Mercator,
2382
2383         transformation: (function () {
2384                 var m = L.Projection.Mercator,
2385                     r = m.R_MAJOR,
2386                     scale = 0.5 / (Math.PI * r);
2387
2388                 return new L.Transformation(scale, 0.5, -scale, 0.5);
2389         }())
2390 });
2391
2392
2393 /*
2394  * L.TileLayer is used for standard xyz-numbered tile layers.
2395  */
2396
2397 L.TileLayer = L.Class.extend({
2398         includes: L.Mixin.Events,
2399
2400         options: {
2401                 minZoom: 0,
2402                 maxZoom: 18,
2403                 tileSize: 256,
2404                 subdomains: 'abc',
2405                 errorTileUrl: '',
2406                 attribution: '',
2407                 zoomOffset: 0,
2408                 opacity: 1,
2409                 /*
2410                 maxNativeZoom: null,
2411                 zIndex: null,
2412                 tms: false,
2413                 continuousWorld: false,
2414                 noWrap: false,
2415                 zoomReverse: false,
2416                 detectRetina: false,
2417                 reuseTiles: false,
2418                 bounds: false,
2419                 */
2420                 unloadInvisibleTiles: L.Browser.mobile,
2421                 updateWhenIdle: L.Browser.mobile
2422         },
2423
2424         initialize: function (url, options) {
2425                 options = L.setOptions(this, options);
2426
2427                 // detecting retina displays, adjusting tileSize and zoom levels
2428                 if (options.detectRetina && L.Browser.retina && options.maxZoom > 0) {
2429
2430                         options.tileSize = Math.floor(options.tileSize / 2);
2431                         options.zoomOffset++;
2432
2433                         if (options.minZoom > 0) {
2434                                 options.minZoom--;
2435                         }
2436                         this.options.maxZoom--;
2437                 }
2438
2439                 if (options.bounds) {
2440                         options.bounds = L.latLngBounds(options.bounds);
2441                 }
2442
2443                 this._url = url;
2444
2445                 var subdomains = this.options.subdomains;
2446
2447                 if (typeof subdomains === 'string') {
2448                         this.options.subdomains = subdomains.split('');
2449                 }
2450         },
2451
2452         onAdd: function (map) {
2453                 this._map = map;
2454                 this._animated = map._zoomAnimated;
2455
2456                 // create a container div for tiles
2457                 this._initContainer();
2458
2459                 // set up events
2460                 map.on({
2461                         'viewreset': this._reset,
2462                         'moveend': this._update
2463                 }, this);
2464
2465                 if (this._animated) {
2466                         map.on({
2467                                 'zoomanim': this._animateZoom,
2468                                 'zoomend': this._endZoomAnim
2469                         }, this);
2470                 }
2471
2472                 if (!this.options.updateWhenIdle) {
2473                         this._limitedUpdate = L.Util.limitExecByInterval(this._update, 150, this);
2474                         map.on('move', this._limitedUpdate, this);
2475                 }
2476
2477                 this._reset();
2478                 this._update();
2479         },
2480
2481         addTo: function (map) {
2482                 map.addLayer(this);
2483                 return this;
2484         },
2485
2486         onRemove: function (map) {
2487                 this._container.parentNode.removeChild(this._container);
2488
2489                 map.off({
2490                         'viewreset': this._reset,
2491                         'moveend': this._update
2492                 }, this);
2493
2494                 if (this._animated) {
2495                         map.off({
2496                                 'zoomanim': this._animateZoom,
2497                                 'zoomend': this._endZoomAnim
2498                         }, this);
2499                 }
2500
2501                 if (!this.options.updateWhenIdle) {
2502                         map.off('move', this._limitedUpdate, this);
2503                 }
2504
2505                 this._container = null;
2506                 this._map = null;
2507         },
2508
2509         bringToFront: function () {
2510                 var pane = this._map._panes.tilePane;
2511
2512                 if (this._container) {
2513                         pane.appendChild(this._container);
2514                         this._setAutoZIndex(pane, Math.max);
2515                 }
2516
2517                 return this;
2518         },
2519
2520         bringToBack: function () {
2521                 var pane = this._map._panes.tilePane;
2522
2523                 if (this._container) {
2524                         pane.insertBefore(this._container, pane.firstChild);
2525                         this._setAutoZIndex(pane, Math.min);
2526                 }
2527
2528                 return this;
2529         },
2530
2531         getAttribution: function () {
2532                 return this.options.attribution;
2533         },
2534
2535         getContainer: function () {
2536                 return this._container;
2537         },
2538
2539         setOpacity: function (opacity) {
2540                 this.options.opacity = opacity;
2541
2542                 if (this._map) {
2543                         this._updateOpacity();
2544                 }
2545
2546                 return this;
2547         },
2548
2549         setZIndex: function (zIndex) {
2550                 this.options.zIndex = zIndex;
2551                 this._updateZIndex();
2552
2553                 return this;
2554         },
2555
2556         setUrl: function (url, noRedraw) {
2557                 this._url = url;
2558
2559                 if (!noRedraw) {
2560                         this.redraw();
2561                 }
2562
2563                 return this;
2564         },
2565
2566         redraw: function () {
2567                 if (this._map) {
2568                         this._reset({hard: true});
2569                         this._update();
2570                 }
2571                 return this;
2572         },
2573
2574         _updateZIndex: function () {
2575                 if (this._container && this.options.zIndex !== undefined) {
2576                         this._container.style.zIndex = this.options.zIndex;
2577                 }
2578         },
2579
2580         _setAutoZIndex: function (pane, compare) {
2581
2582                 var layers = pane.children,
2583                     edgeZIndex = -compare(Infinity, -Infinity), // -Infinity for max, Infinity for min
2584                     zIndex, i, len;
2585
2586                 for (i = 0, len = layers.length; i < len; i++) {
2587
2588                         if (layers[i] !== this._container) {
2589                                 zIndex = parseInt(layers[i].style.zIndex, 10);
2590
2591                                 if (!isNaN(zIndex)) {
2592                                         edgeZIndex = compare(edgeZIndex, zIndex);
2593                                 }
2594                         }
2595                 }
2596
2597                 this.options.zIndex = this._container.style.zIndex =
2598                         (isFinite(edgeZIndex) ? edgeZIndex : 0) + compare(1, -1);
2599         },
2600
2601         _updateOpacity: function () {
2602                 var i,
2603                     tiles = this._tiles;
2604
2605                 if (L.Browser.ielt9) {
2606                         for (i in tiles) {
2607                                 L.DomUtil.setOpacity(tiles[i], this.options.opacity);
2608                         }
2609                 } else {
2610                         L.DomUtil.setOpacity(this._container, this.options.opacity);
2611                 }
2612         },
2613
2614         _initContainer: function () {
2615                 var tilePane = this._map._panes.tilePane;
2616
2617                 if (!this._container) {
2618                         this._container = L.DomUtil.create('div', 'leaflet-layer');
2619
2620                         this._updateZIndex();
2621
2622                         if (this._animated) {
2623                                 var className = 'leaflet-tile-container';
2624
2625                                 this._bgBuffer = L.DomUtil.create('div', className, this._container);
2626                                 this._tileContainer = L.DomUtil.create('div', className, this._container);
2627
2628                         } else {
2629                                 this._tileContainer = this._container;
2630                         }
2631
2632                         tilePane.appendChild(this._container);
2633
2634                         if (this.options.opacity < 1) {
2635                                 this._updateOpacity();
2636                         }
2637                 }
2638         },
2639
2640         _reset: function (e) {
2641                 for (var key in this._tiles) {
2642                         this.fire('tileunload', {tile: this._tiles[key]});
2643                 }
2644
2645                 this._tiles = {};
2646                 this._tilesToLoad = 0;
2647
2648                 if (this.options.reuseTiles) {
2649                         this._unusedTiles = [];
2650                 }
2651
2652                 this._tileContainer.innerHTML = '';
2653
2654                 if (this._animated && e && e.hard) {
2655                         this._clearBgBuffer();
2656                 }
2657
2658                 this._initContainer();
2659         },
2660
2661         _getTileSize: function () {
2662                 var map = this._map,
2663                     zoom = map.getZoom() + this.options.zoomOffset,
2664                     zoomN = this.options.maxNativeZoom,
2665                     tileSize = this.options.tileSize;
2666
2667                 if (zoomN && zoom > zoomN) {
2668                         tileSize = Math.round(map.getZoomScale(zoom) / map.getZoomScale(zoomN) * tileSize);
2669                 }
2670
2671                 return tileSize;
2672         },
2673
2674         _update: function () {
2675
2676                 if (!this._map) { return; }
2677
2678                 var map = this._map,
2679                     bounds = map.getPixelBounds(),
2680                     zoom = map.getZoom(),
2681                     tileSize = this._getTileSize();
2682
2683                 if (zoom > this.options.maxZoom || zoom < this.options.minZoom) {
2684                         return;
2685                 }
2686
2687                 var tileBounds = L.bounds(
2688                         bounds.min.divideBy(tileSize)._floor(),
2689                         bounds.max.divideBy(tileSize)._floor());
2690
2691                 this._addTilesFromCenterOut(tileBounds);
2692
2693                 if (this.options.unloadInvisibleTiles || this.options.reuseTiles) {
2694                         this._removeOtherTiles(tileBounds);
2695                 }
2696         },
2697
2698         _addTilesFromCenterOut: function (bounds) {
2699                 var queue = [],
2700                     center = bounds.getCenter();
2701
2702                 var j, i, point;
2703
2704                 for (j = bounds.min.y; j <= bounds.max.y; j++) {
2705                         for (i = bounds.min.x; i <= bounds.max.x; i++) {
2706                                 point = new L.Point(i, j);
2707
2708                                 if (this._tileShouldBeLoaded(point)) {
2709                                         queue.push(point);
2710                                 }
2711                         }
2712                 }
2713
2714                 var tilesToLoad = queue.length;
2715
2716                 if (tilesToLoad === 0) { return; }
2717
2718                 // load tiles in order of their distance to center
2719                 queue.sort(function (a, b) {
2720                         return a.distanceTo(center) - b.distanceTo(center);
2721                 });
2722
2723                 var fragment = document.createDocumentFragment();
2724
2725                 // if its the first batch of tiles to load
2726                 if (!this._tilesToLoad) {
2727                         this.fire('loading');
2728                 }
2729
2730                 this._tilesToLoad += tilesToLoad;
2731
2732                 for (i = 0; i < tilesToLoad; i++) {
2733                         this._addTile(queue[i], fragment);
2734                 }
2735
2736                 this._tileContainer.appendChild(fragment);
2737         },
2738
2739         _tileShouldBeLoaded: function (tilePoint) {
2740                 if ((tilePoint.x + ':' + tilePoint.y) in this._tiles) {
2741                         return false; // already loaded
2742                 }
2743
2744                 var options = this.options;
2745
2746                 if (!options.continuousWorld) {
2747                         var limit = this._getWrapTileNum();
2748
2749                         // don't load if exceeds world bounds
2750                         if ((options.noWrap && (tilePoint.x < 0 || tilePoint.x >= limit.x)) ||
2751                                 tilePoint.y < 0 || tilePoint.y >= limit.y) { return false; }
2752                 }
2753
2754                 if (options.bounds) {
2755                         var tileSize = this._getTileSize(),
2756                             nwPoint = tilePoint.multiplyBy(tileSize),
2757                             sePoint = nwPoint.add([tileSize, tileSize]),
2758                             nw = this._map.unproject(nwPoint),
2759                             se = this._map.unproject(sePoint);
2760
2761                         // TODO temporary hack, will be removed after refactoring projections
2762                         // https://github.com/Leaflet/Leaflet/issues/1618
2763                         if (!options.continuousWorld && !options.noWrap) {
2764                                 nw = nw.wrap();
2765                                 se = se.wrap();
2766                         }
2767
2768                         if (!options.bounds.intersects([nw, se])) { return false; }
2769                 }
2770
2771                 return true;
2772         },
2773
2774         _removeOtherTiles: function (bounds) {
2775                 var kArr, x, y, key;
2776
2777                 for (key in this._tiles) {
2778                         kArr = key.split(':');
2779                         x = parseInt(kArr[0], 10);
2780                         y = parseInt(kArr[1], 10);
2781
2782                         // remove tile if it's out of bounds
2783                         if (x < bounds.min.x || x > bounds.max.x || y < bounds.min.y || y > bounds.max.y) {
2784                                 this._removeTile(key);
2785                         }
2786                 }
2787         },
2788
2789         _removeTile: function (key) {
2790                 var tile = this._tiles[key];
2791
2792                 this.fire('tileunload', {tile: tile, url: tile.src});
2793
2794                 if (this.options.reuseTiles) {
2795                         L.DomUtil.removeClass(tile, 'leaflet-tile-loaded');
2796                         this._unusedTiles.push(tile);
2797
2798                 } else if (tile.parentNode === this._tileContainer) {
2799                         this._tileContainer.removeChild(tile);
2800                 }
2801
2802                 // for https://github.com/CloudMade/Leaflet/issues/137
2803                 if (!L.Browser.android) {
2804                         tile.onload = null;
2805                         tile.src = L.Util.emptyImageUrl;
2806                 }
2807
2808                 delete this._tiles[key];
2809         },
2810
2811         _addTile: function (tilePoint, container) {
2812                 var tilePos = this._getTilePos(tilePoint);
2813
2814                 // get unused tile - or create a new tile
2815                 var tile = this._getTile();
2816
2817                 /*
2818                 Chrome 20 layouts much faster with top/left (verify with timeline, frames)
2819                 Android 4 browser has display issues with top/left and requires transform instead
2820                 (other browsers don't currently care) - see debug/hacks/jitter.html for an example
2821                 */
2822                 L.DomUtil.setPosition(tile, tilePos, L.Browser.chrome);
2823
2824                 this._tiles[tilePoint.x + ':' + tilePoint.y] = tile;
2825
2826                 this._loadTile(tile, tilePoint);
2827
2828                 if (tile.parentNode !== this._tileContainer) {
2829                         container.appendChild(tile);
2830                 }
2831         },
2832
2833         _getZoomForUrl: function () {
2834
2835                 var options = this.options,
2836                     zoom = this._map.getZoom();
2837
2838                 if (options.zoomReverse) {
2839                         zoom = options.maxZoom - zoom;
2840                 }
2841
2842                 zoom += options.zoomOffset;
2843
2844                 return options.maxNativeZoom ? Math.min(zoom, options.maxNativeZoom) : zoom;
2845         },
2846
2847         _getTilePos: function (tilePoint) {
2848                 var origin = this._map.getPixelOrigin(),
2849                     tileSize = this._getTileSize();
2850
2851                 return tilePoint.multiplyBy(tileSize).subtract(origin);
2852         },
2853
2854         // image-specific code (override to implement e.g. Canvas or SVG tile layer)
2855
2856         getTileUrl: function (tilePoint) {
2857                 return L.Util.template(this._url, L.extend({
2858                         s: this._getSubdomain(tilePoint),
2859                         z: tilePoint.z,
2860                         x: tilePoint.x,
2861                         y: tilePoint.y
2862                 }, this.options));
2863         },
2864
2865         _getWrapTileNum: function () {
2866                 var crs = this._map.options.crs,
2867                     size = crs.getSize(this._map.getZoom());
2868                 return size.divideBy(this._getTileSize())._floor();
2869         },
2870
2871         _adjustTilePoint: function (tilePoint) {
2872
2873                 var limit = this._getWrapTileNum();
2874
2875                 // wrap tile coordinates
2876                 if (!this.options.continuousWorld && !this.options.noWrap) {
2877                         tilePoint.x = ((tilePoint.x % limit.x) + limit.x) % limit.x;
2878                 }
2879
2880                 if (this.options.tms) {
2881                         tilePoint.y = limit.y - tilePoint.y - 1;
2882                 }
2883
2884                 tilePoint.z = this._getZoomForUrl();
2885         },
2886
2887         _getSubdomain: function (tilePoint) {
2888                 var index = Math.abs(tilePoint.x + tilePoint.y) % this.options.subdomains.length;
2889                 return this.options.subdomains[index];
2890         },
2891
2892         _getTile: function () {
2893                 if (this.options.reuseTiles && this._unusedTiles.length > 0) {
2894                         var tile = this._unusedTiles.pop();
2895                         this._resetTile(tile);
2896                         return tile;
2897                 }
2898                 return this._createTile();
2899         },
2900
2901         // Override if data stored on a tile needs to be cleaned up before reuse
2902         _resetTile: function (/*tile*/) {},
2903
2904         _createTile: function () {
2905                 var tile = L.DomUtil.create('img', 'leaflet-tile');
2906                 tile.style.width = tile.style.height = this._getTileSize() + 'px';
2907                 tile.galleryimg = 'no';
2908
2909                 tile.onselectstart = tile.onmousemove = L.Util.falseFn;
2910
2911                 if (L.Browser.ielt9 && this.options.opacity !== undefined) {
2912                         L.DomUtil.setOpacity(tile, this.options.opacity);
2913                 }
2914                 // without this hack, tiles disappear after zoom on Chrome for Android
2915                 // https://github.com/Leaflet/Leaflet/issues/2078
2916                 if (L.Browser.mobileWebkit3d) {
2917                         tile.style.WebkitBackfaceVisibility = 'hidden';
2918                 }
2919                 return tile;
2920         },
2921
2922         _loadTile: function (tile, tilePoint) {
2923                 tile._layer  = this;
2924                 tile.onload  = this._tileOnLoad;
2925                 tile.onerror = this._tileOnError;
2926
2927                 this._adjustTilePoint(tilePoint);
2928                 tile.src     = this.getTileUrl(tilePoint);
2929
2930                 this.fire('tileloadstart', {
2931                         tile: tile,
2932                         url: tile.src
2933                 });
2934         },
2935
2936         _tileLoaded: function () {
2937                 this._tilesToLoad--;
2938
2939                 if (this._animated) {
2940                         L.DomUtil.addClass(this._tileContainer, 'leaflet-zoom-animated');
2941                 }
2942
2943                 if (!this._tilesToLoad) {
2944                         this.fire('load');
2945
2946                         if (this._animated) {
2947                                 // clear scaled tiles after all new tiles are loaded (for performance)
2948                                 clearTimeout(this._clearBgBufferTimer);
2949                                 this._clearBgBufferTimer = setTimeout(L.bind(this._clearBgBuffer, this), 500);
2950                         }
2951                 }
2952         },
2953
2954         _tileOnLoad: function () {
2955                 var layer = this._layer;
2956
2957                 //Only if we are loading an actual image
2958                 if (this.src !== L.Util.emptyImageUrl) {
2959                         L.DomUtil.addClass(this, 'leaflet-tile-loaded');
2960
2961                         layer.fire('tileload', {
2962                                 tile: this,
2963                                 url: this.src
2964                         });
2965                 }
2966
2967                 layer._tileLoaded();
2968         },
2969
2970         _tileOnError: function () {
2971                 var layer = this._layer;
2972
2973                 layer.fire('tileerror', {
2974                         tile: this,
2975                         url: this.src
2976                 });
2977
2978                 var newUrl = layer.options.errorTileUrl;
2979                 if (newUrl) {
2980                         this.src = newUrl;
2981                 }
2982
2983                 layer._tileLoaded();
2984         }
2985 });
2986
2987 L.tileLayer = function (url, options) {
2988         return new L.TileLayer(url, options);
2989 };
2990
2991
2992 /*
2993  * L.TileLayer.WMS is used for putting WMS tile layers on the map.
2994  */
2995
2996 L.TileLayer.WMS = L.TileLayer.extend({
2997
2998         defaultWmsParams: {
2999                 service: 'WMS',
3000                 request: 'GetMap',
3001                 version: '1.1.1',
3002                 layers: '',
3003                 styles: '',
3004                 format: 'image/jpeg',
3005                 transparent: false
3006         },
3007
3008         initialize: function (url, options) { // (String, Object)
3009
3010                 this._url = url;
3011
3012                 var wmsParams = L.extend({}, this.defaultWmsParams),
3013                     tileSize = options.tileSize || this.options.tileSize;
3014
3015                 if (options.detectRetina && L.Browser.retina) {
3016                         wmsParams.width = wmsParams.height = tileSize * 2;
3017                 } else {
3018                         wmsParams.width = wmsParams.height = tileSize;
3019                 }
3020
3021                 for (var i in options) {
3022                         // all keys that are not TileLayer options go to WMS params
3023                         if (!this.options.hasOwnProperty(i) && i !== 'crs') {
3024                                 wmsParams[i] = options[i];
3025                         }
3026                 }
3027
3028                 this.wmsParams = wmsParams;
3029
3030                 L.setOptions(this, options);
3031         },
3032
3033         onAdd: function (map) {
3034
3035                 this._crs = this.options.crs || map.options.crs;
3036
3037                 this._wmsVersion = parseFloat(this.wmsParams.version);
3038
3039                 var projectionKey = this._wmsVersion >= 1.3 ? 'crs' : 'srs';
3040                 this.wmsParams[projectionKey] = this._crs.code;
3041
3042                 L.TileLayer.prototype.onAdd.call(this, map);
3043         },
3044
3045         getTileUrl: function (tilePoint) { // (Point, Number) -> String
3046
3047                 var map = this._map,
3048                     tileSize = this.options.tileSize,
3049
3050                     nwPoint = tilePoint.multiplyBy(tileSize),
3051                     sePoint = nwPoint.add([tileSize, tileSize]),
3052
3053                     nw = this._crs.project(map.unproject(nwPoint, tilePoint.z)),
3054                     se = this._crs.project(map.unproject(sePoint, tilePoint.z)),
3055                     bbox = this._wmsVersion >= 1.3 && this._crs === L.CRS.EPSG4326 ?
3056                         [se.y, nw.x, nw.y, se.x].join(',') :
3057                         [nw.x, se.y, se.x, nw.y].join(','),
3058
3059                     url = L.Util.template(this._url, {s: this._getSubdomain(tilePoint)});
3060
3061                 return url + L.Util.getParamString(this.wmsParams, url, true) + '&BBOX=' + bbox;
3062         },
3063
3064         setParams: function (params, noRedraw) {
3065
3066                 L.extend(this.wmsParams, params);
3067
3068                 if (!noRedraw) {
3069                         this.redraw();
3070                 }
3071
3072                 return this;
3073         }
3074 });
3075
3076 L.tileLayer.wms = function (url, options) {
3077         return new L.TileLayer.WMS(url, options);
3078 };
3079
3080
3081 /*
3082  * L.TileLayer.Canvas is a class that you can use as a base for creating
3083  * dynamically drawn Canvas-based tile layers.
3084  */
3085
3086 L.TileLayer.Canvas = L.TileLayer.extend({
3087         options: {
3088                 async: false
3089         },
3090
3091         initialize: function (options) {
3092                 L.setOptions(this, options);
3093         },
3094
3095         redraw: function () {
3096                 if (this._map) {
3097                         this._reset({hard: true});
3098                         this._update();
3099                 }
3100
3101                 for (var i in this._tiles) {
3102                         this._redrawTile(this._tiles[i]);
3103                 }
3104                 return this;
3105         },
3106
3107         _redrawTile: function (tile) {
3108                 this.drawTile(tile, tile._tilePoint, this._map._zoom);
3109         },
3110
3111         _createTile: function () {
3112                 var tile = L.DomUtil.create('canvas', 'leaflet-tile');
3113                 tile.width = tile.height = this.options.tileSize;
3114                 tile.onselectstart = tile.onmousemove = L.Util.falseFn;
3115                 return tile;
3116         },
3117
3118         _loadTile: function (tile, tilePoint) {
3119                 tile._layer = this;
3120                 tile._tilePoint = tilePoint;
3121
3122                 this._redrawTile(tile);
3123
3124                 if (!this.options.async) {
3125                         this.tileDrawn(tile);
3126                 }
3127         },
3128
3129         drawTile: function (/*tile, tilePoint*/) {
3130                 // override with rendering code
3131         },
3132
3133         tileDrawn: function (tile) {
3134                 this._tileOnLoad.call(tile);
3135         }
3136 });
3137
3138
3139 L.tileLayer.canvas = function (options) {
3140         return new L.TileLayer.Canvas(options);
3141 };
3142
3143
3144 /*
3145  * L.ImageOverlay is used to overlay images over the map (to specific geographical bounds).
3146  */
3147
3148 L.ImageOverlay = L.Class.extend({
3149         includes: L.Mixin.Events,
3150
3151         options: {
3152                 opacity: 1
3153         },
3154
3155         initialize: function (url, bounds, options) { // (String, LatLngBounds, Object)
3156                 this._url = url;
3157                 this._bounds = L.latLngBounds(bounds);
3158
3159                 L.setOptions(this, options);
3160         },
3161
3162         onAdd: function (map) {
3163                 this._map = map;
3164
3165                 if (!this._image) {
3166                         this._initImage();
3167                 }
3168
3169                 map._panes.overlayPane.appendChild(this._image);
3170
3171                 map.on('viewreset', this._reset, this);
3172
3173                 if (map.options.zoomAnimation && L.Browser.any3d) {
3174                         map.on('zoomanim', this._animateZoom, this);
3175                 }
3176
3177                 this._reset();
3178         },
3179
3180         onRemove: function (map) {
3181                 map.getPanes().overlayPane.removeChild(this._image);
3182
3183                 map.off('viewreset', this._reset, this);
3184
3185                 if (map.options.zoomAnimation) {
3186                         map.off('zoomanim', this._animateZoom, this);
3187                 }
3188         },
3189
3190         addTo: function (map) {
3191                 map.addLayer(this);
3192                 return this;
3193         },
3194
3195         setOpacity: function (opacity) {
3196                 this.options.opacity = opacity;
3197                 this._updateOpacity();
3198                 return this;
3199         },
3200
3201         // TODO remove bringToFront/bringToBack duplication from TileLayer/Path
3202         bringToFront: function () {
3203                 if (this._image) {
3204                         this._map._panes.overlayPane.appendChild(this._image);
3205                 }
3206                 return this;
3207         },
3208
3209         bringToBack: function () {
3210                 var pane = this._map._panes.overlayPane;
3211                 if (this._image) {
3212                         pane.insertBefore(this._image, pane.firstChild);
3213                 }
3214                 return this;
3215         },
3216
3217         setUrl: function (url) {
3218                 this._url = url;
3219                 this._image.src = this._url;
3220         },
3221
3222         getAttribution: function () {
3223                 return this.options.attribution;
3224         },
3225
3226         _initImage: function () {
3227                 this._image = L.DomUtil.create('img', 'leaflet-image-layer');
3228
3229                 if (this._map.options.zoomAnimation && L.Browser.any3d) {
3230                         L.DomUtil.addClass(this._image, 'leaflet-zoom-animated');
3231                 } else {
3232                         L.DomUtil.addClass(this._image, 'leaflet-zoom-hide');
3233                 }
3234
3235                 this._updateOpacity();
3236
3237                 //TODO createImage util method to remove duplication
3238                 L.extend(this._image, {
3239                         galleryimg: 'no',
3240                         onselectstart: L.Util.falseFn,
3241                         onmousemove: L.Util.falseFn,
3242                         onload: L.bind(this._onImageLoad, this),
3243                         src: this._url
3244                 });
3245         },
3246
3247         _animateZoom: function (e) {
3248                 var map = this._map,
3249                     image = this._image,
3250                     scale = map.getZoomScale(e.zoom),
3251                     nw = this._bounds.getNorthWest(),
3252                     se = this._bounds.getSouthEast(),
3253
3254                     topLeft = map._latLngToNewLayerPoint(nw, e.zoom, e.center),
3255                     size = map._latLngToNewLayerPoint(se, e.zoom, e.center)._subtract(topLeft),
3256                     origin = topLeft._add(size._multiplyBy((1 / 2) * (1 - 1 / scale)));
3257
3258                 image.style[L.DomUtil.TRANSFORM] =
3259                         L.DomUtil.getTranslateString(origin) + ' scale(' + scale + ') ';
3260         },
3261
3262         _reset: function () {
3263                 var image   = this._image,
3264                     topLeft = this._map.latLngToLayerPoint(this._bounds.getNorthWest()),
3265                     size = this._map.latLngToLayerPoint(this._bounds.getSouthEast())._subtract(topLeft);
3266
3267                 L.DomUtil.setPosition(image, topLeft);
3268
3269                 image.style.width  = size.x + 'px';
3270                 image.style.height = size.y + 'px';
3271         },
3272
3273         _onImageLoad: function () {
3274                 this.fire('load');
3275         },
3276
3277         _updateOpacity: function () {
3278                 L.DomUtil.setOpacity(this._image, this.options.opacity);
3279         }
3280 });
3281
3282 L.imageOverlay = function (url, bounds, options) {
3283         return new L.ImageOverlay(url, bounds, options);
3284 };
3285
3286
3287 /*
3288  * L.Icon is an image-based icon class that you can use with L.Marker for custom markers.
3289  */
3290
3291 L.Icon = L.Class.extend({
3292         options: {
3293                 /*
3294                 iconUrl: (String) (required)
3295                 iconRetinaUrl: (String) (optional, used for retina devices if detected)
3296                 iconSize: (Point) (can be set through CSS)
3297                 iconAnchor: (Point) (centered by default, can be set in CSS with negative margins)
3298                 popupAnchor: (Point) (if not specified, popup opens in the anchor point)
3299                 shadowUrl: (String) (no shadow by default)
3300                 shadowRetinaUrl: (String) (optional, used for retina devices if detected)
3301                 shadowSize: (Point)
3302                 shadowAnchor: (Point)
3303                 */
3304                 className: ''
3305         },
3306
3307         initialize: function (options) {
3308                 L.setOptions(this, options);
3309         },
3310
3311         createIcon: function (oldIcon) {
3312                 return this._createIcon('icon', oldIcon);
3313         },
3314
3315         createShadow: function (oldIcon) {
3316                 return this._createIcon('shadow', oldIcon);
3317         },
3318
3319         _createIcon: function (name, oldIcon) {
3320                 var src = this._getIconUrl(name);
3321
3322                 if (!src) {
3323                         if (name === 'icon') {
3324                                 throw new Error('iconUrl not set in Icon options (see the docs).');
3325                         }
3326                         return null;
3327                 }
3328
3329                 var img;
3330                 if (!oldIcon || oldIcon.tagName !== 'IMG') {
3331                         img = this._createImg(src);
3332                 } else {
3333                         img = this._createImg(src, oldIcon);
3334                 }
3335                 this._setIconStyles(img, name);
3336
3337                 return img;
3338         },
3339
3340         _setIconStyles: function (img, name) {
3341                 var options = this.options,
3342                     size = L.point(options[name + 'Size']),
3343                     anchor;
3344
3345                 if (name === 'shadow') {
3346                         anchor = L.point(options.shadowAnchor || options.iconAnchor);
3347                 } else {
3348                         anchor = L.point(options.iconAnchor);
3349                 }
3350
3351                 if (!anchor && size) {
3352                         anchor = size.divideBy(2, true);
3353                 }
3354
3355                 img.className = 'leaflet-marker-' + name + ' ' + options.className;
3356
3357                 if (anchor) {
3358                         img.style.marginLeft = (-anchor.x) + 'px';
3359                         img.style.marginTop  = (-anchor.y) + 'px';
3360                 }
3361
3362                 if (size) {
3363                         img.style.width  = size.x + 'px';
3364                         img.style.height = size.y + 'px';
3365                 }
3366         },
3367
3368         _createImg: function (src, el) {
3369                 el = el || document.createElement('img');
3370                 el.src = src;
3371                 return el;
3372         },
3373
3374         _getIconUrl: function (name) {
3375                 if (L.Browser.retina && this.options[name + 'RetinaUrl']) {
3376                         return this.options[name + 'RetinaUrl'];
3377                 }
3378                 return this.options[name + 'Url'];
3379         }
3380 });
3381
3382 L.icon = function (options) {
3383         return new L.Icon(options);
3384 };
3385
3386
3387 /*
3388  * L.Icon.Default is the blue marker icon used by default in Leaflet.
3389  */
3390
3391 L.Icon.Default = L.Icon.extend({
3392
3393         options: {
3394                 iconSize: [25, 41],
3395                 iconAnchor: [12, 41],
3396                 popupAnchor: [1, -34],
3397
3398                 shadowSize: [41, 41]
3399         },
3400
3401         _getIconUrl: function (name) {
3402                 var key = name + 'Url';
3403
3404                 if (this.options[key]) {
3405                         return this.options[key];
3406                 }
3407
3408                 if (L.Browser.retina && name === 'icon') {
3409                         name += '-2x';
3410                 }
3411
3412                 var path = L.Icon.Default.imagePath;
3413
3414                 if (!path) {
3415                         throw new Error('Couldn\'t autodetect L.Icon.Default.imagePath, set it manually.');
3416                 }
3417
3418                 return path + '/marker-' + name + '.png';
3419         }
3420 });
3421
3422 L.Icon.Default.imagePath = (function () {
3423         var scripts = document.getElementsByTagName('script'),
3424             leafletRe = /[\/^]leaflet[\-\._]?([\w\-\._]*)\.js\??/;
3425
3426         var i, len, src, matches, path;
3427
3428         for (i = 0, len = scripts.length; i < len; i++) {
3429                 src = scripts[i].src;
3430                 matches = src.match(leafletRe);
3431
3432                 if (matches) {
3433                         path = src.split(leafletRe)[0];
3434                         return (path ? path + '/' : '') + 'images';
3435                 }
3436         }
3437 }());
3438
3439
3440 /*
3441  * L.Marker is used to display clickable/draggable icons on the map.
3442  */
3443
3444 L.Marker = L.Class.extend({
3445
3446         includes: L.Mixin.Events,
3447
3448         options: {
3449                 icon: new L.Icon.Default(),
3450                 title: '',
3451                 alt: '',
3452                 clickable: true,
3453                 draggable: false,
3454                 keyboard: true,
3455                 zIndexOffset: 0,
3456                 opacity: 1,
3457                 riseOnHover: false,
3458                 riseOffset: 250
3459         },
3460
3461         initialize: function (latlng, options) {
3462                 L.setOptions(this, options);
3463                 this._latlng = L.latLng(latlng);
3464         },
3465
3466         onAdd: function (map) {
3467                 this._map = map;
3468
3469                 map.on('viewreset', this.update, this);
3470
3471                 this._initIcon();
3472                 this.update();
3473                 this.fire('add');
3474
3475                 if (map.options.zoomAnimation && map.options.markerZoomAnimation) {
3476                         map.on('zoomanim', this._animateZoom, this);
3477                 }
3478         },
3479
3480         addTo: function (map) {
3481                 map.addLayer(this);
3482                 return this;
3483         },
3484
3485         onRemove: function (map) {
3486                 if (this.dragging) {
3487                         this.dragging.disable();
3488                 }
3489
3490                 this._removeIcon();
3491                 this._removeShadow();
3492
3493                 this.fire('remove');
3494
3495                 map.off({
3496                         'viewreset': this.update,
3497                         'zoomanim': this._animateZoom
3498                 }, this);
3499
3500                 this._map = null;
3501         },
3502
3503         getLatLng: function () {
3504                 return this._latlng;
3505         },
3506
3507         setLatLng: function (latlng) {
3508                 this._latlng = L.latLng(latlng);
3509
3510                 this.update();
3511
3512                 return this.fire('move', { latlng: this._latlng });
3513         },
3514
3515         setZIndexOffset: function (offset) {
3516                 this.options.zIndexOffset = offset;
3517                 this.update();
3518
3519                 return this;
3520         },
3521
3522         setIcon: function (icon) {
3523
3524                 this.options.icon = icon;
3525
3526                 if (this._map) {
3527                         this._initIcon();
3528                         this.update();
3529                 }
3530
3531                 if (this._popup) {
3532                         this.bindPopup(this._popup);
3533                 }
3534
3535                 return this;
3536         },
3537
3538         update: function () {
3539                 if (this._icon) {
3540                         var pos = this._map.latLngToLayerPoint(this._latlng).round();
3541                         L.Util.requestAnimFrame(function () {
3542                                 this._setPos(pos);
3543                         }, this);
3544                 }
3545
3546                 return this;
3547         },
3548
3549         _initIcon: function () {
3550                 var options = this.options,
3551                     map = this._map,
3552                     animation = (map.options.zoomAnimation && map.options.markerZoomAnimation),
3553                     classToAdd = animation ? 'leaflet-zoom-animated' : 'leaflet-zoom-hide';
3554
3555                 var icon = options.icon.createIcon(this._icon),
3556                         addIcon = false;
3557
3558                 // if we're not reusing the icon, remove the old one and init new one
3559                 if (icon !== this._icon) {
3560                         if (this._icon) {
3561                                 this._removeIcon();
3562                         }
3563                         addIcon = true;
3564
3565                         if (options.title) {
3566                                 icon.title = options.title;
3567                         }
3568                         
3569                         if (options.alt) {
3570                                 icon.alt = options.alt;
3571                         }
3572                 }
3573
3574                 L.DomUtil.addClass(icon, classToAdd);
3575
3576                 if (options.keyboard) {
3577                         icon.tabIndex = '0';
3578                 }
3579
3580                 this._icon = icon;
3581
3582                 this._initInteraction();
3583
3584                 if (options.riseOnHover) {
3585                         L.DomEvent
3586                                 .on(icon, 'mouseover', this._bringToFront, this)
3587                                 .on(icon, 'mouseout', this._resetZIndex, this);
3588                 }
3589
3590                 var newShadow = options.icon.createShadow(this._shadow),
3591                         addShadow = false;
3592
3593                 if (newShadow !== this._shadow) {
3594                         this._removeShadow();
3595                         addShadow = true;
3596                 }
3597
3598                 if (newShadow) {
3599                         L.DomUtil.addClass(newShadow, classToAdd);
3600                 }
3601                 this._shadow = newShadow;
3602
3603
3604                 if (options.opacity < 1) {
3605                         this._updateOpacity();
3606                 }
3607
3608
3609                 var panes = this._map._panes;
3610
3611                 if (addIcon) {
3612                         panes.markerPane.appendChild(this._icon);
3613                 }
3614
3615                 if (newShadow && addShadow) {
3616                         panes.shadowPane.appendChild(this._shadow);
3617                 }
3618         },
3619
3620         _removeIcon: function () {
3621                 if (this.options.riseOnHover) {
3622                         L.DomEvent
3623                             .off(this._icon, 'mouseover', this._bringToFront)
3624                             .off(this._icon, 'mouseout', this._resetZIndex);
3625                 }
3626
3627                 this._map._panes.markerPane.removeChild(this._icon);
3628
3629                 this._icon = null;
3630         },
3631
3632         _removeShadow: function () {
3633                 if (this._shadow) {
3634                         this._map._panes.shadowPane.removeChild(this._shadow);
3635                 }
3636                 this._shadow = null;
3637         },
3638
3639         _setPos: function (pos) {
3640                 L.DomUtil.setPosition(this._icon, pos);
3641
3642                 if (this._shadow) {
3643                         L.DomUtil.setPosition(this._shadow, pos);
3644                 }
3645
3646                 this._zIndex = pos.y + this.options.zIndexOffset;
3647
3648                 this._resetZIndex();
3649         },
3650
3651         _updateZIndex: function (offset) {
3652                 this._icon.style.zIndex = this._zIndex + offset;
3653         },
3654
3655         _animateZoom: function (opt) {
3656                 var pos = this._map._latLngToNewLayerPoint(this._latlng, opt.zoom, opt.center).round();
3657
3658                 this._setPos(pos);
3659         },
3660
3661         _initInteraction: function () {
3662
3663                 if (!this.options.clickable) { return; }
3664
3665                 // TODO refactor into something shared with Map/Path/etc. to DRY it up
3666
3667                 var icon = this._icon,
3668                     events = ['dblclick', 'mousedown', 'mouseover', 'mouseout', 'contextmenu'];
3669
3670                 L.DomUtil.addClass(icon, 'leaflet-clickable');
3671                 L.DomEvent.on(icon, 'click', this._onMouseClick, this);
3672                 L.DomEvent.on(icon, 'keypress', this._onKeyPress, this);
3673
3674                 for (var i = 0; i < events.length; i++) {
3675                         L.DomEvent.on(icon, events[i], this._fireMouseEvent, this);
3676                 }
3677
3678                 if (L.Handler.MarkerDrag) {
3679                         this.dragging = new L.Handler.MarkerDrag(this);
3680
3681                         if (this.options.draggable) {
3682                                 this.dragging.enable();
3683                         }
3684                 }
3685         },
3686
3687         _onMouseClick: function (e) {
3688                 var wasDragged = this.dragging && this.dragging.moved();
3689
3690                 if (this.hasEventListeners(e.type) || wasDragged) {
3691                         L.DomEvent.stopPropagation(e);
3692                 }
3693
3694                 if (wasDragged) { return; }
3695
3696                 if ((!this.dragging || !this.dragging._enabled) && this._map.dragging && this._map.dragging.moved()) { return; }
3697
3698                 this.fire(e.type, {
3699                         originalEvent: e,
3700                         latlng: this._latlng
3701                 });
3702         },
3703
3704         _onKeyPress: function (e) {
3705                 if (e.keyCode === 13) {
3706                         this.fire('click', {
3707                                 originalEvent: e,
3708                                 latlng: this._latlng
3709                         });
3710                 }
3711         },
3712
3713         _fireMouseEvent: function (e) {
3714
3715                 this.fire(e.type, {
3716                         originalEvent: e,
3717                         latlng: this._latlng
3718                 });
3719
3720                 // TODO proper custom event propagation
3721                 // this line will always be called if marker is in a FeatureGroup
3722                 if (e.type === 'contextmenu' && this.hasEventListeners(e.type)) {
3723                         L.DomEvent.preventDefault(e);
3724                 }
3725                 if (e.type !== 'mousedown') {
3726                         L.DomEvent.stopPropagation(e);
3727                 } else {
3728                         L.DomEvent.preventDefault(e);
3729                 }
3730         },
3731
3732         setOpacity: function (opacity) {
3733                 this.options.opacity = opacity;
3734                 if (this._map) {
3735                         this._updateOpacity();
3736                 }
3737
3738                 return this;
3739         },
3740
3741         _updateOpacity: function () {
3742                 L.DomUtil.setOpacity(this._icon, this.options.opacity);
3743                 if (this._shadow) {
3744                         L.DomUtil.setOpacity(this._shadow, this.options.opacity);
3745                 }
3746         },
3747
3748         _bringToFront: function () {
3749                 this._updateZIndex(this.options.riseOffset);
3750         },
3751
3752         _resetZIndex: function () {
3753                 this._updateZIndex(0);
3754         }
3755 });
3756
3757 L.marker = function (latlng, options) {
3758         return new L.Marker(latlng, options);
3759 };
3760
3761
3762 /*
3763  * L.DivIcon is a lightweight HTML-based icon class (as opposed to the image-based L.Icon)
3764  * to use with L.Marker.
3765  */
3766
3767 L.DivIcon = L.Icon.extend({
3768         options: {
3769                 iconSize: [12, 12], // also can be set through CSS
3770                 /*
3771                 iconAnchor: (Point)
3772                 popupAnchor: (Point)
3773                 html: (String)
3774                 bgPos: (Point)
3775                 */
3776                 className: 'leaflet-div-icon',
3777                 html: false
3778         },
3779
3780         createIcon: function (oldIcon) {
3781                 var div = (oldIcon && oldIcon.tagName === 'DIV') ? oldIcon : document.createElement('div'),
3782                     options = this.options;
3783
3784                 if (options.html !== false) {
3785                         div.innerHTML = options.html;
3786                 } else {
3787                         div.innerHTML = '';
3788                 }
3789
3790                 if (options.bgPos) {
3791                         div.style.backgroundPosition =
3792                                 (-options.bgPos.x) + 'px ' + (-options.bgPos.y) + 'px';
3793                 }
3794
3795                 this._setIconStyles(div, 'icon');
3796                 return div;
3797         },
3798
3799         createShadow: function () {
3800                 return null;
3801         }
3802 });
3803
3804 L.divIcon = function (options) {
3805         return new L.DivIcon(options);
3806 };
3807
3808
3809 /*
3810  * L.Popup is used for displaying popups on the map.
3811  */
3812
3813 L.Map.mergeOptions({
3814         closePopupOnClick: true
3815 });
3816
3817 L.Popup = L.Class.extend({
3818         includes: L.Mixin.Events,
3819
3820         options: {
3821                 minWidth: 50,
3822                 maxWidth: 300,
3823                 // maxHeight: null,
3824                 autoPan: true,
3825                 closeButton: true,
3826                 offset: [0, 7],
3827                 autoPanPadding: [5, 5],
3828                 // autoPanPaddingTopLeft: null,
3829                 // autoPanPaddingBottomRight: null,
3830                 keepInView: false,
3831                 className: '',
3832                 zoomAnimation: true
3833         },
3834
3835         initialize: function (options, source) {
3836                 L.setOptions(this, options);
3837
3838                 this._source = source;
3839                 this._animated = L.Browser.any3d && this.options.zoomAnimation;
3840                 this._isOpen = false;
3841         },
3842
3843         onAdd: function (map) {
3844                 this._map = map;
3845
3846                 if (!this._container) {
3847                         this._initLayout();
3848                 }
3849
3850                 var animFade = map.options.fadeAnimation;
3851
3852                 if (animFade) {
3853                         L.DomUtil.setOpacity(this._container, 0);
3854                 }
3855                 map._panes.popupPane.appendChild(this._container);
3856
3857                 map.on(this._getEvents(), this);
3858
3859                 this.update();
3860
3861                 if (animFade) {
3862                         L.DomUtil.setOpacity(this._container, 1);
3863                 }
3864
3865                 this.fire('open');
3866
3867                 map.fire('popupopen', {popup: this});
3868
3869                 if (this._source) {
3870                         this._source.fire('popupopen', {popup: this});
3871                 }
3872         },
3873
3874         addTo: function (map) {
3875                 map.addLayer(this);
3876                 return this;
3877         },
3878
3879         openOn: function (map) {
3880                 map.openPopup(this);
3881                 return this;
3882         },
3883
3884         onRemove: function (map) {
3885                 map._panes.popupPane.removeChild(this._container);
3886
3887                 L.Util.falseFn(this._container.offsetWidth); // force reflow
3888
3889                 map.off(this._getEvents(), this);
3890
3891                 if (map.options.fadeAnimation) {
3892                         L.DomUtil.setOpacity(this._container, 0);
3893                 }
3894
3895                 this._map = null;
3896
3897                 this.fire('close');
3898
3899                 map.fire('popupclose', {popup: this});
3900
3901                 if (this._source) {
3902                         this._source.fire('popupclose', {popup: this});
3903                 }
3904         },
3905
3906         getLatLng: function () {
3907                 return this._latlng;
3908         },
3909
3910         setLatLng: function (latlng) {
3911                 this._latlng = L.latLng(latlng);
3912                 if (this._map) {
3913                         this._updatePosition();
3914                         this._adjustPan();
3915                 }
3916                 return this;
3917         },
3918
3919         getContent: function () {
3920                 return this._content;
3921         },
3922
3923         setContent: function (content) {
3924                 this._content = content;
3925                 this.update();
3926                 return this;
3927         },
3928
3929         update: function () {
3930                 if (!this._map) { return; }
3931
3932                 this._container.style.visibility = 'hidden';
3933
3934                 this._updateContent();
3935                 this._updateLayout();
3936                 this._updatePosition();
3937
3938                 this._container.style.visibility = '';
3939
3940                 this._adjustPan();
3941         },
3942
3943         _getEvents: function () {
3944                 var events = {
3945                         viewreset: this._updatePosition
3946                 };
3947
3948                 if (this._animated) {
3949                         events.zoomanim = this._zoomAnimation;
3950                 }
3951                 if ('closeOnClick' in this.options ? this.options.closeOnClick : this._map.options.closePopupOnClick) {
3952                         events.preclick = this._close;
3953                 }
3954                 if (this.options.keepInView) {
3955                         events.moveend = this._adjustPan;
3956                 }
3957
3958                 return events;
3959         },
3960
3961         _close: function () {
3962                 if (this._map) {
3963                         this._map.closePopup(this);
3964                 }
3965         },
3966
3967         _initLayout: function () {
3968                 var prefix = 'leaflet-popup',
3969                         containerClass = prefix + ' ' + this.options.className + ' leaflet-zoom-' +
3970                                 (this._animated ? 'animated' : 'hide'),
3971                         container = this._container = L.DomUtil.create('div', containerClass),
3972                         closeButton;
3973
3974                 if (this.options.closeButton) {
3975                         closeButton = this._closeButton =
3976                                 L.DomUtil.create('a', prefix + '-close-button', container);
3977                         closeButton.href = '#close';
3978                         closeButton.innerHTML = '&#215;';
3979                         L.DomEvent.disableClickPropagation(closeButton);
3980
3981                         L.DomEvent.on(closeButton, 'click', this._onCloseButtonClick, this);
3982                 }
3983
3984                 var wrapper = this._wrapper =
3985                         L.DomUtil.create('div', prefix + '-content-wrapper', container);
3986                 L.DomEvent.disableClickPropagation(wrapper);
3987
3988                 this._contentNode = L.DomUtil.create('div', prefix + '-content', wrapper);
3989
3990                 L.DomEvent.disableScrollPropagation(this._contentNode);
3991                 L.DomEvent.on(wrapper, 'contextmenu', L.DomEvent.stopPropagation);
3992
3993                 this._tipContainer = L.DomUtil.create('div', prefix + '-tip-container', container);
3994                 this._tip = L.DomUtil.create('div', prefix + '-tip', this._tipContainer);
3995         },
3996
3997         _updateContent: function () {
3998                 if (!this._content) { return; }
3999
4000                 if (typeof this._content === 'string') {
4001                         this._contentNode.innerHTML = this._content;
4002                 } else {
4003                         while (this._contentNode.hasChildNodes()) {
4004                                 this._contentNode.removeChild(this._contentNode.firstChild);
4005                         }
4006                         this._contentNode.appendChild(this._content);
4007                 }
4008                 this.fire('contentupdate');
4009         },
4010
4011         _updateLayout: function () {
4012                 var container = this._contentNode,
4013                     style = container.style;
4014
4015                 style.width = '';
4016                 style.whiteSpace = 'nowrap';
4017
4018                 var width = container.offsetWidth;
4019                 width = Math.min(width, this.options.maxWidth);
4020                 width = Math.max(width, this.options.minWidth);
4021
4022                 style.width = (width + 1) + 'px';
4023                 style.whiteSpace = '';
4024
4025                 style.height = '';
4026
4027                 var height = container.offsetHeight,
4028                     maxHeight = this.options.maxHeight,
4029                     scrolledClass = 'leaflet-popup-scrolled';
4030
4031                 if (maxHeight && height > maxHeight) {
4032                         style.height = maxHeight + 'px';
4033                         L.DomUtil.addClass(container, scrolledClass);
4034                 } else {
4035                         L.DomUtil.removeClass(container, scrolledClass);
4036                 }
4037
4038                 this._containerWidth = this._container.offsetWidth;
4039         },
4040
4041         _updatePosition: function () {
4042                 if (!this._map) { return; }
4043
4044                 var pos = this._map.latLngToLayerPoint(this._latlng),
4045                     animated = this._animated,
4046                     offset = L.point(this.options.offset);
4047
4048                 if (animated) {
4049                         L.DomUtil.setPosition(this._container, pos);
4050                 }
4051
4052                 this._containerBottom = -offset.y - (animated ? 0 : pos.y);
4053                 this._containerLeft = -Math.round(this._containerWidth / 2) + offset.x + (animated ? 0 : pos.x);
4054
4055                 // bottom position the popup in case the height of the popup changes (images loading etc)
4056                 this._container.style.bottom = this._containerBottom + 'px';
4057                 this._container.style.left = this._containerLeft + 'px';
4058         },
4059
4060         _zoomAnimation: function (opt) {
4061                 var pos = this._map._latLngToNewLayerPoint(this._latlng, opt.zoom, opt.center);
4062
4063                 L.DomUtil.setPosition(this._container, pos);
4064         },
4065
4066         _adjustPan: function () {
4067                 if (!this.options.autoPan) { return; }
4068
4069                 var map = this._map,
4070                     containerHeight = this._container.offsetHeight,
4071                     containerWidth = this._containerWidth,
4072
4073                     layerPos = new L.Point(this._containerLeft, -containerHeight - this._containerBottom);
4074
4075                 if (this._animated) {
4076                         layerPos._add(L.DomUtil.getPosition(this._container));
4077                 }
4078
4079                 var containerPos = map.layerPointToContainerPoint(layerPos),
4080                     padding = L.point(this.options.autoPanPadding),
4081                     paddingTL = L.point(this.options.autoPanPaddingTopLeft || padding),
4082                     paddingBR = L.point(this.options.autoPanPaddingBottomRight || padding),
4083                     size = map.getSize(),
4084                     dx = 0,
4085                     dy = 0;
4086
4087                 if (containerPos.x + containerWidth + paddingBR.x > size.x) { // right
4088                         dx = containerPos.x + containerWidth - size.x + paddingBR.x;
4089                 }
4090                 if (containerPos.x - dx - paddingTL.x < 0) { // left
4091                         dx = containerPos.x - paddingTL.x;
4092                 }
4093                 if (containerPos.y + containerHeight + paddingBR.y > size.y) { // bottom
4094                         dy = containerPos.y + containerHeight - size.y + paddingBR.y;
4095                 }
4096                 if (containerPos.y - dy - paddingTL.y < 0) { // top
4097                         dy = containerPos.y - paddingTL.y;
4098                 }
4099
4100                 if (dx || dy) {
4101                         map
4102                             .fire('autopanstart')
4103                             .panBy([dx, dy]);
4104                 }
4105         },
4106
4107         _onCloseButtonClick: function (e) {
4108                 this._close();
4109                 L.DomEvent.stop(e);
4110         }
4111 });
4112
4113 L.popup = function (options, source) {
4114         return new L.Popup(options, source);
4115 };
4116
4117
4118 L.Map.include({
4119         openPopup: function (popup, latlng, options) { // (Popup) or (String || HTMLElement, LatLng[, Object])
4120                 this.closePopup();
4121
4122                 if (!(popup instanceof L.Popup)) {
4123                         var content = popup;
4124
4125                         popup = new L.Popup(options)
4126                             .setLatLng(latlng)
4127                             .setContent(content);
4128                 }
4129                 popup._isOpen = true;
4130
4131                 this._popup = popup;
4132                 return this.addLayer(popup);
4133         },
4134
4135         closePopup: function (popup) {
4136                 if (!popup || popup === this._popup) {
4137                         popup = this._popup;
4138                         this._popup = null;
4139                 }
4140                 if (popup) {
4141                         this.removeLayer(popup);
4142                         popup._isOpen = false;
4143                 }
4144                 return this;
4145         }
4146 });
4147
4148
4149 /*
4150  * Popup extension to L.Marker, adding popup-related methods.
4151  */
4152
4153 L.Marker.include({
4154         openPopup: function () {
4155                 if (this._popup && this._map && !this._map.hasLayer(this._popup)) {
4156                         this._popup.setLatLng(this._latlng);
4157                         this._map.openPopup(this._popup);
4158                 }
4159
4160                 return this;
4161         },
4162
4163         closePopup: function () {
4164                 if (this._popup) {
4165                         this._popup._close();
4166                 }
4167                 return this;
4168         },
4169
4170         togglePopup: function () {
4171                 if (this._popup) {
4172                         if (this._popup._isOpen) {
4173                                 this.closePopup();
4174                         } else {
4175                                 this.openPopup();
4176                         }
4177                 }
4178                 return this;
4179         },
4180
4181         bindPopup: function (content, options) {
4182                 var anchor = L.point(this.options.icon.options.popupAnchor || [0, 0]);
4183
4184                 anchor = anchor.add(L.Popup.prototype.options.offset);
4185
4186                 if (options && options.offset) {
4187                         anchor = anchor.add(options.offset);
4188                 }
4189
4190                 options = L.extend({offset: anchor}, options);
4191
4192                 if (!this._popupHandlersAdded) {
4193                         this
4194                             .on('click', this.togglePopup, this)
4195                             .on('remove', this.closePopup, this)
4196                             .on('move', this._movePopup, this);
4197                         this._popupHandlersAdded = true;
4198                 }
4199
4200                 if (content instanceof L.Popup) {
4201                         L.setOptions(content, options);
4202                         this._popup = content;
4203                         content._source = this;
4204                 } else {
4205                         this._popup = new L.Popup(options, this)
4206                                 .setContent(content);
4207                 }
4208
4209                 return this;
4210         },
4211
4212         setPopupContent: function (content) {
4213                 if (this._popup) {
4214                         this._popup.setContent(content);
4215                 }
4216                 return this;
4217         },
4218
4219         unbindPopup: function () {
4220                 if (this._popup) {
4221                         this._popup = null;
4222                         this
4223                             .off('click', this.togglePopup, this)
4224                             .off('remove', this.closePopup, this)
4225                             .off('move', this._movePopup, this);
4226                         this._popupHandlersAdded = false;
4227                 }
4228                 return this;
4229         },
4230
4231         getPopup: function () {
4232                 return this._popup;
4233         },
4234
4235         _movePopup: function (e) {
4236                 this._popup.setLatLng(e.latlng);
4237         }
4238 });
4239
4240
4241 /*
4242  * L.LayerGroup is a class to combine several layers into one so that
4243  * you can manipulate the group (e.g. add/remove it) as one layer.
4244  */
4245
4246 L.LayerGroup = L.Class.extend({
4247         initialize: function (layers) {
4248                 this._layers = {};
4249
4250                 var i, len;
4251
4252                 if (layers) {
4253                         for (i = 0, len = layers.length; i < len; i++) {
4254                                 this.addLayer(layers[i]);
4255                         }
4256                 }
4257         },
4258
4259         addLayer: function (layer) {
4260                 var id = this.getLayerId(layer);
4261
4262                 this._layers[id] = layer;
4263
4264                 if (this._map) {
4265                         this._map.addLayer(layer);
4266                 }
4267
4268                 return this;
4269         },
4270
4271         removeLayer: function (layer) {
4272                 var id = layer in this._layers ? layer : this.getLayerId(layer);
4273
4274                 if (this._map && this._layers[id]) {
4275                         this._map.removeLayer(this._layers[id]);
4276                 }
4277
4278                 delete this._layers[id];
4279
4280                 return this;
4281         },
4282
4283         hasLayer: function (layer) {
4284                 if (!layer) { return false; }
4285
4286                 return (layer in this._layers || this.getLayerId(layer) in this._layers);
4287         },
4288
4289         clearLayers: function () {
4290                 this.eachLayer(this.removeLayer, this);
4291                 return this;
4292         },
4293
4294         invoke: function (methodName) {
4295                 var args = Array.prototype.slice.call(arguments, 1),
4296                     i, layer;
4297
4298                 for (i in this._layers) {
4299                         layer = this._layers[i];
4300
4301                         if (layer[methodName]) {
4302                                 layer[methodName].apply(layer, args);
4303                         }
4304                 }
4305
4306                 return this;
4307         },
4308
4309         onAdd: function (map) {
4310                 this._map = map;
4311                 this.eachLayer(map.addLayer, map);
4312         },
4313
4314         onRemove: function (map) {
4315                 this.eachLayer(map.removeLayer, map);
4316                 this._map = null;
4317         },
4318
4319         addTo: function (map) {
4320                 map.addLayer(this);
4321                 return this;
4322         },
4323
4324         eachLayer: function (method, context) {
4325                 for (var i in this._layers) {
4326                         method.call(context, this._layers[i]);
4327                 }
4328                 return this;
4329         },
4330
4331         getLayer: function (id) {
4332                 return this._layers[id];
4333         },
4334
4335         getLayers: function () {
4336                 var layers = [];
4337
4338                 for (var i in this._layers) {
4339                         layers.push(this._layers[i]);
4340                 }
4341                 return layers;
4342         },
4343
4344         setZIndex: function (zIndex) {
4345                 return this.invoke('setZIndex', zIndex);
4346         },
4347
4348         getLayerId: function (layer) {
4349                 return L.stamp(layer);
4350         }
4351 });
4352
4353 L.layerGroup = function (layers) {
4354         return new L.LayerGroup(layers);
4355 };
4356
4357
4358 /*
4359  * L.FeatureGroup extends L.LayerGroup by introducing mouse events and additional methods
4360  * shared between a group of interactive layers (like vectors or markers).
4361  */
4362
4363 L.FeatureGroup = L.LayerGroup.extend({
4364         includes: L.Mixin.Events,
4365
4366         statics: {
4367                 EVENTS: 'click dblclick mouseover mouseout mousemove contextmenu popupopen popupclose'
4368         },
4369
4370         addLayer: function (layer) {
4371                 if (this.hasLayer(layer)) {
4372                         return this;
4373                 }
4374
4375                 if ('on' in layer) {
4376                         layer.on(L.FeatureGroup.EVENTS, this._propagateEvent, this);
4377                 }
4378
4379                 L.LayerGroup.prototype.addLayer.call(this, layer);
4380
4381                 if (this._popupContent && layer.bindPopup) {
4382                         layer.bindPopup(this._popupContent, this._popupOptions);
4383                 }
4384
4385                 return this.fire('layeradd', {layer: layer});
4386         },
4387
4388         removeLayer: function (layer) {
4389                 if (!this.hasLayer(layer)) {
4390                         return this;
4391                 }
4392                 if (layer in this._layers) {
4393                         layer = this._layers[layer];
4394                 }
4395
4396                 layer.off(L.FeatureGroup.EVENTS, this._propagateEvent, this);
4397
4398                 L.LayerGroup.prototype.removeLayer.call(this, layer);
4399
4400                 if (this._popupContent) {
4401                         this.invoke('unbindPopup');
4402                 }
4403
4404                 return this.fire('layerremove', {layer: layer});
4405         },
4406
4407         bindPopup: function (content, options) {
4408                 this._popupContent = content;
4409                 this._popupOptions = options;
4410                 return this.invoke('bindPopup', content, options);
4411         },
4412
4413         openPopup: function (latlng) {
4414                 // open popup on the first layer
4415                 for (var id in this._layers) {
4416                         this._layers[id].openPopup(latlng);
4417                         break;
4418                 }
4419                 return this;
4420         },
4421
4422         setStyle: function (style) {
4423                 return this.invoke('setStyle', style);
4424         },
4425
4426         bringToFront: function () {
4427                 return this.invoke('bringToFront');
4428         },
4429
4430         bringToBack: function () {
4431                 return this.invoke('bringToBack');
4432         },
4433
4434         getBounds: function () {
4435                 var bounds = new L.LatLngBounds();
4436
4437                 this.eachLayer(function (layer) {
4438                         bounds.extend(layer instanceof L.Marker ? layer.getLatLng() : layer.getBounds());
4439                 });
4440
4441                 return bounds;
4442         },
4443
4444         _propagateEvent: function (e) {
4445                 e = L.extend({
4446                         layer: e.target,
4447                         target: this
4448                 }, e);
4449                 this.fire(e.type, e);
4450         }
4451 });
4452
4453 L.featureGroup = function (layers) {
4454         return new L.FeatureGroup(layers);
4455 };
4456
4457
4458 /*
4459  * L.Path is a base class for rendering vector paths on a map. Inherited by Polyline, Circle, etc.
4460  */
4461
4462 L.Path = L.Class.extend({
4463         includes: [L.Mixin.Events],
4464
4465         statics: {
4466                 // how much to extend the clip area around the map view
4467                 // (relative to its size, e.g. 0.5 is half the screen in each direction)
4468                 // set it so that SVG element doesn't exceed 1280px (vectors flicker on dragend if it is)
4469                 CLIP_PADDING: (function () {
4470                         var max = L.Browser.mobile ? 1280 : 2000,
4471                             target = (max / Math.max(window.outerWidth, window.outerHeight) - 1) / 2;
4472                         return Math.max(0, Math.min(0.5, target));
4473                 })()
4474         },
4475
4476         options: {
4477                 stroke: true,
4478                 color: '#0033ff',
4479                 dashArray: null,
4480                 lineCap: null,
4481                 lineJoin: null,
4482                 weight: 5,
4483                 opacity: 0.5,
4484
4485                 fill: false,
4486                 fillColor: null, //same as color by default
4487                 fillOpacity: 0.2,
4488
4489                 clickable: true
4490         },
4491
4492         initialize: function (options) {
4493                 L.setOptions(this, options);
4494         },
4495
4496         onAdd: function (map) {
4497                 this._map = map;
4498
4499                 if (!this._container) {
4500                         this._initElements();
4501                         this._initEvents();
4502                 }
4503
4504                 this.projectLatlngs();
4505                 this._updatePath();
4506
4507                 if (this._container) {
4508                         this._map._pathRoot.appendChild(this._container);
4509                 }
4510
4511                 this.fire('add');
4512
4513                 map.on({
4514                         'viewreset': this.projectLatlngs,
4515                         'moveend': this._updatePath
4516                 }, this);
4517         },
4518
4519         addTo: function (map) {
4520                 map.addLayer(this);
4521                 return this;
4522         },
4523
4524         onRemove: function (map) {
4525                 map._pathRoot.removeChild(this._container);
4526
4527                 // Need to fire remove event before we set _map to null as the event hooks might need the object
4528                 this.fire('remove');
4529                 this._map = null;
4530
4531                 if (L.Browser.vml) {
4532                         this._container = null;
4533                         this._stroke = null;
4534                         this._fill = null;
4535                 }
4536
4537                 map.off({
4538                         'viewreset': this.projectLatlngs,
4539                         'moveend': this._updatePath
4540                 }, this);
4541         },
4542
4543         projectLatlngs: function () {
4544                 // do all projection stuff here
4545         },
4546
4547         setStyle: function (style) {
4548                 L.setOptions(this, style);
4549
4550                 if (this._container) {
4551                         this._updateStyle();
4552                 }
4553
4554                 return this;
4555         },
4556
4557         redraw: function () {
4558                 if (this._map) {
4559                         this.projectLatlngs();
4560                         this._updatePath();
4561                 }
4562                 return this;
4563         }
4564 });
4565
4566 L.Map.include({
4567         _updatePathViewport: function () {
4568                 var p = L.Path.CLIP_PADDING,
4569                     size = this.getSize(),
4570                     panePos = L.DomUtil.getPosition(this._mapPane),
4571                     min = panePos.multiplyBy(-1)._subtract(size.multiplyBy(p)._round()),
4572                     max = min.add(size.multiplyBy(1 + p * 2)._round());
4573
4574                 this._pathViewport = new L.Bounds(min, max);
4575         }
4576 });
4577
4578
4579 /*
4580  * Extends L.Path with SVG-specific rendering code.
4581  */
4582
4583 L.Path.SVG_NS = 'http://www.w3.org/2000/svg';
4584
4585 L.Browser.svg = !!(document.createElementNS && document.createElementNS(L.Path.SVG_NS, 'svg').createSVGRect);
4586
4587 L.Path = L.Path.extend({
4588         statics: {
4589                 SVG: L.Browser.svg
4590         },
4591
4592         bringToFront: function () {
4593                 var root = this._map._pathRoot,
4594                     path = this._container;
4595
4596                 if (path && root.lastChild !== path) {
4597                         root.appendChild(path);
4598                 }
4599                 return this;
4600         },
4601
4602         bringToBack: function () {
4603                 var root = this._map._pathRoot,
4604                     path = this._container,
4605                     first = root.firstChild;
4606
4607                 if (path && first !== path) {
4608                         root.insertBefore(path, first);
4609                 }
4610                 return this;
4611         },
4612
4613         getPathString: function () {
4614                 // form path string here
4615         },
4616
4617         _createElement: function (name) {
4618                 return document.createElementNS(L.Path.SVG_NS, name);
4619         },
4620
4621         _initElements: function () {
4622                 this._map._initPathRoot();
4623                 this._initPath();
4624                 this._initStyle();
4625         },
4626
4627         _initPath: function () {
4628                 this._container = this._createElement('g');
4629
4630                 this._path = this._createElement('path');
4631
4632                 if (this.options.className) {
4633                         L.DomUtil.addClass(this._path, this.options.className);
4634                 }
4635
4636                 this._container.appendChild(this._path);
4637         },
4638
4639         _initStyle: function () {
4640                 if (this.options.stroke) {
4641                         this._path.setAttribute('stroke-linejoin', 'round');
4642                         this._path.setAttribute('stroke-linecap', 'round');
4643                 }
4644                 if (this.options.fill) {
4645                         this._path.setAttribute('fill-rule', 'evenodd');
4646                 }
4647                 if (this.options.pointerEvents) {
4648                         this._path.setAttribute('pointer-events', this.options.pointerEvents);
4649                 }
4650                 if (!this.options.clickable && !this.options.pointerEvents) {
4651                         this._path.setAttribute('pointer-events', 'none');
4652                 }
4653                 this._updateStyle();
4654         },
4655
4656         _updateStyle: function () {
4657                 if (this.options.stroke) {
4658                         this._path.setAttribute('stroke', this.options.color);
4659                         this._path.setAttribute('stroke-opacity', this.options.opacity);
4660                         this._path.setAttribute('stroke-width', this.options.weight);
4661                         if (this.options.dashArray) {
4662                                 this._path.setAttribute('stroke-dasharray', this.options.dashArray);
4663                         } else {
4664                                 this._path.removeAttribute('stroke-dasharray');
4665                         }
4666                         if (this.options.lineCap) {
4667                                 this._path.setAttribute('stroke-linecap', this.options.lineCap);
4668                         }
4669                         if (this.options.lineJoin) {
4670                                 this._path.setAttribute('stroke-linejoin', this.options.lineJoin);
4671                         }
4672                 } else {
4673                         this._path.setAttribute('stroke', 'none');
4674                 }
4675                 if (this.options.fill) {
4676                         this._path.setAttribute('fill', this.options.fillColor || this.options.color);
4677                         this._path.setAttribute('fill-opacity', this.options.fillOpacity);
4678                 } else {
4679                         this._path.setAttribute('fill', 'none');
4680                 }
4681         },
4682
4683         _updatePath: function () {
4684                 var str = this.getPathString();
4685                 if (!str) {
4686                         // fix webkit empty string parsing bug
4687                         str = 'M0 0';
4688                 }
4689                 this._path.setAttribute('d', str);
4690         },
4691
4692         // TODO remove duplication with L.Map
4693         _initEvents: function () {
4694                 if (this.options.clickable) {
4695                         if (L.Browser.svg || !L.Browser.vml) {
4696                                 L.DomUtil.addClass(this._path, 'leaflet-clickable');
4697                         }
4698
4699                         L.DomEvent.on(this._container, 'click', this._onMouseClick, this);
4700
4701                         var events = ['dblclick', 'mousedown', 'mouseover',
4702                                       'mouseout', 'mousemove', 'contextmenu'];
4703                         for (var i = 0; i < events.length; i++) {
4704                                 L.DomEvent.on(this._container, events[i], this._fireMouseEvent, this);
4705                         }
4706                 }
4707         },
4708
4709         _onMouseClick: function (e) {
4710                 if (this._map.dragging && this._map.dragging.moved()) { return; }
4711
4712                 this._fireMouseEvent(e);
4713         },
4714
4715         _fireMouseEvent: function (e) {
4716                 if (!this.hasEventListeners(e.type)) { return; }
4717
4718                 var map = this._map,
4719                     containerPoint = map.mouseEventToContainerPoint(e),
4720                     layerPoint = map.containerPointToLayerPoint(containerPoint),
4721                     latlng = map.layerPointToLatLng(layerPoint);
4722
4723                 this.fire(e.type, {
4724                         latlng: latlng,
4725                         layerPoint: layerPoint,
4726                         containerPoint: containerPoint,
4727                         originalEvent: e
4728                 });
4729
4730                 if (e.type === 'contextmenu') {
4731                         L.DomEvent.preventDefault(e);
4732                 }
4733                 if (e.type !== 'mousemove') {
4734                         L.DomEvent.stopPropagation(e);
4735                 }
4736         }
4737 });
4738
4739 L.Map.include({
4740         _initPathRoot: function () {
4741                 if (!this._pathRoot) {
4742                         this._pathRoot = L.Path.prototype._createElement('svg');
4743                         this._panes.overlayPane.appendChild(this._pathRoot);
4744
4745                         if (this.options.zoomAnimation && L.Browser.any3d) {
4746                                 L.DomUtil.addClass(this._pathRoot, 'leaflet-zoom-animated');
4747
4748                                 this.on({
4749                                         'zoomanim': this._animatePathZoom,
4750                                         'zoomend': this._endPathZoom
4751                                 });
4752                         } else {
4753                                 L.DomUtil.addClass(this._pathRoot, 'leaflet-zoom-hide');
4754                         }
4755
4756                         this.on('moveend', this._updateSvgViewport);
4757                         this._updateSvgViewport();
4758                 }
4759         },
4760
4761         _animatePathZoom: function (e) {
4762                 var scale = this.getZoomScale(e.zoom),
4763                     offset = this._getCenterOffset(e.center)._multiplyBy(-scale)._add(this._pathViewport.min);
4764
4765                 this._pathRoot.style[L.DomUtil.TRANSFORM] =
4766                         L.DomUtil.getTranslateString(offset) + ' scale(' + scale + ') ';
4767
4768                 this._pathZooming = true;
4769         },
4770
4771         _endPathZoom: function () {
4772                 this._pathZooming = false;
4773         },
4774
4775         _updateSvgViewport: function () {
4776
4777                 if (this._pathZooming) {
4778                         // Do not update SVGs while a zoom animation is going on otherwise the animation will break.
4779                         // When the zoom animation ends we will be updated again anyway
4780                         // This fixes the case where you do a momentum move and zoom while the move is still ongoing.
4781                         return;
4782                 }
4783
4784                 this._updatePathViewport();
4785
4786                 var vp = this._pathViewport,
4787                     min = vp.min,
4788                     max = vp.max,
4789                     width = max.x - min.x,
4790                     height = max.y - min.y,
4791                     root = this._pathRoot,
4792                     pane = this._panes.overlayPane;
4793
4794                 // Hack to make flicker on drag end on mobile webkit less irritating
4795                 if (L.Browser.mobileWebkit) {
4796                         pane.removeChild(root);
4797                 }
4798
4799                 L.DomUtil.setPosition(root, min);
4800                 root.setAttribute('width', width);
4801                 root.setAttribute('height', height);
4802                 root.setAttribute('viewBox', [min.x, min.y, width, height].join(' '));
4803
4804                 if (L.Browser.mobileWebkit) {
4805                         pane.appendChild(root);
4806                 }
4807         }
4808 });
4809
4810
4811 /*
4812  * Popup extension to L.Path (polylines, polygons, circles), adding popup-related methods.
4813  */
4814
4815 L.Path.include({
4816
4817         bindPopup: function (content, options) {
4818
4819                 if (content instanceof L.Popup) {
4820                         this._popup = content;
4821                 } else {
4822                         if (!this._popup || options) {
4823                                 this._popup = new L.Popup(options, this);
4824                         }
4825                         this._popup.setContent(content);
4826                 }
4827
4828                 if (!this._popupHandlersAdded) {
4829                         this
4830                             .on('click', this._openPopup, this)
4831                             .on('remove', this.closePopup, this);
4832
4833                         this._popupHandlersAdded = true;
4834                 }
4835
4836                 return this;
4837         },
4838
4839         unbindPopup: function () {
4840                 if (this._popup) {
4841                         this._popup = null;
4842                         this
4843                             .off('click', this._openPopup)
4844                             .off('remove', this.closePopup);
4845
4846                         this._popupHandlersAdded = false;
4847                 }
4848                 return this;
4849         },
4850
4851         openPopup: function (latlng) {
4852
4853                 if (this._popup) {
4854                         // open the popup from one of the path's points if not specified
4855                         latlng = latlng || this._latlng ||
4856                                  this._latlngs[Math.floor(this._latlngs.length / 2)];
4857
4858                         this._openPopup({latlng: latlng});
4859                 }
4860
4861                 return this;
4862         },
4863
4864         closePopup: function () {
4865                 if (this._popup) {
4866                         this._popup._close();
4867                 }
4868                 return this;
4869         },
4870
4871         _openPopup: function (e) {
4872                 this._popup.setLatLng(e.latlng);
4873                 this._map.openPopup(this._popup);
4874         }
4875 });
4876
4877
4878 /*
4879  * Vector rendering for IE6-8 through VML.
4880  * Thanks to Dmitry Baranovsky and his Raphael library for inspiration!
4881  */
4882
4883 L.Browser.vml = !L.Browser.svg && (function () {
4884         try {
4885                 var div = document.createElement('div');
4886                 div.innerHTML = '<v:shape adj="1"/>';
4887
4888                 var shape = div.firstChild;
4889                 shape.style.behavior = 'url(#default#VML)';
4890
4891                 return shape && (typeof shape.adj === 'object');
4892
4893         } catch (e) {
4894                 return false;
4895         }
4896 }());
4897
4898 L.Path = L.Browser.svg || !L.Browser.vml ? L.Path : L.Path.extend({
4899         statics: {
4900                 VML: true,
4901                 CLIP_PADDING: 0.02
4902         },
4903
4904         _createElement: (function () {
4905                 try {
4906                         document.namespaces.add('lvml', 'urn:schemas-microsoft-com:vml');
4907                         return function (name) {
4908                                 return document.createElement('<lvml:' + name + ' class="lvml">');
4909                         };
4910                 } catch (e) {
4911                         return function (name) {
4912                                 return document.createElement(
4913                                         '<' + name + ' xmlns="urn:schemas-microsoft.com:vml" class="lvml">');
4914                         };
4915                 }
4916         }()),
4917
4918         _initPath: function () {
4919                 var container = this._container = this._createElement('shape');
4920
4921                 L.DomUtil.addClass(container, 'leaflet-vml-shape' +
4922                         (this.options.className ? ' ' + this.options.className : ''));
4923
4924                 if (this.options.clickable) {
4925                         L.DomUtil.addClass(container, 'leaflet-clickable');
4926                 }
4927
4928                 container.coordsize = '1 1';
4929
4930                 this._path = this._createElement('path');
4931                 container.appendChild(this._path);
4932
4933                 this._map._pathRoot.appendChild(container);
4934         },
4935
4936         _initStyle: function () {
4937                 this._updateStyle();
4938         },
4939
4940         _updateStyle: function () {
4941                 var stroke = this._stroke,
4942                     fill = this._fill,
4943                     options = this.options,
4944                     container = this._container;
4945
4946                 container.stroked = options.stroke;
4947                 container.filled = options.fill;
4948
4949                 if (options.stroke) {
4950                         if (!stroke) {
4951                                 stroke = this._stroke = this._createElement('stroke');
4952                                 stroke.endcap = 'round';
4953                                 container.appendChild(stroke);
4954                         }
4955                         stroke.weight = options.weight + 'px';
4956                         stroke.color = options.color;
4957                         stroke.opacity = options.opacity;
4958
4959                         if (options.dashArray) {
4960                                 stroke.dashStyle = L.Util.isArray(options.dashArray) ?
4961                                     options.dashArray.join(' ') :
4962                                     options.dashArray.replace(/( *, *)/g, ' ');
4963                         } else {
4964                                 stroke.dashStyle = '';
4965                         }
4966                         if (options.lineCap) {
4967                                 stroke.endcap = options.lineCap.replace('butt', 'flat');
4968                         }
4969                         if (options.lineJoin) {
4970                                 stroke.joinstyle = options.lineJoin;
4971                         }
4972
4973                 } else if (stroke) {
4974                         container.removeChild(stroke);
4975                         this._stroke = null;
4976                 }
4977
4978                 if (options.fill) {
4979                         if (!fill) {
4980                                 fill = this._fill = this._createElement('fill');
4981                                 container.appendChild(fill);
4982                         }
4983                         fill.color = options.fillColor || options.color;
4984                         fill.opacity = options.fillOpacity;
4985
4986                 } else if (fill) {
4987                         container.removeChild(fill);
4988                         this._fill = null;
4989                 }
4990         },
4991
4992         _updatePath: function () {
4993                 var style = this._container.style;
4994
4995                 style.display = 'none';
4996                 this._path.v = this.getPathString() + ' '; // the space fixes IE empty path string bug
4997                 style.display = '';
4998         }
4999 });
5000
5001 L.Map.include(L.Browser.svg || !L.Browser.vml ? {} : {
5002         _initPathRoot: function () {
5003                 if (this._pathRoot) { return; }
5004
5005                 var root = this._pathRoot = document.createElement('div');
5006                 root.className = 'leaflet-vml-container';
5007                 this._panes.overlayPane.appendChild(root);
5008
5009                 this.on('moveend', this._updatePathViewport);
5010                 this._updatePathViewport();
5011         }
5012 });
5013
5014
5015 /*
5016  * Vector rendering for all browsers that support canvas.
5017  */
5018
5019 L.Browser.canvas = (function () {
5020         return !!document.createElement('canvas').getContext;
5021 }());
5022
5023 L.Path = (L.Path.SVG && !window.L_PREFER_CANVAS) || !L.Browser.canvas ? L.Path : L.Path.extend({
5024         statics: {
5025                 //CLIP_PADDING: 0.02, // not sure if there's a need to set it to a small value
5026                 CANVAS: true,
5027                 SVG: false
5028         },
5029
5030         redraw: function () {
5031                 if (this._map) {
5032                         this.projectLatlngs();
5033                         this._requestUpdate();
5034                 }
5035                 return this;
5036         },
5037
5038         setStyle: function (style) {
5039                 L.setOptions(this, style);
5040
5041                 if (this._map) {
5042                         this._updateStyle();
5043                         this._requestUpdate();
5044                 }
5045                 return this;
5046         },
5047
5048         onRemove: function (map) {
5049                 map
5050                     .off('viewreset', this.projectLatlngs, this)
5051                     .off('moveend', this._updatePath, this);
5052
5053                 if (this.options.clickable) {
5054                         this._map.off('click', this._onClick, this);
5055                         this._map.off('mousemove', this._onMouseMove, this);
5056                 }
5057
5058                 this._requestUpdate();
5059                 
5060                 this.fire('remove');
5061                 this._map = null;
5062         },
5063
5064         _requestUpdate: function () {
5065                 if (this._map && !L.Path._updateRequest) {
5066                         L.Path._updateRequest = L.Util.requestAnimFrame(this._fireMapMoveEnd, this._map);
5067                 }
5068         },
5069
5070         _fireMapMoveEnd: function () {
5071                 L.Path._updateRequest = null;
5072                 this.fire('moveend');
5073         },
5074
5075         _initElements: function () {
5076                 this._map._initPathRoot();
5077                 this._ctx = this._map._canvasCtx;
5078         },
5079
5080         _updateStyle: function () {
5081                 var options = this.options;
5082
5083                 if (options.stroke) {
5084                         this._ctx.lineWidth = options.weight;
5085                         this._ctx.strokeStyle = options.color;
5086                 }
5087                 if (options.fill) {
5088                         this._ctx.fillStyle = options.fillColor || options.color;
5089                 }
5090
5091                 if (options.lineCap) {
5092                         this._ctx.lineCap = options.lineCap;
5093                 }
5094                 if (options.lineJoin) {
5095                         this._ctx.lineJoin = options.lineJoin;
5096                 }
5097         },
5098
5099         _drawPath: function () {
5100                 var i, j, len, len2, point, drawMethod;
5101
5102                 this._ctx.beginPath();
5103
5104                 for (i = 0, len = this._parts.length; i < len; i++) {
5105                         for (j = 0, len2 = this._parts[i].length; j < len2; j++) {
5106                                 point = this._parts[i][j];
5107                                 drawMethod = (j === 0 ? 'move' : 'line') + 'To';
5108
5109                                 this._ctx[drawMethod](point.x, point.y);
5110                         }
5111                         // TODO refactor ugly hack
5112                         if (this instanceof L.Polygon) {
5113                                 this._ctx.closePath();
5114                         }
5115                 }
5116         },
5117
5118         _checkIfEmpty: function () {
5119                 return !this._parts.length;
5120         },
5121
5122         _updatePath: function () {
5123                 if (this._checkIfEmpty()) { return; }
5124
5125                 var ctx = this._ctx,
5126                     options = this.options;
5127
5128                 this._drawPath();
5129                 ctx.save();
5130                 this._updateStyle();
5131
5132                 if (options.fill) {
5133                         ctx.globalAlpha = options.fillOpacity;
5134                         ctx.fill(options.fillRule || 'evenodd');
5135                 }
5136
5137                 if (options.stroke) {
5138                         ctx.globalAlpha = options.opacity;
5139                         ctx.stroke();
5140                 }
5141
5142                 ctx.restore();
5143
5144                 // TODO optimization: 1 fill/stroke for all features with equal style instead of 1 for each feature
5145         },
5146
5147         _initEvents: function () {
5148                 if (this.options.clickable) {
5149                         this._map.on('mousemove', this._onMouseMove, this);
5150                         this._map.on('click dblclick contextmenu', this._fireMouseEvent, this);
5151                 }
5152         },
5153
5154         _fireMouseEvent: function (e) {
5155                 if (this._containsPoint(e.layerPoint)) {
5156                         this.fire(e.type, e);
5157                 }
5158         },
5159
5160         _onMouseMove: function (e) {
5161                 if (!this._map || this._map._animatingZoom) { return; }
5162
5163                 // TODO don't do on each move
5164                 if (this._containsPoint(e.layerPoint)) {
5165                         this._ctx.canvas.style.cursor = 'pointer';
5166                         this._mouseInside = true;
5167                         this.fire('mouseover', e);
5168
5169                 } else if (this._mouseInside) {
5170                         this._ctx.canvas.style.cursor = '';
5171                         this._mouseInside = false;
5172                         this.fire('mouseout', e);
5173                 }
5174         }
5175 });
5176
5177 L.Map.include((L.Path.SVG && !window.L_PREFER_CANVAS) || !L.Browser.canvas ? {} : {
5178         _initPathRoot: function () {
5179                 var root = this._pathRoot,
5180                     ctx;
5181
5182                 if (!root) {
5183                         root = this._pathRoot = document.createElement('canvas');
5184                         root.style.position = 'absolute';
5185                         ctx = this._canvasCtx = root.getContext('2d');
5186
5187                         ctx.lineCap = 'round';
5188                         ctx.lineJoin = 'round';
5189
5190                         this._panes.overlayPane.appendChild(root);
5191
5192                         if (this.options.zoomAnimation) {
5193                                 this._pathRoot.className = 'leaflet-zoom-animated';
5194                                 this.on('zoomanim', this._animatePathZoom);
5195                                 this.on('zoomend', this._endPathZoom);
5196                         }
5197                         this.on('moveend', this._updateCanvasViewport);
5198                         this._updateCanvasViewport();
5199                 }
5200         },
5201
5202         _updateCanvasViewport: function () {
5203                 // don't redraw while zooming. See _updateSvgViewport for more details
5204                 if (this._pathZooming) { return; }
5205                 this._updatePathViewport();
5206
5207                 var vp = this._pathViewport,
5208                     min = vp.min,
5209                     size = vp.max.subtract(min),
5210                     root = this._pathRoot;
5211
5212                 //TODO check if this works properly on mobile webkit
5213                 L.DomUtil.setPosition(root, min);
5214                 root.width = size.x;
5215                 root.height = size.y;
5216                 root.getContext('2d').translate(-min.x, -min.y);
5217         }
5218 });
5219
5220
5221 /*
5222  * L.LineUtil contains different utility functions for line segments
5223  * and polylines (clipping, simplification, distances, etc.)
5224  */
5225
5226 /*jshint bitwise:false */ // allow bitwise operations for this file
5227
5228 L.LineUtil = {
5229
5230         // Simplify polyline with vertex reduction and Douglas-Peucker simplification.
5231         // Improves rendering performance dramatically by lessening the number of points to draw.
5232
5233         simplify: function (/*Point[]*/ points, /*Number*/ tolerance) {
5234                 if (!tolerance || !points.length) {
5235                         return points.slice();
5236                 }
5237
5238                 var sqTolerance = tolerance * tolerance;
5239
5240                 // stage 1: vertex reduction
5241                 points = this._reducePoints(points, sqTolerance);
5242
5243                 // stage 2: Douglas-Peucker simplification
5244                 points = this._simplifyDP(points, sqTolerance);
5245
5246                 return points;
5247         },
5248
5249         // distance from a point to a segment between two points
5250         pointToSegmentDistance:  function (/*Point*/ p, /*Point*/ p1, /*Point*/ p2) {
5251                 return Math.sqrt(this._sqClosestPointOnSegment(p, p1, p2, true));
5252         },
5253
5254         closestPointOnSegment: function (/*Point*/ p, /*Point*/ p1, /*Point*/ p2) {
5255                 return this._sqClosestPointOnSegment(p, p1, p2);
5256         },
5257
5258         // Douglas-Peucker simplification, see http://en.wikipedia.org/wiki/Douglas-Peucker_algorithm
5259         _simplifyDP: function (points, sqTolerance) {
5260
5261                 var len = points.length,
5262                     ArrayConstructor = typeof Uint8Array !== undefined + '' ? Uint8Array : Array,
5263                     markers = new ArrayConstructor(len);
5264
5265                 markers[0] = markers[len - 1] = 1;
5266
5267                 this._simplifyDPStep(points, markers, sqTolerance, 0, len - 1);
5268
5269                 var i,
5270                     newPoints = [];
5271
5272                 for (i = 0; i < len; i++) {
5273                         if (markers[i]) {
5274                                 newPoints.push(points[i]);
5275                         }
5276                 }
5277
5278                 return newPoints;
5279         },
5280
5281         _simplifyDPStep: function (points, markers, sqTolerance, first, last) {
5282
5283                 var maxSqDist = 0,
5284                     index, i, sqDist;
5285
5286                 for (i = first + 1; i <= last - 1; i++) {
5287                         sqDist = this._sqClosestPointOnSegment(points[i], points[first], points[last], true);
5288
5289                         if (sqDist > maxSqDist) {
5290                                 index = i;
5291                                 maxSqDist = sqDist;
5292                         }
5293                 }
5294
5295                 if (maxSqDist > sqTolerance) {
5296                         markers[index] = 1;
5297
5298                         this._simplifyDPStep(points, markers, sqTolerance, first, index);
5299                         this._simplifyDPStep(points, markers, sqTolerance, index, last);
5300                 }
5301         },
5302
5303         // reduce points that are too close to each other to a single point
5304         _reducePoints: function (points, sqTolerance) {
5305                 var reducedPoints = [points[0]];
5306
5307                 for (var i = 1, prev = 0, len = points.length; i < len; i++) {
5308                         if (this._sqDist(points[i], points[prev]) > sqTolerance) {
5309                                 reducedPoints.push(points[i]);
5310                                 prev = i;
5311                         }
5312                 }
5313                 if (prev < len - 1) {
5314                         reducedPoints.push(points[len - 1]);
5315                 }
5316                 return reducedPoints;
5317         },
5318
5319         // Cohen-Sutherland line clipping algorithm.
5320         // Used to avoid rendering parts of a polyline that are not currently visible.
5321
5322         clipSegment: function (a, b, bounds, useLastCode) {
5323                 var codeA = useLastCode ? this._lastCode : this._getBitCode(a, bounds),
5324                     codeB = this._getBitCode(b, bounds),
5325
5326                     codeOut, p, newCode;
5327
5328                 // save 2nd code to avoid calculating it on the next segment
5329                 this._lastCode = codeB;
5330
5331                 while (true) {
5332                         // if a,b is inside the clip window (trivial accept)
5333                         if (!(codeA | codeB)) {
5334                                 return [a, b];
5335                         // if a,b is outside the clip window (trivial reject)
5336                         } else if (codeA & codeB) {
5337                                 return false;
5338                         // other cases
5339                         } else {
5340                                 codeOut = codeA || codeB;
5341                                 p = this._getEdgeIntersection(a, b, codeOut, bounds);
5342                                 newCode = this._getBitCode(p, bounds);
5343
5344                                 if (codeOut === codeA) {
5345                                         a = p;
5346                                         codeA = newCode;
5347                                 } else {
5348                                         b = p;
5349                                         codeB = newCode;
5350                                 }
5351                         }
5352                 }
5353         },
5354
5355         _getEdgeIntersection: function (a, b, code, bounds) {
5356                 var dx = b.x - a.x,
5357                     dy = b.y - a.y,
5358                     min = bounds.min,
5359                     max = bounds.max;
5360
5361                 if (code & 8) { // top
5362                         return new L.Point(a.x + dx * (max.y - a.y) / dy, max.y);
5363                 } else if (code & 4) { // bottom
5364                         return new L.Point(a.x + dx * (min.y - a.y) / dy, min.y);
5365                 } else if (code & 2) { // right
5366                         return new L.Point(max.x, a.y + dy * (max.x - a.x) / dx);
5367                 } else if (code & 1) { // left
5368                         return new L.Point(min.x, a.y + dy * (min.x - a.x) / dx);
5369                 }
5370         },
5371
5372         _getBitCode: function (/*Point*/ p, bounds) {
5373                 var code = 0;
5374
5375                 if (p.x < bounds.min.x) { // left
5376                         code |= 1;
5377                 } else if (p.x > bounds.max.x) { // right
5378                         code |= 2;
5379                 }
5380                 if (p.y < bounds.min.y) { // bottom
5381                         code |= 4;
5382                 } else if (p.y > bounds.max.y) { // top
5383                         code |= 8;
5384                 }
5385
5386                 return code;
5387         },
5388
5389         // square distance (to avoid unnecessary Math.sqrt calls)
5390         _sqDist: function (p1, p2) {
5391                 var dx = p2.x - p1.x,
5392                     dy = p2.y - p1.y;
5393                 return dx * dx + dy * dy;
5394         },
5395
5396         // return closest point on segment or distance to that point
5397         _sqClosestPointOnSegment: function (p, p1, p2, sqDist) {
5398                 var x = p1.x,
5399                     y = p1.y,
5400                     dx = p2.x - x,
5401                     dy = p2.y - y,
5402                     dot = dx * dx + dy * dy,
5403                     t;
5404
5405                 if (dot > 0) {
5406                         t = ((p.x - x) * dx + (p.y - y) * dy) / dot;
5407
5408                         if (t > 1) {
5409                                 x = p2.x;
5410                                 y = p2.y;
5411                         } else if (t > 0) {
5412                                 x += dx * t;
5413                                 y += dy * t;
5414                         }
5415                 }
5416
5417                 dx = p.x - x;
5418                 dy = p.y - y;
5419
5420                 return sqDist ? dx * dx + dy * dy : new L.Point(x, y);
5421         }
5422 };
5423
5424
5425 /*
5426  * L.Polyline is used to display polylines on a map.
5427  */
5428
5429 L.Polyline = L.Path.extend({
5430         initialize: function (latlngs, options) {
5431                 L.Path.prototype.initialize.call(this, options);
5432
5433                 this._latlngs = this._convertLatLngs(latlngs);
5434         },
5435
5436         options: {
5437                 // how much to simplify the polyline on each zoom level
5438                 // more = better performance and smoother look, less = more accurate
5439                 smoothFactor: 1.0,
5440                 noClip: false
5441         },
5442
5443         projectLatlngs: function () {
5444                 this._originalPoints = [];
5445
5446                 for (var i = 0, len = this._latlngs.length; i < len; i++) {
5447                         this._originalPoints[i] = this._map.latLngToLayerPoint(this._latlngs[i]);
5448                 }
5449         },
5450
5451         getPathString: function () {
5452                 for (var i = 0, len = this._parts.length, str = ''; i < len; i++) {
5453                         str += this._getPathPartStr(this._parts[i]);
5454                 }
5455                 return str;
5456         },
5457
5458         getLatLngs: function () {
5459                 return this._latlngs;
5460         },
5461
5462         setLatLngs: function (latlngs) {
5463                 this._latlngs = this._convertLatLngs(latlngs);
5464                 return this.redraw();
5465         },
5466
5467         addLatLng: function (latlng) {
5468                 this._latlngs.push(L.latLng(latlng));
5469                 return this.redraw();
5470         },
5471
5472         spliceLatLngs: function () { // (Number index, Number howMany)
5473                 var removed = [].splice.apply(this._latlngs, arguments);
5474                 this._convertLatLngs(this._latlngs, true);
5475                 this.redraw();
5476                 return removed;
5477         },
5478
5479         closestLayerPoint: function (p) {
5480                 var minDistance = Infinity, parts = this._parts, p1, p2, minPoint = null;
5481
5482                 for (var j = 0, jLen = parts.length; j < jLen; j++) {
5483                         var points = parts[j];
5484                         for (var i = 1, len = points.length; i < len; i++) {
5485                                 p1 = points[i - 1];
5486                                 p2 = points[i];
5487                                 var sqDist = L.LineUtil._sqClosestPointOnSegment(p, p1, p2, true);
5488                                 if (sqDist < minDistance) {
5489                                         minDistance = sqDist;
5490                                         minPoint = L.LineUtil._sqClosestPointOnSegment(p, p1, p2);
5491                                 }
5492                         }
5493                 }
5494                 if (minPoint) {
5495                         minPoint.distance = Math.sqrt(minDistance);
5496                 }
5497                 return minPoint;
5498         },
5499
5500         getBounds: function () {
5501                 return new L.LatLngBounds(this.getLatLngs());
5502         },
5503
5504         _convertLatLngs: function (latlngs, overwrite) {
5505                 var i, len, target = overwrite ? latlngs : [];
5506
5507                 for (i = 0, len = latlngs.length; i < len; i++) {
5508                         if (L.Util.isArray(latlngs[i]) && typeof latlngs[i][0] !== 'number') {
5509                                 return;
5510                         }
5511                         target[i] = L.latLng(latlngs[i]);
5512                 }
5513                 return target;
5514         },
5515
5516         _initEvents: function () {
5517                 L.Path.prototype._initEvents.call(this);
5518         },
5519
5520         _getPathPartStr: function (points) {
5521                 var round = L.Path.VML;
5522
5523                 for (var j = 0, len2 = points.length, str = '', p; j < len2; j++) {
5524                         p = points[j];
5525                         if (round) {
5526                                 p._round();
5527                         }
5528                         str += (j ? 'L' : 'M') + p.x + ' ' + p.y;
5529                 }
5530                 return str;
5531         },
5532
5533         _clipPoints: function () {
5534                 var points = this._originalPoints,
5535                     len = points.length,
5536                     i, k, segment;
5537
5538                 if (this.options.noClip) {
5539                         this._parts = [points];
5540                         return;
5541                 }
5542
5543                 this._parts = [];
5544
5545                 var parts = this._parts,
5546                     vp = this._map._pathViewport,
5547                     lu = L.LineUtil;
5548
5549                 for (i = 0, k = 0; i < len - 1; i++) {
5550                         segment = lu.clipSegment(points[i], points[i + 1], vp, i);
5551                         if (!segment) {
5552                                 continue;
5553                         }
5554
5555                         parts[k] = parts[k] || [];
5556                         parts[k].push(segment[0]);
5557
5558                         // if segment goes out of screen, or it's the last one, it's the end of the line part
5559                         if ((segment[1] !== points[i + 1]) || (i === len - 2)) {
5560                                 parts[k].push(segment[1]);
5561                                 k++;
5562                         }
5563                 }
5564         },
5565
5566         // simplify each clipped part of the polyline
5567         _simplifyPoints: function () {
5568                 var parts = this._parts,
5569                     lu = L.LineUtil;
5570
5571                 for (var i = 0, len = parts.length; i < len; i++) {
5572                         parts[i] = lu.simplify(parts[i], this.options.smoothFactor);
5573                 }
5574         },
5575
5576         _updatePath: function () {
5577                 if (!this._map) { return; }
5578
5579                 this._clipPoints();
5580                 this._simplifyPoints();
5581
5582                 L.Path.prototype._updatePath.call(this);
5583         }
5584 });
5585
5586 L.polyline = function (latlngs, options) {
5587         return new L.Polyline(latlngs, options);
5588 };
5589
5590
5591 /*
5592  * L.PolyUtil contains utility functions for polygons (clipping, etc.).
5593  */
5594
5595 /*jshint bitwise:false */ // allow bitwise operations here
5596
5597 L.PolyUtil = {};
5598
5599 /*
5600  * Sutherland-Hodgeman polygon clipping algorithm.
5601  * Used to avoid rendering parts of a polygon that are not currently visible.
5602  */
5603 L.PolyUtil.clipPolygon = function (points, bounds) {
5604         var clippedPoints,
5605             edges = [1, 4, 2, 8],
5606             i, j, k,
5607             a, b,
5608             len, edge, p,
5609             lu = L.LineUtil;
5610
5611         for (i = 0, len = points.length; i < len; i++) {
5612                 points[i]._code = lu._getBitCode(points[i], bounds);
5613         }
5614
5615         // for each edge (left, bottom, right, top)
5616         for (k = 0; k < 4; k++) {
5617                 edge = edges[k];
5618                 clippedPoints = [];
5619
5620                 for (i = 0, len = points.length, j = len - 1; i < len; j = i++) {
5621                         a = points[i];
5622                         b = points[j];
5623
5624                         // if a is inside the clip window
5625                         if (!(a._code & edge)) {
5626                                 // if b is outside the clip window (a->b goes out of screen)
5627                                 if (b._code & edge) {
5628                                         p = lu._getEdgeIntersection(b, a, edge, bounds);
5629                                         p._code = lu._getBitCode(p, bounds);
5630                                         clippedPoints.push(p);
5631                                 }
5632                                 clippedPoints.push(a);
5633
5634                         // else if b is inside the clip window (a->b enters the screen)
5635                         } else if (!(b._code & edge)) {
5636                                 p = lu._getEdgeIntersection(b, a, edge, bounds);
5637                                 p._code = lu._getBitCode(p, bounds);
5638                                 clippedPoints.push(p);
5639                         }
5640                 }
5641                 points = clippedPoints;
5642         }
5643
5644         return points;
5645 };
5646
5647
5648 /*
5649  * L.Polygon is used to display polygons on a map.
5650  */
5651
5652 L.Polygon = L.Polyline.extend({
5653         options: {
5654                 fill: true
5655         },
5656
5657         initialize: function (latlngs, options) {
5658                 L.Polyline.prototype.initialize.call(this, latlngs, options);
5659                 this._initWithHoles(latlngs);
5660         },
5661
5662         _initWithHoles: function (latlngs) {
5663                 var i, len, hole;
5664                 if (latlngs && L.Util.isArray(latlngs[0]) && (typeof latlngs[0][0] !== 'number')) {
5665                         this._latlngs = this._convertLatLngs(latlngs[0]);
5666                         this._holes = latlngs.slice(1);
5667
5668                         for (i = 0, len = this._holes.length; i < len; i++) {
5669                                 hole = this._holes[i] = this._convertLatLngs(this._holes[i]);
5670                                 if (hole[0].equals(hole[hole.length - 1])) {
5671                                         hole.pop();
5672                                 }
5673                         }
5674                 }
5675
5676                 // filter out last point if its equal to the first one
5677                 latlngs = this._latlngs;
5678
5679                 if (latlngs.length >= 2 && latlngs[0].equals(latlngs[latlngs.length - 1])) {
5680                         latlngs.pop();
5681                 }
5682         },
5683
5684         projectLatlngs: function () {
5685                 L.Polyline.prototype.projectLatlngs.call(this);
5686
5687                 // project polygon holes points
5688                 // TODO move this logic to Polyline to get rid of duplication
5689                 this._holePoints = [];
5690
5691                 if (!this._holes) { return; }
5692
5693                 var i, j, len, len2;
5694
5695                 for (i = 0, len = this._holes.length; i < len; i++) {
5696                         this._holePoints[i] = [];
5697
5698                         for (j = 0, len2 = this._holes[i].length; j < len2; j++) {
5699                                 this._holePoints[i][j] = this._map.latLngToLayerPoint(this._holes[i][j]);
5700                         }
5701                 }
5702         },
5703
5704         setLatLngs: function (latlngs) {
5705                 if (latlngs && L.Util.isArray(latlngs[0]) && (typeof latlngs[0][0] !== 'number')) {
5706                         this._initWithHoles(latlngs);
5707                         return this.redraw();
5708                 } else {
5709                         return L.Polyline.prototype.setLatLngs.call(this, latlngs);
5710                 }
5711         },
5712
5713         _clipPoints: function () {
5714                 var points = this._originalPoints,
5715                     newParts = [];
5716
5717                 this._parts = [points].concat(this._holePoints);
5718
5719                 if (this.options.noClip) { return; }
5720
5721                 for (var i = 0, len = this._parts.length; i < len; i++) {
5722                         var clipped = L.PolyUtil.clipPolygon(this._parts[i], this._map._pathViewport);
5723                         if (clipped.length) {
5724                                 newParts.push(clipped);
5725                         }
5726                 }
5727
5728                 this._parts = newParts;
5729         },
5730
5731         _getPathPartStr: function (points) {
5732                 var str = L.Polyline.prototype._getPathPartStr.call(this, points);
5733                 return str + (L.Browser.svg ? 'z' : 'x');
5734         }
5735 });
5736
5737 L.polygon = function (latlngs, options) {
5738         return new L.Polygon(latlngs, options);
5739 };
5740
5741
5742 /*
5743  * Contains L.MultiPolyline and L.MultiPolygon layers.
5744  */
5745
5746 (function () {
5747         function createMulti(Klass) {
5748
5749                 return L.FeatureGroup.extend({
5750
5751                         initialize: function (latlngs, options) {
5752                                 this._layers = {};
5753                                 this._options = options;
5754                                 this.setLatLngs(latlngs);
5755                         },
5756
5757                         setLatLngs: function (latlngs) {
5758                                 var i = 0,
5759                                     len = latlngs.length;
5760
5761                                 this.eachLayer(function (layer) {
5762                                         if (i < len) {
5763                                                 layer.setLatLngs(latlngs[i++]);
5764                                         } else {
5765                                                 this.removeLayer(layer);
5766                                         }
5767                                 }, this);
5768
5769                                 while (i < len) {
5770                                         this.addLayer(new Klass(latlngs[i++], this._options));
5771                                 }
5772
5773                                 return this;
5774                         },
5775
5776                         getLatLngs: function () {
5777                                 var latlngs = [];
5778
5779                                 this.eachLayer(function (layer) {
5780                                         latlngs.push(layer.getLatLngs());
5781                                 });
5782
5783                                 return latlngs;
5784                         }
5785                 });
5786         }
5787
5788         L.MultiPolyline = createMulti(L.Polyline);
5789         L.MultiPolygon = createMulti(L.Polygon);
5790
5791         L.multiPolyline = function (latlngs, options) {
5792                 return new L.MultiPolyline(latlngs, options);
5793         };
5794
5795         L.multiPolygon = function (latlngs, options) {
5796                 return new L.MultiPolygon(latlngs, options);
5797         };
5798 }());
5799
5800
5801 /*
5802  * L.Rectangle extends Polygon and creates a rectangle when passed a LatLngBounds object.
5803  */
5804
5805 L.Rectangle = L.Polygon.extend({
5806         initialize: function (latLngBounds, options) {
5807                 L.Polygon.prototype.initialize.call(this, this._boundsToLatLngs(latLngBounds), options);
5808         },
5809
5810         setBounds: function (latLngBounds) {
5811                 this.setLatLngs(this._boundsToLatLngs(latLngBounds));
5812         },
5813
5814         _boundsToLatLngs: function (latLngBounds) {
5815                 latLngBounds = L.latLngBounds(latLngBounds);
5816                 return [
5817                         latLngBounds.getSouthWest(),
5818                         latLngBounds.getNorthWest(),
5819                         latLngBounds.getNorthEast(),
5820                         latLngBounds.getSouthEast()
5821                 ];
5822         }
5823 });
5824
5825 L.rectangle = function (latLngBounds, options) {
5826         return new L.Rectangle(latLngBounds, options);
5827 };
5828
5829
5830 /*
5831  * L.Circle is a circle overlay (with a certain radius in meters).
5832  */
5833
5834 L.Circle = L.Path.extend({
5835         initialize: function (latlng, radius, options) {
5836                 L.Path.prototype.initialize.call(this, options);
5837
5838                 this._latlng = L.latLng(latlng);
5839                 this._mRadius = radius;
5840         },
5841
5842         options: {
5843                 fill: true
5844         },
5845
5846         setLatLng: function (latlng) {
5847                 this._latlng = L.latLng(latlng);
5848                 return this.redraw();
5849         },
5850
5851         setRadius: function (radius) {
5852                 this._mRadius = radius;
5853                 return this.redraw();
5854         },
5855
5856         projectLatlngs: function () {
5857                 var lngRadius = this._getLngRadius(),
5858                     latlng = this._latlng,
5859                     pointLeft = this._map.latLngToLayerPoint([latlng.lat, latlng.lng - lngRadius]);
5860
5861                 this._point = this._map.latLngToLayerPoint(latlng);
5862                 this._radius = Math.max(this._point.x - pointLeft.x, 1);
5863         },
5864
5865         getBounds: function () {
5866                 var lngRadius = this._getLngRadius(),
5867                     latRadius = (this._mRadius / 40075017) * 360,
5868                     latlng = this._latlng;
5869
5870                 return new L.LatLngBounds(
5871                         [latlng.lat - latRadius, latlng.lng - lngRadius],
5872                         [latlng.lat + latRadius, latlng.lng + lngRadius]);
5873         },
5874
5875         getLatLng: function () {
5876                 return this._latlng;
5877         },
5878
5879         getPathString: function () {
5880                 var p = this._point,
5881                     r = this._radius;
5882
5883                 if (this._checkIfEmpty()) {
5884                         return '';
5885                 }
5886
5887                 if (L.Browser.svg) {
5888                         return 'M' + p.x + ',' + (p.y - r) +
5889                                'A' + r + ',' + r + ',0,1,1,' +
5890                                (p.x - 0.1) + ',' + (p.y - r) + ' z';
5891                 } else {
5892                         p._round();
5893                         r = Math.round(r);
5894                         return 'AL ' + p.x + ',' + p.y + ' ' + r + ',' + r + ' 0,' + (65535 * 360);
5895                 }
5896         },
5897
5898         getRadius: function () {
5899                 return this._mRadius;
5900         },
5901
5902         // TODO Earth hardcoded, move into projection code!
5903
5904         _getLatRadius: function () {
5905                 return (this._mRadius / 40075017) * 360;
5906         },
5907
5908         _getLngRadius: function () {
5909                 return this._getLatRadius() / Math.cos(L.LatLng.DEG_TO_RAD * this._latlng.lat);
5910         },
5911
5912         _checkIfEmpty: function () {
5913                 if (!this._map) {
5914                         return false;
5915                 }
5916                 var vp = this._map._pathViewport,
5917                     r = this._radius,
5918                     p = this._point;
5919
5920                 return p.x - r > vp.max.x || p.y - r > vp.max.y ||
5921                        p.x + r < vp.min.x || p.y + r < vp.min.y;
5922         }
5923 });
5924
5925 L.circle = function (latlng, radius, options) {
5926         return new L.Circle(latlng, radius, options);
5927 };
5928
5929
5930 /*
5931  * L.CircleMarker is a circle overlay with a permanent pixel radius.
5932  */
5933
5934 L.CircleMarker = L.Circle.extend({
5935         options: {
5936                 radius: 10,
5937                 weight: 2
5938         },
5939
5940         initialize: function (latlng, options) {
5941                 L.Circle.prototype.initialize.call(this, latlng, null, options);
5942                 this._radius = this.options.radius;
5943         },
5944
5945         projectLatlngs: function () {
5946                 this._point = this._map.latLngToLayerPoint(this._latlng);
5947         },
5948
5949         _updateStyle : function () {
5950                 L.Circle.prototype._updateStyle.call(this);
5951                 this.setRadius(this.options.radius);
5952         },
5953
5954         setLatLng: function (latlng) {
5955                 L.Circle.prototype.setLatLng.call(this, latlng);
5956                 if (this._popup && this._popup._isOpen) {
5957                         this._popup.setLatLng(latlng);
5958                 }
5959                 return this;
5960         },
5961
5962         setRadius: function (radius) {
5963                 this.options.radius = this._radius = radius;
5964                 return this.redraw();
5965         },
5966
5967         getRadius: function () {
5968                 return this._radius;
5969         }
5970 });
5971
5972 L.circleMarker = function (latlng, options) {
5973         return new L.CircleMarker(latlng, options);
5974 };
5975
5976
5977 /*
5978  * Extends L.Polyline to be able to manually detect clicks on Canvas-rendered polylines.
5979  */
5980
5981 L.Polyline.include(!L.Path.CANVAS ? {} : {
5982         _containsPoint: function (p, closed) {
5983                 var i, j, k, len, len2, dist, part,
5984                     w = this.options.weight / 2;
5985
5986                 if (L.Browser.touch) {
5987                         w += 10; // polyline click tolerance on touch devices
5988                 }
5989
5990                 for (i = 0, len = this._parts.length; i < len; i++) {
5991                         part = this._parts[i];
5992                         for (j = 0, len2 = part.length, k = len2 - 1; j < len2; k = j++) {
5993                                 if (!closed && (j === 0)) {
5994                                         continue;
5995                                 }
5996
5997                                 dist = L.LineUtil.pointToSegmentDistance(p, part[k], part[j]);
5998
5999                                 if (dist <= w) {
6000                                         return true;
6001                                 }
6002                         }
6003                 }
6004                 return false;
6005         }
6006 });
6007
6008
6009 /*
6010  * Extends L.Polygon to be able to manually detect clicks on Canvas-rendered polygons.
6011  */
6012
6013 L.Polygon.include(!L.Path.CANVAS ? {} : {
6014         _containsPoint: function (p) {
6015                 var inside = false,
6016                     part, p1, p2,
6017                     i, j, k,
6018                     len, len2;
6019
6020                 // TODO optimization: check if within bounds first
6021
6022                 if (L.Polyline.prototype._containsPoint.call(this, p, true)) {
6023                         // click on polygon border
6024                         return true;
6025                 }
6026
6027                 // ray casting algorithm for detecting if point is in polygon
6028
6029                 for (i = 0, len = this._parts.length; i < len; i++) {
6030                         part = this._parts[i];
6031
6032                         for (j = 0, len2 = part.length, k = len2 - 1; j < len2; k = j++) {
6033                                 p1 = part[j];
6034                                 p2 = part[k];
6035
6036                                 if (((p1.y > p.y) !== (p2.y > p.y)) &&
6037                                                 (p.x < (p2.x - p1.x) * (p.y - p1.y) / (p2.y - p1.y) + p1.x)) {
6038                                         inside = !inside;
6039                                 }
6040                         }
6041                 }
6042
6043                 return inside;
6044         }
6045 });
6046
6047
6048 /*
6049  * Extends L.Circle with Canvas-specific code.
6050  */
6051
6052 L.Circle.include(!L.Path.CANVAS ? {} : {
6053         _drawPath: function () {
6054                 var p = this._point;
6055                 this._ctx.beginPath();
6056                 this._ctx.arc(p.x, p.y, this._radius, 0, Math.PI * 2, false);
6057         },
6058
6059         _containsPoint: function (p) {
6060                 var center = this._point,
6061                     w2 = this.options.stroke ? this.options.weight / 2 : 0;
6062
6063                 return (p.distanceTo(center) <= this._radius + w2);
6064         }
6065 });
6066
6067
6068 /*
6069  * CircleMarker canvas specific drawing parts.
6070  */
6071
6072 L.CircleMarker.include(!L.Path.CANVAS ? {} : {
6073         _updateStyle: function () {
6074                 L.Path.prototype._updateStyle.call(this);
6075         }
6076 });
6077
6078
6079 /*
6080  * L.GeoJSON turns any GeoJSON data into a Leaflet layer.
6081  */
6082
6083 L.GeoJSON = L.FeatureGroup.extend({
6084
6085         initialize: function (geojson, options) {
6086                 L.setOptions(this, options);
6087
6088                 this._layers = {};
6089
6090                 if (geojson) {
6091                         this.addData(geojson);
6092                 }
6093         },
6094
6095         addData: function (geojson) {
6096                 var features = L.Util.isArray(geojson) ? geojson : geojson.features,
6097                     i, len, feature;
6098
6099                 if (features) {
6100                         for (i = 0, len = features.length; i < len; i++) {
6101                                 // Only add this if geometry or geometries are set and not null
6102                                 feature = features[i];
6103                                 if (feature.geometries || feature.geometry || feature.features || feature.coordinates) {
6104                                         this.addData(features[i]);
6105                                 }
6106                         }
6107                         return this;
6108                 }
6109
6110                 var options = this.options;
6111
6112                 if (options.filter && !options.filter(geojson)) { return; }
6113
6114                 var layer = L.GeoJSON.geometryToLayer(geojson, options.pointToLayer, options.coordsToLatLng, options);
6115                 layer.feature = L.GeoJSON.asFeature(geojson);
6116
6117                 layer.defaultOptions = layer.options;
6118                 this.resetStyle(layer);
6119
6120                 if (options.onEachFeature) {
6121                         options.onEachFeature(geojson, layer);
6122                 }
6123
6124                 return this.addLayer(layer);
6125         },
6126
6127         resetStyle: function (layer) {
6128                 var style = this.options.style;
6129                 if (style) {
6130                         // reset any custom styles
6131                         L.Util.extend(layer.options, layer.defaultOptions);
6132
6133                         this._setLayerStyle(layer, style);
6134                 }
6135         },
6136
6137         setStyle: function (style) {
6138                 this.eachLayer(function (layer) {
6139                         this._setLayerStyle(layer, style);
6140                 }, this);
6141         },
6142
6143         _setLayerStyle: function (layer, style) {
6144                 if (typeof style === 'function') {
6145                         style = style(layer.feature);
6146                 }
6147                 if (layer.setStyle) {
6148                         layer.setStyle(style);
6149                 }
6150         }
6151 });
6152
6153 L.extend(L.GeoJSON, {
6154         geometryToLayer: function (geojson, pointToLayer, coordsToLatLng, vectorOptions) {
6155                 var geometry = geojson.type === 'Feature' ? geojson.geometry : geojson,
6156                     coords = geometry.coordinates,
6157                     layers = [],
6158                     latlng, latlngs, i, len;
6159
6160                 coordsToLatLng = coordsToLatLng || this.coordsToLatLng;
6161
6162                 switch (geometry.type) {
6163                 case 'Point':
6164                         latlng = coordsToLatLng(coords);
6165                         return pointToLayer ? pointToLayer(geojson, latlng) : new L.Marker(latlng);
6166
6167                 case 'MultiPoint':
6168                         for (i = 0, len = coords.length; i < len; i++) {
6169                                 latlng = coordsToLatLng(coords[i]);
6170                                 layers.push(pointToLayer ? pointToLayer(geojson, latlng) : new L.Marker(latlng));
6171                         }
6172                         return new L.FeatureGroup(layers);
6173
6174                 case 'LineString':
6175                         latlngs = this.coordsToLatLngs(coords, 0, coordsToLatLng);
6176                         return new L.Polyline(latlngs, vectorOptions);
6177
6178                 case 'Polygon':
6179                         if (coords.length === 2 && !coords[1].length) {
6180                                 throw new Error('Invalid GeoJSON object.');
6181                         }
6182                         latlngs = this.coordsToLatLngs(coords, 1, coordsToLatLng);
6183                         return new L.Polygon(latlngs, vectorOptions);
6184
6185                 case 'MultiLineString':
6186                         latlngs = this.coordsToLatLngs(coords, 1, coordsToLatLng);
6187                         return new L.MultiPolyline(latlngs, vectorOptions);
6188
6189                 case 'MultiPolygon':
6190                         latlngs = this.coordsToLatLngs(coords, 2, coordsToLatLng);
6191                         return new L.MultiPolygon(latlngs, vectorOptions);
6192
6193                 case 'GeometryCollection':
6194                         for (i = 0, len = geometry.geometries.length; i < len; i++) {
6195
6196                                 layers.push(this.geometryToLayer({
6197                                         geometry: geometry.geometries[i],
6198                                         type: 'Feature',
6199                                         properties: geojson.properties
6200                                 }, pointToLayer, coordsToLatLng, vectorOptions));
6201                         }
6202                         return new L.FeatureGroup(layers);
6203
6204                 default:
6205                         throw new Error('Invalid GeoJSON object.');
6206                 }
6207         },
6208
6209         coordsToLatLng: function (coords) { // (Array[, Boolean]) -> LatLng
6210                 return new L.LatLng(coords[1], coords[0], coords[2]);
6211         },
6212
6213         coordsToLatLngs: function (coords, levelsDeep, coordsToLatLng) { // (Array[, Number, Function]) -> Array
6214                 var latlng, i, len,
6215                     latlngs = [];
6216
6217                 for (i = 0, len = coords.length; i < len; i++) {
6218                         latlng = levelsDeep ?
6219                                 this.coordsToLatLngs(coords[i], levelsDeep - 1, coordsToLatLng) :
6220                                 (coordsToLatLng || this.coordsToLatLng)(coords[i]);
6221
6222                         latlngs.push(latlng);
6223                 }
6224
6225                 return latlngs;
6226         },
6227
6228         latLngToCoords: function (latlng) {
6229                 var coords = [latlng.lng, latlng.lat];
6230
6231                 if (latlng.alt !== undefined) {
6232                         coords.push(latlng.alt);
6233                 }
6234                 return coords;
6235         },
6236
6237         latLngsToCoords: function (latLngs) {
6238                 var coords = [];
6239
6240                 for (var i = 0, len = latLngs.length; i < len; i++) {
6241                         coords.push(L.GeoJSON.latLngToCoords(latLngs[i]));
6242                 }
6243
6244                 return coords;
6245         },
6246
6247         getFeature: function (layer, newGeometry) {
6248                 return layer.feature ? L.extend({}, layer.feature, {geometry: newGeometry}) : L.GeoJSON.asFeature(newGeometry);
6249         },
6250
6251         asFeature: function (geoJSON) {
6252                 if (geoJSON.type === 'Feature') {
6253                         return geoJSON;
6254                 }
6255
6256                 return {
6257                         type: 'Feature',
6258                         properties: {},
6259                         geometry: geoJSON
6260                 };
6261         }
6262 });
6263
6264 var PointToGeoJSON = {
6265         toGeoJSON: function () {
6266                 return L.GeoJSON.getFeature(this, {
6267                         type: 'Point',
6268                         coordinates: L.GeoJSON.latLngToCoords(this.getLatLng())
6269                 });
6270         }
6271 };
6272
6273 L.Marker.include(PointToGeoJSON);
6274 L.Circle.include(PointToGeoJSON);
6275 L.CircleMarker.include(PointToGeoJSON);
6276
6277 L.Polyline.include({
6278         toGeoJSON: function () {
6279                 return L.GeoJSON.getFeature(this, {
6280                         type: 'LineString',
6281                         coordinates: L.GeoJSON.latLngsToCoords(this.getLatLngs())
6282                 });
6283         }
6284 });
6285
6286 L.Polygon.include({
6287         toGeoJSON: function () {
6288                 var coords = [L.GeoJSON.latLngsToCoords(this.getLatLngs())],
6289                     i, len, hole;
6290
6291                 coords[0].push(coords[0][0]);
6292
6293                 if (this._holes) {
6294                         for (i = 0, len = this._holes.length; i < len; i++) {
6295                                 hole = L.GeoJSON.latLngsToCoords(this._holes[i]);
6296                                 hole.push(hole[0]);
6297                                 coords.push(hole);
6298                         }
6299                 }
6300
6301                 return L.GeoJSON.getFeature(this, {
6302                         type: 'Polygon',
6303                         coordinates: coords
6304                 });
6305         }
6306 });
6307
6308 (function () {
6309         function multiToGeoJSON(type) {
6310                 return function () {
6311                         var coords = [];
6312
6313                         this.eachLayer(function (layer) {
6314                                 coords.push(layer.toGeoJSON().geometry.coordinates);
6315                         });
6316
6317                         return L.GeoJSON.getFeature(this, {
6318                                 type: type,
6319                                 coordinates: coords
6320                         });
6321                 };
6322         }
6323
6324         L.MultiPolyline.include({toGeoJSON: multiToGeoJSON('MultiLineString')});
6325         L.MultiPolygon.include({toGeoJSON: multiToGeoJSON('MultiPolygon')});
6326
6327         L.LayerGroup.include({
6328                 toGeoJSON: function () {
6329
6330                         var geometry = this.feature && this.feature.geometry,
6331                                 jsons = [],
6332                                 json;
6333
6334                         if (geometry && geometry.type === 'MultiPoint') {
6335                                 return multiToGeoJSON('MultiPoint').call(this);
6336                         }
6337
6338                         var isGeometryCollection = geometry && geometry.type === 'GeometryCollection';
6339
6340                         this.eachLayer(function (layer) {
6341                                 if (layer.toGeoJSON) {
6342                                         json = layer.toGeoJSON();
6343                                         jsons.push(isGeometryCollection ? json.geometry : L.GeoJSON.asFeature(json));
6344                                 }
6345                         });
6346
6347                         if (isGeometryCollection) {
6348                                 return L.GeoJSON.getFeature(this, {
6349                                         geometries: jsons,
6350                                         type: 'GeometryCollection'
6351                                 });
6352                         }
6353
6354                         return {
6355                                 type: 'FeatureCollection',
6356                                 features: jsons
6357                         };
6358                 }
6359         });
6360 }());
6361
6362 L.geoJson = function (geojson, options) {
6363         return new L.GeoJSON(geojson, options);
6364 };
6365
6366
6367 /*
6368  * L.DomEvent contains functions for working with DOM events.
6369  */
6370
6371 L.DomEvent = {
6372         /* inspired by John Resig, Dean Edwards and YUI addEvent implementations */
6373         addListener: function (obj, type, fn, context) { // (HTMLElement, String, Function[, Object])
6374
6375                 var id = L.stamp(fn),
6376                     key = '_leaflet_' + type + id,
6377                     handler, originalHandler, newType;
6378
6379                 if (obj[key]) { return this; }
6380
6381                 handler = function (e) {
6382                         return fn.call(context || obj, e || L.DomEvent._getEvent());
6383                 };
6384
6385                 if (L.Browser.pointer && type.indexOf('touch') === 0) {
6386                         return this.addPointerListener(obj, type, handler, id);
6387                 }
6388                 if (L.Browser.touch && (type === 'dblclick') && this.addDoubleTapListener) {
6389                         this.addDoubleTapListener(obj, handler, id);
6390                 }
6391
6392                 if ('addEventListener' in obj) {
6393
6394                         if (type === 'mousewheel') {
6395                                 obj.addEventListener('DOMMouseScroll', handler, false);
6396                                 obj.addEventListener(type, handler, false);
6397
6398                         } else if ((type === 'mouseenter') || (type === 'mouseleave')) {
6399
6400                                 originalHandler = handler;
6401                                 newType = (type === 'mouseenter' ? 'mouseover' : 'mouseout');
6402
6403                                 handler = function (e) {
6404                                         if (!L.DomEvent._checkMouse(obj, e)) { return; }
6405                                         return originalHandler(e);
6406                                 };
6407
6408                                 obj.addEventListener(newType, handler, false);
6409
6410                         } else if (type === 'click' && L.Browser.android) {
6411                                 originalHandler = handler;
6412                                 handler = function (e) {
6413                                         return L.DomEvent._filterClick(e, originalHandler);
6414                                 };
6415
6416                                 obj.addEventListener(type, handler, false);
6417                         } else {
6418                                 obj.addEventListener(type, handler, false);
6419                         }
6420
6421                 } else if ('attachEvent' in obj) {
6422                         obj.attachEvent('on' + type, handler);
6423                 }
6424
6425                 obj[key] = handler;
6426
6427                 return this;
6428         },
6429
6430         removeListener: function (obj, type, fn) {  // (HTMLElement, String, Function)
6431
6432                 var id = L.stamp(fn),
6433                     key = '_leaflet_' + type + id,
6434                     handler = obj[key];
6435
6436                 if (!handler) { return this; }
6437
6438                 if (L.Browser.pointer && type.indexOf('touch') === 0) {
6439                         this.removePointerListener(obj, type, id);
6440                 } else if (L.Browser.touch && (type === 'dblclick') && this.removeDoubleTapListener) {
6441                         this.removeDoubleTapListener(obj, id);
6442
6443                 } else if ('removeEventListener' in obj) {
6444
6445                         if (type === 'mousewheel') {
6446                                 obj.removeEventListener('DOMMouseScroll', handler, false);
6447                                 obj.removeEventListener(type, handler, false);
6448
6449                         } else if ((type === 'mouseenter') || (type === 'mouseleave')) {
6450                                 obj.removeEventListener((type === 'mouseenter' ? 'mouseover' : 'mouseout'), handler, false);
6451                         } else {
6452                                 obj.removeEventListener(type, handler, false);
6453                         }
6454                 } else if ('detachEvent' in obj) {
6455                         obj.detachEvent('on' + type, handler);
6456                 }
6457
6458                 obj[key] = null;
6459
6460                 return this;
6461         },
6462
6463         stopPropagation: function (e) {
6464
6465                 if (e.stopPropagation) {
6466                         e.stopPropagation();
6467                 } else {
6468                         e.cancelBubble = true;
6469                 }
6470                 L.DomEvent._skipped(e);
6471
6472                 return this;
6473         },
6474
6475         disableScrollPropagation: function (el) {
6476                 var stop = L.DomEvent.stopPropagation;
6477
6478                 return L.DomEvent
6479                         .on(el, 'mousewheel', stop)
6480                         .on(el, 'MozMousePixelScroll', stop);
6481         },
6482
6483         disableClickPropagation: function (el) {
6484                 var stop = L.DomEvent.stopPropagation;
6485
6486                 for (var i = L.Draggable.START.length - 1; i >= 0; i--) {
6487                         L.DomEvent.on(el, L.Draggable.START[i], stop);
6488                 }
6489
6490                 return L.DomEvent
6491                         .on(el, 'click', L.DomEvent._fakeStop)
6492                         .on(el, 'dblclick', stop);
6493         },
6494
6495         preventDefault: function (e) {
6496
6497                 if (e.preventDefault) {
6498                         e.preventDefault();
6499                 } else {
6500                         e.returnValue = false;
6501                 }
6502                 return this;
6503         },
6504
6505         stop: function (e) {
6506                 return L.DomEvent
6507                         .preventDefault(e)
6508                         .stopPropagation(e);
6509         },
6510
6511         getMousePosition: function (e, container) {
6512                 if (!container) {
6513                         return new L.Point(e.clientX, e.clientY);
6514                 }
6515
6516                 var rect = container.getBoundingClientRect();
6517
6518                 return new L.Point(
6519                         e.clientX - rect.left - container.clientLeft,
6520                         e.clientY - rect.top - container.clientTop);
6521         },
6522
6523         getWheelDelta: function (e) {
6524
6525                 var delta = 0;
6526
6527                 if (e.wheelDelta) {
6528                         delta = e.wheelDelta / 120;
6529                 }
6530                 if (e.detail) {
6531                         delta = -e.detail / 3;
6532                 }
6533                 return delta;
6534         },
6535
6536         _skipEvents: {},
6537
6538         _fakeStop: function (e) {
6539                 // fakes stopPropagation by setting a special event flag, checked/reset with L.DomEvent._skipped(e)
6540                 L.DomEvent._skipEvents[e.type] = true;
6541         },
6542
6543         _skipped: function (e) {
6544                 var skipped = this._skipEvents[e.type];
6545                 // reset when checking, as it's only used in map container and propagates outside of the map
6546                 this._skipEvents[e.type] = false;
6547                 return skipped;
6548         },
6549
6550         // check if element really left/entered the event target (for mouseenter/mouseleave)
6551         _checkMouse: function (el, e) {
6552
6553                 var related = e.relatedTarget;
6554
6555                 if (!related) { return true; }
6556
6557                 try {
6558                         while (related && (related !== el)) {
6559                                 related = related.parentNode;
6560                         }
6561                 } catch (err) {
6562                         return false;
6563                 }
6564                 return (related !== el);
6565         },
6566
6567         _getEvent: function () { // evil magic for IE
6568                 /*jshint noarg:false */
6569                 var e = window.event;
6570                 if (!e) {
6571                         var caller = arguments.callee.caller;
6572                         while (caller) {
6573                                 e = caller['arguments'][0];
6574                                 if (e && window.Event === e.constructor) {
6575                                         break;
6576                                 }
6577                                 caller = caller.caller;
6578                         }
6579                 }
6580                 return e;
6581         },
6582
6583         // this is a horrible workaround for a bug in Android where a single touch triggers two click events
6584         _filterClick: function (e, handler) {
6585                 var timeStamp = (e.timeStamp || e.originalEvent.timeStamp),
6586                         elapsed = L.DomEvent._lastClick && (timeStamp - L.DomEvent._lastClick);
6587
6588                 // are they closer together than 500ms yet more than 100ms?
6589                 // Android typically triggers them ~300ms apart while multiple listeners
6590                 // on the same event should be triggered far faster;
6591                 // or check if click is simulated on the element, and if it is, reject any non-simulated events
6592
6593                 if ((elapsed && elapsed > 100 && elapsed < 500) || (e.target._simulatedClick && !e._simulated)) {
6594                         L.DomEvent.stop(e);
6595                         return;
6596                 }
6597                 L.DomEvent._lastClick = timeStamp;
6598
6599                 return handler(e);
6600         }
6601 };
6602
6603 L.DomEvent.on = L.DomEvent.addListener;
6604 L.DomEvent.off = L.DomEvent.removeListener;
6605
6606
6607 /*
6608  * L.Draggable allows you to add dragging capabilities to any element. Supports mobile devices too.
6609  */
6610
6611 L.Draggable = L.Class.extend({
6612         includes: L.Mixin.Events,
6613
6614         statics: {
6615                 START: L.Browser.touch ? ['touchstart', 'mousedown'] : ['mousedown'],
6616                 END: {
6617                         mousedown: 'mouseup',
6618                         touchstart: 'touchend',
6619                         pointerdown: 'touchend',
6620                         MSPointerDown: 'touchend'
6621                 },
6622                 MOVE: {
6623                         mousedown: 'mousemove',
6624                         touchstart: 'touchmove',
6625                         pointerdown: 'touchmove',
6626                         MSPointerDown: 'touchmove'
6627                 }
6628         },
6629
6630         initialize: function (element, dragStartTarget) {
6631                 this._element = element;
6632                 this._dragStartTarget = dragStartTarget || element;
6633         },
6634
6635         enable: function () {
6636                 if (this._enabled) { return; }
6637
6638                 for (var i = L.Draggable.START.length - 1; i >= 0; i--) {
6639                         L.DomEvent.on(this._dragStartTarget, L.Draggable.START[i], this._onDown, this);
6640                 }
6641
6642                 this._enabled = true;
6643         },
6644
6645         disable: function () {
6646                 if (!this._enabled) { return; }
6647
6648                 for (var i = L.Draggable.START.length - 1; i >= 0; i--) {
6649                         L.DomEvent.off(this._dragStartTarget, L.Draggable.START[i], this._onDown, this);
6650                 }
6651
6652                 this._enabled = false;
6653                 this._moved = false;
6654         },
6655
6656         _onDown: function (e) {
6657                 this._moved = false;
6658
6659                 if (e.shiftKey || ((e.which !== 1) && (e.button !== 1) && !e.touches)) { return; }
6660
6661                 L.DomEvent.stopPropagation(e);
6662
6663                 if (L.Draggable._disabled) { return; }
6664
6665                 L.DomUtil.disableImageDrag();
6666                 L.DomUtil.disableTextSelection();
6667
6668                 if (this._moving) { return; }
6669
6670                 var first = e.touches ? e.touches[0] : e;
6671
6672                 this._startPoint = new L.Point(first.clientX, first.clientY);
6673                 this._startPos = this._newPos = L.DomUtil.getPosition(this._element);
6674
6675                 L.DomEvent
6676                     .on(document, L.Draggable.MOVE[e.type], this._onMove, this)
6677                     .on(document, L.Draggable.END[e.type], this._onUp, this);
6678         },
6679
6680         _onMove: function (e) {
6681                 if (e.touches && e.touches.length > 1) {
6682                         this._moved = true;
6683                         return;
6684                 }
6685
6686                 var first = (e.touches && e.touches.length === 1 ? e.touches[0] : e),
6687                     newPoint = new L.Point(first.clientX, first.clientY),
6688                     offset = newPoint.subtract(this._startPoint);
6689
6690                 if (!offset.x && !offset.y) { return; }
6691                 if (L.Browser.touch && Math.abs(offset.x) + Math.abs(offset.y) < 3) { return; }
6692
6693                 L.DomEvent.preventDefault(e);
6694
6695                 if (!this._moved) {
6696                         this.fire('dragstart');
6697
6698                         this._moved = true;
6699                         this._startPos = L.DomUtil.getPosition(this._element).subtract(offset);
6700
6701                         L.DomUtil.addClass(document.body, 'leaflet-dragging');
6702                         this._lastTarget = e.target || e.srcElement;
6703                         L.DomUtil.addClass(this._lastTarget, 'leaflet-drag-target');
6704                 }
6705
6706                 this._newPos = this._startPos.add(offset);
6707                 this._moving = true;
6708
6709                 L.Util.cancelAnimFrame(this._animRequest);
6710                 this._animRequest = L.Util.requestAnimFrame(this._updatePosition, this, true, this._dragStartTarget);
6711         },
6712
6713         _updatePosition: function () {
6714                 this.fire('predrag');
6715                 L.DomUtil.setPosition(this._element, this._newPos);
6716                 this.fire('drag');
6717         },
6718
6719         _onUp: function () {
6720                 L.DomUtil.removeClass(document.body, 'leaflet-dragging');
6721
6722                 if (this._lastTarget) {
6723                         L.DomUtil.removeClass(this._lastTarget, 'leaflet-drag-target');
6724                         this._lastTarget = null;
6725                 }
6726
6727                 for (var i in L.Draggable.MOVE) {
6728                         L.DomEvent
6729                             .off(document, L.Draggable.MOVE[i], this._onMove)
6730                             .off(document, L.Draggable.END[i], this._onUp);
6731                 }
6732
6733                 L.DomUtil.enableImageDrag();
6734                 L.DomUtil.enableTextSelection();
6735
6736                 if (this._moved && this._moving) {
6737                         // ensure drag is not fired after dragend
6738                         L.Util.cancelAnimFrame(this._animRequest);
6739
6740                         this.fire('dragend', {
6741                                 distance: this._newPos.distanceTo(this._startPos)
6742                         });
6743                 }
6744
6745                 this._moving = false;
6746         }
6747 });
6748
6749
6750 /*
6751         L.Handler is a base class for handler classes that are used internally to inject
6752         interaction features like dragging to classes like Map and Marker.
6753 */
6754
6755 L.Handler = L.Class.extend({
6756         initialize: function (map) {
6757                 this._map = map;
6758         },
6759
6760         enable: function () {
6761                 if (this._enabled) { return; }
6762
6763                 this._enabled = true;
6764                 this.addHooks();
6765         },
6766
6767         disable: function () {
6768                 if (!this._enabled) { return; }
6769
6770                 this._enabled = false;
6771                 this.removeHooks();
6772         },
6773
6774         enabled: function () {
6775                 return !!this._enabled;
6776         }
6777 });
6778
6779
6780 /*
6781  * L.Handler.MapDrag is used to make the map draggable (with panning inertia), enabled by default.
6782  */
6783
6784 L.Map.mergeOptions({
6785         dragging: true,
6786
6787         inertia: !L.Browser.android23,
6788         inertiaDeceleration: 3400, // px/s^2
6789         inertiaMaxSpeed: Infinity, // px/s
6790         inertiaThreshold: L.Browser.touch ? 32 : 18, // ms
6791         easeLinearity: 0.25,
6792
6793         // TODO refactor, move to CRS
6794         worldCopyJump: false
6795 });
6796
6797 L.Map.Drag = L.Handler.extend({
6798         addHooks: function () {
6799                 if (!this._draggable) {
6800                         var map = this._map;
6801
6802                         this._draggable = new L.Draggable(map._mapPane, map._container);
6803
6804                         this._draggable.on({
6805                                 'dragstart': this._onDragStart,
6806                                 'drag': this._onDrag,
6807                                 'dragend': this._onDragEnd
6808                         }, this);
6809
6810                         if (map.options.worldCopyJump) {
6811                                 this._draggable.on('predrag', this._onPreDrag, this);
6812                                 map.on('viewreset', this._onViewReset, this);
6813
6814                                 map.whenReady(this._onViewReset, this);
6815                         }
6816                 }
6817                 this._draggable.enable();
6818         },
6819
6820         removeHooks: function () {
6821                 this._draggable.disable();
6822         },
6823
6824         moved: function () {
6825                 return this._draggable && this._draggable._moved;
6826         },
6827
6828         _onDragStart: function () {
6829                 var map = this._map;
6830
6831                 if (map._panAnim) {
6832                         map._panAnim.stop();
6833                 }
6834
6835                 map
6836                     .fire('movestart')
6837                     .fire('dragstart');
6838
6839                 if (map.options.inertia) {
6840                         this._positions = [];
6841                         this._times = [];
6842                 }
6843         },
6844
6845         _onDrag: function () {
6846                 if (this._map.options.inertia) {
6847                         var time = this._lastTime = +new Date(),
6848                             pos = this._lastPos = this._draggable._newPos;
6849
6850                         this._positions.push(pos);
6851                         this._times.push(time);
6852
6853                         if (time - this._times[0] > 200) {
6854                                 this._positions.shift();
6855                                 this._times.shift();
6856                         }
6857                 }
6858
6859                 this._map
6860                     .fire('move')
6861                     .fire('drag');
6862         },
6863
6864         _onViewReset: function () {
6865                 // TODO fix hardcoded Earth values
6866                 var pxCenter = this._map.getSize()._divideBy(2),
6867                     pxWorldCenter = this._map.latLngToLayerPoint([0, 0]);
6868
6869                 this._initialWorldOffset = pxWorldCenter.subtract(pxCenter).x;
6870                 this._worldWidth = this._map.project([0, 180]).x;
6871         },
6872
6873         _onPreDrag: function () {
6874                 // TODO refactor to be able to adjust map pane position after zoom
6875                 var worldWidth = this._worldWidth,
6876                     halfWidth = Math.round(worldWidth / 2),
6877                     dx = this._initialWorldOffset,
6878                     x = this._draggable._newPos.x,
6879                     newX1 = (x - halfWidth + dx) % worldWidth + halfWidth - dx,
6880                     newX2 = (x + halfWidth + dx) % worldWidth - halfWidth - dx,
6881                     newX = Math.abs(newX1 + dx) < Math.abs(newX2 + dx) ? newX1 : newX2;
6882
6883                 this._draggable._newPos.x = newX;
6884         },
6885
6886         _onDragEnd: function (e) {
6887                 var map = this._map,
6888                     options = map.options,
6889                     delay = +new Date() - this._lastTime,
6890
6891                     noInertia = !options.inertia || delay > options.inertiaThreshold || !this._positions[0];
6892
6893                 map.fire('dragend', e);
6894
6895                 if (noInertia) {
6896                         map.fire('moveend');
6897
6898                 } else {
6899
6900                         var direction = this._lastPos.subtract(this._positions[0]),
6901                             duration = (this._lastTime + delay - this._times[0]) / 1000,
6902                             ease = options.easeLinearity,
6903
6904                             speedVector = direction.multiplyBy(ease / duration),
6905                             speed = speedVector.distanceTo([0, 0]),
6906
6907                             limitedSpeed = Math.min(options.inertiaMaxSpeed, speed),
6908                             limitedSpeedVector = speedVector.multiplyBy(limitedSpeed / speed),
6909
6910                             decelerationDuration = limitedSpeed / (options.inertiaDeceleration * ease),
6911                             offset = limitedSpeedVector.multiplyBy(-decelerationDuration / 2).round();
6912
6913                         if (!offset.x || !offset.y) {
6914                                 map.fire('moveend');
6915
6916                         } else {
6917                                 offset = map._limitOffset(offset, map.options.maxBounds);
6918
6919                                 L.Util.requestAnimFrame(function () {
6920                                         map.panBy(offset, {
6921                                                 duration: decelerationDuration,
6922                                                 easeLinearity: ease,
6923                                                 noMoveStart: true
6924                                         });
6925                                 });
6926                         }
6927                 }
6928         }
6929 });
6930
6931 L.Map.addInitHook('addHandler', 'dragging', L.Map.Drag);
6932
6933
6934 /*
6935  * L.Handler.DoubleClickZoom is used to handle double-click zoom on the map, enabled by default.
6936  */
6937
6938 L.Map.mergeOptions({
6939         doubleClickZoom: true
6940 });
6941
6942 L.Map.DoubleClickZoom = L.Handler.extend({
6943         addHooks: function () {
6944                 this._map.on('dblclick', this._onDoubleClick, this);
6945         },
6946
6947         removeHooks: function () {
6948                 this._map.off('dblclick', this._onDoubleClick, this);
6949         },
6950
6951         _onDoubleClick: function (e) {
6952                 var map = this._map,
6953                     zoom = map.getZoom() + (e.originalEvent.shiftKey ? -1 : 1);
6954
6955                 if (map.options.doubleClickZoom === 'center') {
6956                         map.setZoom(zoom);
6957                 } else {
6958                         map.setZoomAround(e.containerPoint, zoom);
6959                 }
6960         }
6961 });
6962
6963 L.Map.addInitHook('addHandler', 'doubleClickZoom', L.Map.DoubleClickZoom);
6964
6965
6966 /*
6967  * L.Handler.ScrollWheelZoom is used by L.Map to enable mouse scroll wheel zoom on the map.
6968  */
6969
6970 L.Map.mergeOptions({
6971         scrollWheelZoom: true
6972 });
6973
6974 L.Map.ScrollWheelZoom = L.Handler.extend({
6975         addHooks: function () {
6976                 L.DomEvent.on(this._map._container, 'mousewheel', this._onWheelScroll, this);
6977                 L.DomEvent.on(this._map._container, 'MozMousePixelScroll', L.DomEvent.preventDefault);
6978                 this._delta = 0;
6979         },
6980
6981         removeHooks: function () {
6982                 L.DomEvent.off(this._map._container, 'mousewheel', this._onWheelScroll);
6983                 L.DomEvent.off(this._map._container, 'MozMousePixelScroll', L.DomEvent.preventDefault);
6984         },
6985
6986         _onWheelScroll: function (e) {
6987                 var delta = L.DomEvent.getWheelDelta(e);
6988
6989                 this._delta += delta;
6990                 this._lastMousePos = this._map.mouseEventToContainerPoint(e);
6991
6992                 if (!this._startTime) {
6993                         this._startTime = +new Date();
6994                 }
6995
6996                 var left = Math.max(40 - (+new Date() - this._startTime), 0);
6997
6998                 clearTimeout(this._timer);
6999                 this._timer = setTimeout(L.bind(this._performZoom, this), left);
7000
7001                 L.DomEvent.preventDefault(e);
7002                 L.DomEvent.stopPropagation(e);
7003         },
7004
7005         _performZoom: function () {
7006                 var map = this._map,
7007                     delta = this._delta,
7008                     zoom = map.getZoom();
7009
7010                 delta = delta > 0 ? Math.ceil(delta) : Math.floor(delta);
7011                 delta = Math.max(Math.min(delta, 4), -4);
7012                 delta = map._limitZoom(zoom + delta) - zoom;
7013
7014                 this._delta = 0;
7015                 this._startTime = null;
7016
7017                 if (!delta) { return; }
7018
7019                 if (map.options.scrollWheelZoom === 'center') {
7020                         map.setZoom(zoom + delta);
7021                 } else {
7022                         map.setZoomAround(this._lastMousePos, zoom + delta);
7023                 }
7024         }
7025 });
7026
7027 L.Map.addInitHook('addHandler', 'scrollWheelZoom', L.Map.ScrollWheelZoom);
7028
7029
7030 /*
7031  * Extends the event handling code with double tap support for mobile browsers.
7032  */
7033
7034 L.extend(L.DomEvent, {
7035
7036         _touchstart: L.Browser.msPointer ? 'MSPointerDown' : L.Browser.pointer ? 'pointerdown' : 'touchstart',
7037         _touchend: L.Browser.msPointer ? 'MSPointerUp' : L.Browser.pointer ? 'pointerup' : 'touchend',
7038
7039         // inspired by Zepto touch code by Thomas Fuchs
7040         addDoubleTapListener: function (obj, handler, id) {
7041                 var last,
7042                     doubleTap = false,
7043                     delay = 250,
7044                     touch,
7045                     pre = '_leaflet_',
7046                     touchstart = this._touchstart,
7047                     touchend = this._touchend,
7048                     trackedTouches = [];
7049
7050                 function onTouchStart(e) {
7051                         var count;
7052
7053                         if (L.Browser.pointer) {
7054                                 trackedTouches.push(e.pointerId);
7055                                 count = trackedTouches.length;
7056                         } else {
7057                                 count = e.touches.length;
7058                         }
7059                         if (count > 1) {
7060                                 return;
7061                         }
7062
7063                         var now = Date.now(),
7064                                 delta = now - (last || now);
7065
7066                         touch = e.touches ? e.touches[0] : e;
7067                         doubleTap = (delta > 0 && delta <= delay);
7068                         last = now;
7069                 }
7070
7071                 function onTouchEnd(e) {
7072                         if (L.Browser.pointer) {
7073                                 var idx = trackedTouches.indexOf(e.pointerId);
7074                                 if (idx === -1) {
7075                                         return;
7076                                 }
7077                                 trackedTouches.splice(idx, 1);
7078                         }
7079
7080                         if (doubleTap) {
7081                                 if (L.Browser.pointer) {
7082                                         // work around .type being readonly with MSPointer* events
7083                                         var newTouch = { },
7084                                                 prop;
7085
7086                                         // jshint forin:false
7087                                         for (var i in touch) {
7088                                                 prop = touch[i];
7089                                                 if (typeof prop === 'function') {
7090                                                         newTouch[i] = prop.bind(touch);
7091                                                 } else {
7092                                                         newTouch[i] = prop;
7093                                                 }
7094                                         }
7095                                         touch = newTouch;
7096                                 }
7097                                 touch.type = 'dblclick';
7098                                 handler(touch);
7099                                 last = null;
7100                         }
7101                 }
7102                 obj[pre + touchstart + id] = onTouchStart;
7103                 obj[pre + touchend + id] = onTouchEnd;
7104
7105                 // on pointer we need to listen on the document, otherwise a drag starting on the map and moving off screen
7106                 // will not come through to us, so we will lose track of how many touches are ongoing
7107                 var endElement = L.Browser.pointer ? document.documentElement : obj;
7108
7109                 obj.addEventListener(touchstart, onTouchStart, false);
7110                 endElement.addEventListener(touchend, onTouchEnd, false);
7111
7112                 if (L.Browser.pointer) {
7113                         endElement.addEventListener(L.DomEvent.POINTER_CANCEL, onTouchEnd, false);
7114                 }
7115
7116                 return this;
7117         },
7118
7119         removeDoubleTapListener: function (obj, id) {
7120                 var pre = '_leaflet_';
7121
7122                 obj.removeEventListener(this._touchstart, obj[pre + this._touchstart + id], false);
7123                 (L.Browser.pointer ? document.documentElement : obj).removeEventListener(
7124                         this._touchend, obj[pre + this._touchend + id], false);
7125
7126                 if (L.Browser.pointer) {
7127                         document.documentElement.removeEventListener(L.DomEvent.POINTER_CANCEL, obj[pre + this._touchend + id],
7128                                 false);
7129                 }
7130
7131                 return this;
7132         }
7133 });
7134
7135
7136 /*
7137  * Extends L.DomEvent to provide touch support for Internet Explorer and Windows-based devices.
7138  */
7139
7140 L.extend(L.DomEvent, {
7141
7142         //static
7143         POINTER_DOWN: L.Browser.msPointer ? 'MSPointerDown' : 'pointerdown',
7144         POINTER_MOVE: L.Browser.msPointer ? 'MSPointerMove' : 'pointermove',
7145         POINTER_UP: L.Browser.msPointer ? 'MSPointerUp' : 'pointerup',
7146         POINTER_CANCEL: L.Browser.msPointer ? 'MSPointerCancel' : 'pointercancel',
7147
7148         _pointers: [],
7149         _pointerDocumentListener: false,
7150
7151         // Provides a touch events wrapper for (ms)pointer events.
7152         // Based on changes by veproza https://github.com/CloudMade/Leaflet/pull/1019
7153         //ref http://www.w3.org/TR/pointerevents/ https://www.w3.org/Bugs/Public/show_bug.cgi?id=22890
7154
7155         addPointerListener: function (obj, type, handler, id) {
7156
7157                 switch (type) {
7158                 case 'touchstart':
7159                         return this.addPointerListenerStart(obj, type, handler, id);
7160                 case 'touchend':
7161                         return this.addPointerListenerEnd(obj, type, handler, id);
7162                 case 'touchmove':
7163                         return this.addPointerListenerMove(obj, type, handler, id);
7164                 default:
7165                         throw 'Unknown touch event type';
7166                 }
7167         },
7168
7169         addPointerListenerStart: function (obj, type, handler, id) {
7170                 var pre = '_leaflet_',
7171                     pointers = this._pointers;
7172
7173                 var cb = function (e) {
7174
7175                         L.DomEvent.preventDefault(e);
7176
7177                         var alreadyInArray = false;
7178                         for (var i = 0; i < pointers.length; i++) {
7179                                 if (pointers[i].pointerId === e.pointerId) {
7180                                         alreadyInArray = true;
7181                                         break;
7182                                 }
7183                         }
7184                         if (!alreadyInArray) {
7185                                 pointers.push(e);
7186                         }
7187
7188                         e.touches = pointers.slice();
7189                         e.changedTouches = [e];
7190
7191                         handler(e);
7192                 };
7193
7194                 obj[pre + 'touchstart' + id] = cb;
7195                 obj.addEventListener(this.POINTER_DOWN, cb, false);
7196
7197                 // need to also listen for end events to keep the _pointers list accurate
7198                 // this needs to be on the body and never go away
7199                 if (!this._pointerDocumentListener) {
7200                         var internalCb = function (e) {
7201                                 for (var i = 0; i < pointers.length; i++) {
7202                                         if (pointers[i].pointerId === e.pointerId) {
7203                                                 pointers.splice(i, 1);
7204                                                 break;
7205                                         }
7206                                 }
7207                         };
7208                         //We listen on the documentElement as any drags that end by moving the touch off the screen get fired there
7209                         document.documentElement.addEventListener(this.POINTER_UP, internalCb, false);
7210                         document.documentElement.addEventListener(this.POINTER_CANCEL, internalCb, false);
7211
7212                         this._pointerDocumentListener = true;
7213                 }
7214
7215                 return this;
7216         },
7217
7218         addPointerListenerMove: function (obj, type, handler, id) {
7219                 var pre = '_leaflet_',
7220                     touches = this._pointers;
7221
7222                 function cb(e) {
7223
7224                         // don't fire touch moves when mouse isn't down
7225                         if ((e.pointerType === e.MSPOINTER_TYPE_MOUSE || e.pointerType === 'mouse') && e.buttons === 0) { return; }
7226
7227                         for (var i = 0; i < touches.length; i++) {
7228                                 if (touches[i].pointerId === e.pointerId) {
7229                                         touches[i] = e;
7230                                         break;
7231                                 }
7232                         }
7233
7234                         e.touches = touches.slice();
7235                         e.changedTouches = [e];
7236
7237                         handler(e);
7238                 }
7239
7240                 obj[pre + 'touchmove' + id] = cb;
7241                 obj.addEventListener(this.POINTER_MOVE, cb, false);
7242
7243                 return this;
7244         },
7245
7246         addPointerListenerEnd: function (obj, type, handler, id) {
7247                 var pre = '_leaflet_',
7248                     touches = this._pointers;
7249
7250                 var cb = function (e) {
7251                         for (var i = 0; i < touches.length; i++) {
7252                                 if (touches[i].pointerId === e.pointerId) {
7253                                         touches.splice(i, 1);
7254                                         break;
7255                                 }
7256                         }
7257
7258                         e.touches = touches.slice();
7259                         e.changedTouches = [e];
7260
7261                         handler(e);
7262                 };
7263
7264                 obj[pre + 'touchend' + id] = cb;
7265                 obj.addEventListener(this.POINTER_UP, cb, false);
7266                 obj.addEventListener(this.POINTER_CANCEL, cb, false);
7267
7268                 return this;
7269         },
7270
7271         removePointerListener: function (obj, type, id) {
7272                 var pre = '_leaflet_',
7273                     cb = obj[pre + type + id];
7274
7275                 switch (type) {
7276                 case 'touchstart':
7277                         obj.removeEventListener(this.POINTER_DOWN, cb, false);
7278                         break;
7279                 case 'touchmove':
7280                         obj.removeEventListener(this.POINTER_MOVE, cb, false);
7281                         break;
7282                 case 'touchend':
7283                         obj.removeEventListener(this.POINTER_UP, cb, false);
7284                         obj.removeEventListener(this.POINTER_CANCEL, cb, false);
7285                         break;
7286                 }
7287
7288                 return this;
7289         }
7290 });
7291
7292
7293 /*
7294  * L.Handler.TouchZoom is used by L.Map to add pinch zoom on supported mobile browsers.
7295  */
7296
7297 L.Map.mergeOptions({
7298         touchZoom: L.Browser.touch && !L.Browser.android23,
7299         bounceAtZoomLimits: true
7300 });
7301
7302 L.Map.TouchZoom = L.Handler.extend({
7303         addHooks: function () {
7304                 L.DomEvent.on(this._map._container, 'touchstart', this._onTouchStart, this);
7305         },
7306
7307         removeHooks: function () {
7308                 L.DomEvent.off(this._map._container, 'touchstart', this._onTouchStart, this);
7309         },
7310
7311         _onTouchStart: function (e) {
7312                 var map = this._map;
7313
7314                 if (!e.touches || e.touches.length !== 2 || map._animatingZoom || this._zooming) { return; }
7315
7316                 var p1 = map.mouseEventToLayerPoint(e.touches[0]),
7317                     p2 = map.mouseEventToLayerPoint(e.touches[1]),
7318                     viewCenter = map._getCenterLayerPoint();
7319
7320                 this._startCenter = p1.add(p2)._divideBy(2);
7321                 this._startDist = p1.distanceTo(p2);
7322
7323                 this._moved = false;
7324                 this._zooming = true;
7325
7326                 this._centerOffset = viewCenter.subtract(this._startCenter);
7327
7328                 if (map._panAnim) {
7329                         map._panAnim.stop();
7330                 }
7331
7332                 L.DomEvent
7333                     .on(document, 'touchmove', this._onTouchMove, this)
7334                     .on(document, 'touchend', this._onTouchEnd, this);
7335
7336                 L.DomEvent.preventDefault(e);
7337         },
7338
7339         _onTouchMove: function (e) {
7340                 var map = this._map;
7341
7342                 if (!e.touches || e.touches.length !== 2 || !this._zooming) { return; }
7343
7344                 var p1 = map.mouseEventToLayerPoint(e.touches[0]),
7345                     p2 = map.mouseEventToLayerPoint(e.touches[1]);
7346
7347                 this._scale = p1.distanceTo(p2) / this._startDist;
7348                 this._delta = p1._add(p2)._divideBy(2)._subtract(this._startCenter);
7349
7350                 if (this._scale === 1) { return; }
7351
7352                 if (!map.options.bounceAtZoomLimits) {
7353                         if ((map.getZoom() === map.getMinZoom() && this._scale < 1) ||
7354                             (map.getZoom() === map.getMaxZoom() && this._scale > 1)) { return; }
7355                 }
7356
7357                 if (!this._moved) {
7358                         L.DomUtil.addClass(map._mapPane, 'leaflet-touching');
7359
7360                         map
7361                             .fire('movestart')
7362                             .fire('zoomstart');
7363
7364                         this._moved = true;
7365                 }
7366
7367                 L.Util.cancelAnimFrame(this._animRequest);
7368                 this._animRequest = L.Util.requestAnimFrame(
7369                         this._updateOnMove, this, true, this._map._container);
7370
7371                 L.DomEvent.preventDefault(e);
7372         },
7373
7374         _updateOnMove: function () {
7375                 var map = this._map,
7376                     origin = this._getScaleOrigin(),
7377                     center = map.layerPointToLatLng(origin),
7378                     zoom = map.getScaleZoom(this._scale);
7379
7380                 map._animateZoom(center, zoom, this._startCenter, this._scale, this._delta, false, true);
7381         },
7382
7383         _onTouchEnd: function () {
7384                 if (!this._moved || !this._zooming) {
7385                         this._zooming = false;
7386                         return;
7387                 }
7388
7389                 var map = this._map;
7390
7391                 this._zooming = false;
7392                 L.DomUtil.removeClass(map._mapPane, 'leaflet-touching');
7393                 L.Util.cancelAnimFrame(this._animRequest);
7394
7395                 L.DomEvent
7396                     .off(document, 'touchmove', this._onTouchMove)
7397                     .off(document, 'touchend', this._onTouchEnd);
7398
7399                 var origin = this._getScaleOrigin(),
7400                     center = map.layerPointToLatLng(origin),
7401
7402                     oldZoom = map.getZoom(),
7403                     floatZoomDelta = map.getScaleZoom(this._scale) - oldZoom,
7404                     roundZoomDelta = (floatZoomDelta > 0 ?
7405                             Math.ceil(floatZoomDelta) : Math.floor(floatZoomDelta)),
7406
7407                     zoom = map._limitZoom(oldZoom + roundZoomDelta),
7408                     scale = map.getZoomScale(zoom) / this._scale;
7409
7410                 map._animateZoom(center, zoom, origin, scale);
7411         },
7412
7413         _getScaleOrigin: function () {
7414                 var centerOffset = this._centerOffset.subtract(this._delta).divideBy(this._scale);
7415                 return this._startCenter.add(centerOffset);
7416         }
7417 });
7418
7419 L.Map.addInitHook('addHandler', 'touchZoom', L.Map.TouchZoom);
7420
7421
7422 /*
7423  * L.Map.Tap is used to enable mobile hacks like quick taps and long hold.
7424  */
7425
7426 L.Map.mergeOptions({
7427         tap: true,
7428         tapTolerance: 15
7429 });
7430
7431 L.Map.Tap = L.Handler.extend({
7432         addHooks: function () {
7433                 L.DomEvent.on(this._map._container, 'touchstart', this._onDown, this);
7434         },
7435
7436         removeHooks: function () {
7437                 L.DomEvent.off(this._map._container, 'touchstart', this._onDown, this);
7438         },
7439
7440         _onDown: function (e) {
7441                 if (!e.touches) { return; }
7442
7443                 L.DomEvent.preventDefault(e);
7444
7445                 this._fireClick = true;
7446
7447                 // don't simulate click or track longpress if more than 1 touch
7448                 if (e.touches.length > 1) {
7449                         this._fireClick = false;
7450                         clearTimeout(this._holdTimeout);
7451                         return;
7452                 }
7453
7454                 var first = e.touches[0],
7455                     el = first.target;
7456
7457                 this._startPos = this._newPos = new L.Point(first.clientX, first.clientY);
7458
7459                 // if touching a link, highlight it
7460                 if (el.tagName && el.tagName.toLowerCase() === 'a') {
7461                         L.DomUtil.addClass(el, 'leaflet-active');
7462                 }
7463
7464                 // simulate long hold but setting a timeout
7465                 this._holdTimeout = setTimeout(L.bind(function () {
7466                         if (this._isTapValid()) {
7467                                 this._fireClick = false;
7468                                 this._onUp();
7469                                 this._simulateEvent('contextmenu', first);
7470                         }
7471                 }, this), 1000);
7472
7473                 L.DomEvent
7474                         .on(document, 'touchmove', this._onMove, this)
7475                         .on(document, 'touchend', this._onUp, this);
7476         },
7477
7478         _onUp: function (e) {
7479                 clearTimeout(this._holdTimeout);
7480
7481                 L.DomEvent
7482                         .off(document, 'touchmove', this._onMove, this)
7483                         .off(document, 'touchend', this._onUp, this);
7484
7485                 if (this._fireClick && e && e.changedTouches) {
7486
7487                         var first = e.changedTouches[0],
7488                             el = first.target;
7489
7490                         if (el && el.tagName && el.tagName.toLowerCase() === 'a') {
7491                                 L.DomUtil.removeClass(el, 'leaflet-active');
7492                         }
7493
7494                         // simulate click if the touch didn't move too much
7495                         if (this._isTapValid()) {
7496                                 this._simulateEvent('click', first);
7497                         }
7498                 }
7499         },
7500
7501         _isTapValid: function () {
7502                 return this._newPos.distanceTo(this._startPos) <= this._map.options.tapTolerance;
7503         },
7504
7505         _onMove: function (e) {
7506                 var first = e.touches[0];
7507                 this._newPos = new L.Point(first.clientX, first.clientY);
7508         },
7509
7510         _simulateEvent: function (type, e) {
7511                 var simulatedEvent = document.createEvent('MouseEvents');
7512
7513                 simulatedEvent._simulated = true;
7514                 e.target._simulatedClick = true;
7515
7516                 simulatedEvent.initMouseEvent(
7517                         type, true, true, window, 1,
7518                         e.screenX, e.screenY,
7519                         e.clientX, e.clientY,
7520                         false, false, false, false, 0, null);
7521
7522                 e.target.dispatchEvent(simulatedEvent);
7523         }
7524 });
7525
7526 if (L.Browser.touch && !L.Browser.pointer) {
7527         L.Map.addInitHook('addHandler', 'tap', L.Map.Tap);
7528 }
7529
7530
7531 /*
7532  * L.Handler.ShiftDragZoom is used to add shift-drag zoom interaction to the map
7533   * (zoom to a selected bounding box), enabled by default.
7534  */
7535
7536 L.Map.mergeOptions({
7537         boxZoom: true
7538 });
7539
7540 L.Map.BoxZoom = L.Handler.extend({
7541         initialize: function (map) {
7542                 this._map = map;
7543                 this._container = map._container;
7544                 this._pane = map._panes.overlayPane;
7545                 this._moved = false;
7546         },
7547
7548         addHooks: function () {
7549                 L.DomEvent.on(this._container, 'mousedown', this._onMouseDown, this);
7550         },
7551
7552         removeHooks: function () {
7553                 L.DomEvent.off(this._container, 'mousedown', this._onMouseDown);
7554                 this._moved = false;
7555         },
7556
7557         moved: function () {
7558                 return this._moved;
7559         },
7560
7561         _onMouseDown: function (e) {
7562                 this._moved = false;
7563
7564                 if (!e.shiftKey || ((e.which !== 1) && (e.button !== 1))) { return false; }
7565
7566                 L.DomUtil.disableTextSelection();
7567                 L.DomUtil.disableImageDrag();
7568
7569                 this._startLayerPoint = this._map.mouseEventToLayerPoint(e);
7570
7571                 L.DomEvent
7572                     .on(document, 'mousemove', this._onMouseMove, this)
7573                     .on(document, 'mouseup', this._onMouseUp, this)
7574                     .on(document, 'keydown', this._onKeyDown, this);
7575         },
7576
7577         _onMouseMove: function (e) {
7578                 if (!this._moved) {
7579                         this._box = L.DomUtil.create('div', 'leaflet-zoom-box', this._pane);
7580                         L.DomUtil.setPosition(this._box, this._startLayerPoint);
7581
7582                         //TODO refactor: move cursor to styles
7583                         this._container.style.cursor = 'crosshair';
7584                         this._map.fire('boxzoomstart');
7585                 }
7586
7587                 var startPoint = this._startLayerPoint,
7588                     box = this._box,
7589
7590                     layerPoint = this._map.mouseEventToLayerPoint(e),
7591                     offset = layerPoint.subtract(startPoint),
7592
7593                     newPos = new L.Point(
7594                         Math.min(layerPoint.x, startPoint.x),
7595                         Math.min(layerPoint.y, startPoint.y));
7596
7597                 L.DomUtil.setPosition(box, newPos);
7598
7599                 this._moved = true;
7600
7601                 // TODO refactor: remove hardcoded 4 pixels
7602                 box.style.width  = (Math.max(0, Math.abs(offset.x) - 4)) + 'px';
7603                 box.style.height = (Math.max(0, Math.abs(offset.y) - 4)) + 'px';
7604         },
7605
7606         _finish: function () {
7607                 if (this._moved) {
7608                         this._pane.removeChild(this._box);
7609                         this._container.style.cursor = '';
7610                 }
7611
7612                 L.DomUtil.enableTextSelection();
7613                 L.DomUtil.enableImageDrag();
7614
7615                 L.DomEvent
7616                     .off(document, 'mousemove', this._onMouseMove)
7617                     .off(document, 'mouseup', this._onMouseUp)
7618                     .off(document, 'keydown', this._onKeyDown);
7619         },
7620
7621         _onMouseUp: function (e) {
7622
7623                 this._finish();
7624
7625                 var map = this._map,
7626                     layerPoint = map.mouseEventToLayerPoint(e);
7627
7628                 if (this._startLayerPoint.equals(layerPoint)) { return; }
7629
7630                 var bounds = new L.LatLngBounds(
7631                         map.layerPointToLatLng(this._startLayerPoint),
7632                         map.layerPointToLatLng(layerPoint));
7633
7634                 map.fitBounds(bounds);
7635
7636                 map.fire('boxzoomend', {
7637                         boxZoomBounds: bounds
7638                 });
7639         },
7640
7641         _onKeyDown: function (e) {
7642                 if (e.keyCode === 27) {
7643                         this._finish();
7644                 }
7645         }
7646 });
7647
7648 L.Map.addInitHook('addHandler', 'boxZoom', L.Map.BoxZoom);
7649
7650
7651 /*
7652  * L.Map.Keyboard is handling keyboard interaction with the map, enabled by default.
7653  */
7654
7655 L.Map.mergeOptions({
7656         keyboard: true,
7657         keyboardPanOffset: 80,
7658         keyboardZoomOffset: 1
7659 });
7660
7661 L.Map.Keyboard = L.Handler.extend({
7662
7663         keyCodes: {
7664                 left:    [37],
7665                 right:   [39],
7666                 down:    [40],
7667                 up:      [38],
7668                 zoomIn:  [187, 107, 61, 171],
7669                 zoomOut: [189, 109, 173]
7670         },
7671
7672         initialize: function (map) {
7673                 this._map = map;
7674
7675                 this._setPanOffset(map.options.keyboardPanOffset);
7676                 this._setZoomOffset(map.options.keyboardZoomOffset);
7677         },
7678
7679         addHooks: function () {
7680                 var container = this._map._container;
7681
7682                 // make the container focusable by tabbing
7683                 if (container.tabIndex === -1) {
7684                         container.tabIndex = '0';
7685                 }
7686
7687                 L.DomEvent
7688                     .on(container, 'focus', this._onFocus, this)
7689                     .on(container, 'blur', this._onBlur, this)
7690                     .on(container, 'mousedown', this._onMouseDown, this);
7691
7692                 this._map
7693                     .on('focus', this._addHooks, this)
7694                     .on('blur', this._removeHooks, this);
7695         },
7696
7697         removeHooks: function () {
7698                 this._removeHooks();
7699
7700                 var container = this._map._container;
7701
7702                 L.DomEvent
7703                     .off(container, 'focus', this._onFocus, this)
7704                     .off(container, 'blur', this._onBlur, this)
7705                     .off(container, 'mousedown', this._onMouseDown, this);
7706
7707                 this._map
7708                     .off('focus', this._addHooks, this)
7709                     .off('blur', this._removeHooks, this);
7710         },
7711
7712         _onMouseDown: function () {
7713                 if (this._focused) { return; }
7714
7715                 var body = document.body,
7716                     docEl = document.documentElement,
7717                     top = body.scrollTop || docEl.scrollTop,
7718                     left = body.scrollLeft || docEl.scrollLeft;
7719
7720                 this._map._container.focus();
7721
7722                 window.scrollTo(left, top);
7723         },
7724
7725         _onFocus: function () {
7726                 this._focused = true;
7727                 this._map.fire('focus');
7728         },
7729
7730         _onBlur: function () {
7731                 this._focused = false;
7732                 this._map.fire('blur');
7733         },
7734
7735         _setPanOffset: function (pan) {
7736                 var keys = this._panKeys = {},
7737                     codes = this.keyCodes,
7738                     i, len;
7739
7740                 for (i = 0, len = codes.left.length; i < len; i++) {
7741                         keys[codes.left[i]] = [-1 * pan, 0];
7742                 }
7743                 for (i = 0, len = codes.right.length; i < len; i++) {
7744                         keys[codes.right[i]] = [pan, 0];
7745                 }
7746                 for (i = 0, len = codes.down.length; i < len; i++) {
7747                         keys[codes.down[i]] = [0, pan];
7748                 }
7749                 for (i = 0, len = codes.up.length; i < len; i++) {
7750                         keys[codes.up[i]] = [0, -1 * pan];
7751                 }
7752         },
7753
7754         _setZoomOffset: function (zoom) {
7755                 var keys = this._zoomKeys = {},
7756                     codes = this.keyCodes,
7757                     i, len;
7758
7759                 for (i = 0, len = codes.zoomIn.length; i < len; i++) {
7760                         keys[codes.zoomIn[i]] = zoom;
7761                 }
7762                 for (i = 0, len = codes.zoomOut.length; i < len; i++) {
7763                         keys[codes.zoomOut[i]] = -zoom;
7764                 }
7765         },
7766
7767         _addHooks: function () {
7768                 L.DomEvent.on(document, 'keydown', this._onKeyDown, this);
7769         },
7770
7771         _removeHooks: function () {
7772                 L.DomEvent.off(document, 'keydown', this._onKeyDown, this);
7773         },
7774
7775         _onKeyDown: function (e) {
7776                 var key = e.keyCode,
7777                     map = this._map;
7778
7779                 if (key in this._panKeys) {
7780
7781                         if (map._panAnim && map._panAnim._inProgress) { return; }
7782
7783                         map.panBy(this._panKeys[key]);
7784
7785                         if (map.options.maxBounds) {
7786                                 map.panInsideBounds(map.options.maxBounds);
7787                         }
7788
7789                 } else if (key in this._zoomKeys) {
7790                         map.setZoom(map.getZoom() + this._zoomKeys[key]);
7791
7792                 } else {
7793                         return;
7794                 }
7795
7796                 L.DomEvent.stop(e);
7797         }
7798 });
7799
7800 L.Map.addInitHook('addHandler', 'keyboard', L.Map.Keyboard);
7801
7802
7803 /*
7804  * L.Handler.MarkerDrag is used internally by L.Marker to make the markers draggable.
7805  */
7806
7807 L.Handler.MarkerDrag = L.Handler.extend({
7808         initialize: function (marker) {
7809                 this._marker = marker;
7810         },
7811
7812         addHooks: function () {
7813                 var icon = this._marker._icon;
7814                 if (!this._draggable) {
7815                         this._draggable = new L.Draggable(icon, icon);
7816                 }
7817
7818                 this._draggable
7819                         .on('dragstart', this._onDragStart, this)
7820                         .on('drag', this._onDrag, this)
7821                         .on('dragend', this._onDragEnd, this);
7822                 this._draggable.enable();
7823                 L.DomUtil.addClass(this._marker._icon, 'leaflet-marker-draggable');
7824         },
7825
7826         removeHooks: function () {
7827                 this._draggable
7828                         .off('dragstart', this._onDragStart, this)
7829                         .off('drag', this._onDrag, this)
7830                         .off('dragend', this._onDragEnd, this);
7831
7832                 this._draggable.disable();
7833                 L.DomUtil.removeClass(this._marker._icon, 'leaflet-marker-draggable');
7834         },
7835
7836         moved: function () {
7837                 return this._draggable && this._draggable._moved;
7838         },
7839
7840         _onDragStart: function () {
7841                 this._marker
7842                     .closePopup()
7843                     .fire('movestart')
7844                     .fire('dragstart');
7845         },
7846
7847         _onDrag: function () {
7848                 var marker = this._marker,
7849                     shadow = marker._shadow,
7850                     iconPos = L.DomUtil.getPosition(marker._icon),
7851                     latlng = marker._map.layerPointToLatLng(iconPos);
7852
7853                 // update shadow position
7854                 if (shadow) {
7855                         L.DomUtil.setPosition(shadow, iconPos);
7856                 }
7857
7858                 marker._latlng = latlng;
7859
7860                 marker
7861                     .fire('move', {latlng: latlng})
7862                     .fire('drag');
7863         },
7864
7865         _onDragEnd: function (e) {
7866                 this._marker
7867                     .fire('moveend')
7868                     .fire('dragend', e);
7869         }
7870 });
7871
7872
7873 /*
7874  * L.Control is a base class for implementing map controls. Handles positioning.
7875  * All other controls extend from this class.
7876  */
7877
7878 L.Control = L.Class.extend({
7879         options: {
7880                 position: 'topright'
7881         },
7882
7883         initialize: function (options) {
7884                 L.setOptions(this, options);
7885         },
7886
7887         getPosition: function () {
7888                 return this.options.position;
7889         },
7890
7891         setPosition: function (position) {
7892                 var map = this._map;
7893
7894                 if (map) {
7895                         map.removeControl(this);
7896                 }
7897
7898                 this.options.position = position;
7899
7900                 if (map) {
7901                         map.addControl(this);
7902                 }
7903
7904                 return this;
7905         },
7906
7907         getContainer: function () {
7908                 return this._container;
7909         },
7910
7911         addTo: function (map) {
7912                 this._map = map;
7913
7914                 var container = this._container = this.onAdd(map),
7915                     pos = this.getPosition(),
7916                     corner = map._controlCorners[pos];
7917
7918                 L.DomUtil.addClass(container, 'leaflet-control');
7919
7920                 if (pos.indexOf('bottom') !== -1) {
7921                         corner.insertBefore(container, corner.firstChild);
7922                 } else {
7923                         corner.appendChild(container);
7924                 }
7925
7926                 return this;
7927         },
7928
7929         removeFrom: function (map) {
7930                 var pos = this.getPosition(),
7931                     corner = map._controlCorners[pos];
7932
7933                 corner.removeChild(this._container);
7934                 this._map = null;
7935
7936                 if (this.onRemove) {
7937                         this.onRemove(map);
7938                 }
7939
7940                 return this;
7941         },
7942
7943         _refocusOnMap: function () {
7944                 if (this._map) {
7945                         this._map.getContainer().focus();
7946                 }
7947         }
7948 });
7949
7950 L.control = function (options) {
7951         return new L.Control(options);
7952 };
7953
7954
7955 // adds control-related methods to L.Map
7956
7957 L.Map.include({
7958         addControl: function (control) {
7959                 control.addTo(this);
7960                 return this;
7961         },
7962
7963         removeControl: function (control) {
7964                 control.removeFrom(this);
7965                 return this;
7966         },
7967
7968         _initControlPos: function () {
7969                 var corners = this._controlCorners = {},
7970                     l = 'leaflet-',
7971                     container = this._controlContainer =
7972                             L.DomUtil.create('div', l + 'control-container', this._container);
7973
7974                 function createCorner(vSide, hSide) {
7975                         var className = l + vSide + ' ' + l + hSide;
7976
7977                         corners[vSide + hSide] = L.DomUtil.create('div', className, container);
7978                 }
7979
7980                 createCorner('top', 'left');
7981                 createCorner('top', 'right');
7982                 createCorner('bottom', 'left');
7983                 createCorner('bottom', 'right');
7984         },
7985
7986         _clearControlPos: function () {
7987                 this._container.removeChild(this._controlContainer);
7988         }
7989 });
7990
7991
7992 /*
7993  * L.Control.Zoom is used for the default zoom buttons on the map.
7994  */
7995
7996 L.Control.Zoom = L.Control.extend({
7997         options: {
7998                 position: 'topleft',
7999                 zoomInText: '+',
8000                 zoomInTitle: 'Zoom in',
8001                 zoomOutText: '-',
8002                 zoomOutTitle: 'Zoom out'
8003         },
8004
8005         onAdd: function (map) {
8006                 var zoomName = 'leaflet-control-zoom',
8007                     container = L.DomUtil.create('div', zoomName + ' leaflet-bar');
8008
8009                 this._map = map;
8010
8011                 this._zoomInButton  = this._createButton(
8012                         this.options.zoomInText, this.options.zoomInTitle,
8013                         zoomName + '-in',  container, this._zoomIn,  this);
8014                 this._zoomOutButton = this._createButton(
8015                         this.options.zoomOutText, this.options.zoomOutTitle,
8016                         zoomName + '-out', container, this._zoomOut, this);
8017
8018                 this._updateDisabled();
8019                 map.on('zoomend zoomlevelschange', this._updateDisabled, this);
8020
8021                 return container;
8022         },
8023
8024         onRemove: function (map) {
8025                 map.off('zoomend zoomlevelschange', this._updateDisabled, this);
8026         },
8027
8028         _zoomIn: function (e) {
8029                 this._map.zoomIn(e.shiftKey ? 3 : 1);
8030         },
8031
8032         _zoomOut: function (e) {
8033                 this._map.zoomOut(e.shiftKey ? 3 : 1);
8034         },
8035
8036         _createButton: function (html, title, className, container, fn, context) {
8037                 var link = L.DomUtil.create('a', className, container);
8038                 link.innerHTML = html;
8039                 link.href = '#';
8040                 link.title = title;
8041
8042                 var stop = L.DomEvent.stopPropagation;
8043
8044                 L.DomEvent
8045                     .on(link, 'click', stop)
8046                     .on(link, 'mousedown', stop)
8047                     .on(link, 'dblclick', stop)
8048                     .on(link, 'click', L.DomEvent.preventDefault)
8049                     .on(link, 'click', fn, context)
8050                     .on(link, 'click', this._refocusOnMap, context);
8051
8052                 return link;
8053         },
8054
8055         _updateDisabled: function () {
8056                 var map = this._map,
8057                         className = 'leaflet-disabled';
8058
8059                 L.DomUtil.removeClass(this._zoomInButton, className);
8060                 L.DomUtil.removeClass(this._zoomOutButton, className);
8061
8062                 if (map._zoom === map.getMinZoom()) {
8063                         L.DomUtil.addClass(this._zoomOutButton, className);
8064                 }
8065                 if (map._zoom === map.getMaxZoom()) {
8066                         L.DomUtil.addClass(this._zoomInButton, className);
8067                 }
8068         }
8069 });
8070
8071 L.Map.mergeOptions({
8072         zoomControl: true
8073 });
8074
8075 L.Map.addInitHook(function () {
8076         if (this.options.zoomControl) {
8077                 this.zoomControl = new L.Control.Zoom();
8078                 this.addControl(this.zoomControl);
8079         }
8080 });
8081
8082 L.control.zoom = function (options) {
8083         return new L.Control.Zoom(options);
8084 };
8085
8086
8087
8088 /*
8089  * L.Control.Attribution is used for displaying attribution on the map (added by default).
8090  */
8091
8092 L.Control.Attribution = L.Control.extend({
8093         options: {
8094                 position: 'bottomright',
8095                 prefix: '<a href="http://leafletjs.com" title="A JS library for interactive maps">Leaflet</a>'
8096         },
8097
8098         initialize: function (options) {
8099                 L.setOptions(this, options);
8100
8101                 this._attributions = {};
8102         },
8103
8104         onAdd: function (map) {
8105                 this._container = L.DomUtil.create('div', 'leaflet-control-attribution');
8106                 L.DomEvent.disableClickPropagation(this._container);
8107
8108                 for (var i in map._layers) {
8109                         if (map._layers[i].getAttribution) {
8110                                 this.addAttribution(map._layers[i].getAttribution());
8111                         }
8112                 }
8113                 
8114                 map
8115                     .on('layeradd', this._onLayerAdd, this)
8116                     .on('layerremove', this._onLayerRemove, this);
8117
8118                 this._update();
8119
8120                 return this._container;
8121         },
8122
8123         onRemove: function (map) {
8124                 map
8125                     .off('layeradd', this._onLayerAdd)
8126                     .off('layerremove', this._onLayerRemove);
8127
8128         },
8129
8130         setPrefix: function (prefix) {
8131                 this.options.prefix = prefix;
8132                 this._update();
8133                 return this;
8134         },
8135
8136         addAttribution: function (text) {
8137                 if (!text) { return; }
8138
8139                 if (!this._attributions[text]) {
8140                         this._attributions[text] = 0;
8141                 }
8142                 this._attributions[text]++;
8143
8144                 this._update();
8145
8146                 return this;
8147         },
8148
8149         removeAttribution: function (text) {
8150                 if (!text) { return; }
8151
8152                 if (this._attributions[text]) {
8153                         this._attributions[text]--;
8154                         this._update();
8155                 }
8156
8157                 return this;
8158         },
8159
8160         _update: function () {
8161                 if (!this._map) { return; }
8162
8163                 var attribs = [];
8164
8165                 for (var i in this._attributions) {
8166                         if (this._attributions[i]) {
8167                                 attribs.push(i);
8168                         }
8169                 }
8170
8171                 var prefixAndAttribs = [];
8172
8173                 if (this.options.prefix) {
8174                         prefixAndAttribs.push(this.options.prefix);
8175                 }
8176                 if (attribs.length) {
8177                         prefixAndAttribs.push(attribs.join(', '));
8178                 }
8179
8180                 this._container.innerHTML = prefixAndAttribs.join(' | ');
8181         },
8182
8183         _onLayerAdd: function (e) {
8184                 if (e.layer.getAttribution) {
8185                         this.addAttribution(e.layer.getAttribution());
8186                 }
8187         },
8188
8189         _onLayerRemove: function (e) {
8190                 if (e.layer.getAttribution) {
8191                         this.removeAttribution(e.layer.getAttribution());
8192                 }
8193         }
8194 });
8195
8196 L.Map.mergeOptions({
8197         attributionControl: true
8198 });
8199
8200 L.Map.addInitHook(function () {
8201         if (this.options.attributionControl) {
8202                 this.attributionControl = (new L.Control.Attribution()).addTo(this);
8203         }
8204 });
8205
8206 L.control.attribution = function (options) {
8207         return new L.Control.Attribution(options);
8208 };
8209
8210
8211 /*
8212  * L.Control.Scale is used for displaying metric/imperial scale on the map.
8213  */
8214
8215 L.Control.Scale = L.Control.extend({
8216         options: {
8217                 position: 'bottomleft',
8218                 maxWidth: 100,
8219                 metric: true,
8220                 imperial: true,
8221                 updateWhenIdle: false
8222         },
8223
8224         onAdd: function (map) {
8225                 this._map = map;
8226
8227                 var className = 'leaflet-control-scale',
8228                     container = L.DomUtil.create('div', className),
8229                     options = this.options;
8230
8231                 this._addScales(options, className, container);
8232
8233                 map.on(options.updateWhenIdle ? 'moveend' : 'move', this._update, this);
8234                 map.whenReady(this._update, this);
8235
8236                 return container;
8237         },
8238
8239         onRemove: function (map) {
8240                 map.off(this.options.updateWhenIdle ? 'moveend' : 'move', this._update, this);
8241         },
8242
8243         _addScales: function (options, className, container) {
8244                 if (options.metric) {
8245                         this._mScale = L.DomUtil.create('div', className + '-line', container);
8246                 }
8247                 if (options.imperial) {
8248                         this._iScale = L.DomUtil.create('div', className + '-line', container);
8249                 }
8250         },
8251
8252         _update: function () {
8253                 var bounds = this._map.getBounds(),
8254                     centerLat = bounds.getCenter().lat,
8255                     halfWorldMeters = 6378137 * Math.PI * Math.cos(centerLat * Math.PI / 180),
8256                     dist = halfWorldMeters * (bounds.getNorthEast().lng - bounds.getSouthWest().lng) / 180,
8257
8258                     size = this._map.getSize(),
8259                     options = this.options,
8260                     maxMeters = 0;
8261
8262                 if (size.x > 0) {
8263                         maxMeters = dist * (options.maxWidth / size.x);
8264                 }
8265
8266                 this._updateScales(options, maxMeters);
8267         },
8268
8269         _updateScales: function (options, maxMeters) {
8270                 if (options.metric && maxMeters) {
8271                         this._updateMetric(maxMeters);
8272                 }
8273
8274                 if (options.imperial && maxMeters) {
8275                         this._updateImperial(maxMeters);
8276                 }
8277         },
8278
8279         _updateMetric: function (maxMeters) {
8280                 var meters = this._getRoundNum(maxMeters);
8281
8282                 this._mScale.style.width = this._getScaleWidth(meters / maxMeters) + 'px';
8283                 this._mScale.innerHTML = meters < 1000 ? meters + ' m' : (meters / 1000) + ' km';
8284         },
8285
8286         _updateImperial: function (maxMeters) {
8287                 var maxFeet = maxMeters * 3.2808399,
8288                     scale = this._iScale,
8289                     maxMiles, miles, feet;
8290
8291                 if (maxFeet > 5280) {
8292                         maxMiles = maxFeet / 5280;
8293                         miles = this._getRoundNum(maxMiles);
8294
8295                         scale.style.width = this._getScaleWidth(miles / maxMiles) + 'px';
8296                         scale.innerHTML = miles + ' mi';
8297
8298                 } else {
8299                         feet = this._getRoundNum(maxFeet);
8300
8301                         scale.style.width = this._getScaleWidth(feet / maxFeet) + 'px';
8302                         scale.innerHTML = feet + ' ft';
8303                 }
8304         },
8305
8306         _getScaleWidth: function (ratio) {
8307                 return Math.round(this.options.maxWidth * ratio) - 10;
8308         },
8309
8310         _getRoundNum: function (num) {
8311                 var pow10 = Math.pow(10, (Math.floor(num) + '').length - 1),
8312                     d = num / pow10;
8313
8314                 d = d >= 10 ? 10 : d >= 5 ? 5 : d >= 3 ? 3 : d >= 2 ? 2 : 1;
8315
8316                 return pow10 * d;
8317         }
8318 });
8319
8320 L.control.scale = function (options) {
8321         return new L.Control.Scale(options);
8322 };
8323
8324
8325 /*
8326  * L.Control.Layers is a control to allow users to switch between different layers on the map.
8327  */
8328
8329 L.Control.Layers = L.Control.extend({
8330         options: {
8331                 collapsed: true,
8332                 position: 'topright',
8333                 autoZIndex: true
8334         },
8335
8336         initialize: function (baseLayers, overlays, options) {
8337                 L.setOptions(this, options);
8338
8339                 this._layers = {};
8340                 this._lastZIndex = 0;
8341                 this._handlingClick = false;
8342
8343                 for (var i in baseLayers) {
8344                         this._addLayer(baseLayers[i], i);
8345                 }
8346
8347                 for (i in overlays) {
8348                         this._addLayer(overlays[i], i, true);
8349                 }
8350         },
8351
8352         onAdd: function (map) {
8353                 this._initLayout();
8354                 this._update();
8355
8356                 map
8357                     .on('layeradd', this._onLayerChange, this)
8358                     .on('layerremove', this._onLayerChange, this);
8359
8360                 return this._container;
8361         },
8362
8363         onRemove: function (map) {
8364                 map
8365                     .off('layeradd', this._onLayerChange, this)
8366                     .off('layerremove', this._onLayerChange, this);
8367         },
8368
8369         addBaseLayer: function (layer, name) {
8370                 this._addLayer(layer, name);
8371                 this._update();
8372                 return this;
8373         },
8374
8375         addOverlay: function (layer, name) {
8376                 this._addLayer(layer, name, true);
8377                 this._update();
8378                 return this;
8379         },
8380
8381         removeLayer: function (layer) {
8382                 var id = L.stamp(layer);
8383                 delete this._layers[id];
8384                 this._update();
8385                 return this;
8386         },
8387
8388         _initLayout: function () {
8389                 var className = 'leaflet-control-layers',
8390                     container = this._container = L.DomUtil.create('div', className);
8391
8392                 //Makes this work on IE10 Touch devices by stopping it from firing a mouseout event when the touch is released
8393                 container.setAttribute('aria-haspopup', true);
8394
8395                 if (!L.Browser.touch) {
8396                         L.DomEvent
8397                                 .disableClickPropagation(container)
8398                                 .disableScrollPropagation(container);
8399                 } else {
8400                         L.DomEvent.on(container, 'click', L.DomEvent.stopPropagation);
8401                 }
8402
8403                 var form = this._form = L.DomUtil.create('form', className + '-list');
8404
8405                 if (this.options.collapsed) {
8406                         if (!L.Browser.android) {
8407                                 L.DomEvent
8408                                     .on(container, 'mouseover', this._expand, this)
8409                                     .on(container, 'mouseout', this._collapse, this);
8410                         }
8411                         var link = this._layersLink = L.DomUtil.create('a', className + '-toggle', container);
8412                         link.href = '#';
8413                         link.title = 'Layers';
8414
8415                         if (L.Browser.touch) {
8416                                 L.DomEvent
8417                                     .on(link, 'click', L.DomEvent.stop)
8418                                     .on(link, 'click', this._expand, this);
8419                         }
8420                         else {
8421                                 L.DomEvent.on(link, 'focus', this._expand, this);
8422                         }
8423                         //Work around for Firefox android issue https://github.com/Leaflet/Leaflet/issues/2033
8424                         L.DomEvent.on(form, 'click', function () {
8425                                 setTimeout(L.bind(this._onInputClick, this), 0);
8426                         }, this);
8427
8428                         this._map.on('click', this._collapse, this);
8429                         // TODO keyboard accessibility
8430                 } else {
8431                         this._expand();
8432                 }
8433
8434                 this._baseLayersList = L.DomUtil.create('div', className + '-base', form);
8435                 this._separator = L.DomUtil.create('div', className + '-separator', form);
8436                 this._overlaysList = L.DomUtil.create('div', className + '-overlays', form);
8437
8438                 container.appendChild(form);
8439         },
8440
8441         _addLayer: function (layer, name, overlay) {
8442                 var id = L.stamp(layer);
8443
8444                 this._layers[id] = {
8445                         layer: layer,
8446                         name: name,
8447                         overlay: overlay
8448                 };
8449
8450                 if (this.options.autoZIndex && layer.setZIndex) {
8451                         this._lastZIndex++;
8452                         layer.setZIndex(this._lastZIndex);
8453                 }
8454         },
8455
8456         _update: function () {
8457                 if (!this._container) {
8458                         return;
8459                 }
8460
8461                 this._baseLayersList.innerHTML = '';
8462                 this._overlaysList.innerHTML = '';
8463
8464                 var baseLayersPresent = false,
8465                     overlaysPresent = false,
8466                     i, obj;
8467
8468                 for (i in this._layers) {
8469                         obj = this._layers[i];
8470                         this._addItem(obj);
8471                         overlaysPresent = overlaysPresent || obj.overlay;
8472                         baseLayersPresent = baseLayersPresent || !obj.overlay;
8473                 }
8474
8475                 this._separator.style.display = overlaysPresent && baseLayersPresent ? '' : 'none';
8476         },
8477
8478         _onLayerChange: function (e) {
8479                 var obj = this._layers[L.stamp(e.layer)];
8480
8481                 if (!obj) { return; }
8482
8483                 if (!this._handlingClick) {
8484                         this._update();
8485                 }
8486
8487                 var type = obj.overlay ?
8488                         (e.type === 'layeradd' ? 'overlayadd' : 'overlayremove') :
8489                         (e.type === 'layeradd' ? 'baselayerchange' : null);
8490
8491                 if (type) {
8492                         this._map.fire(type, obj);
8493                 }
8494         },
8495
8496         // IE7 bugs out if you create a radio dynamically, so you have to do it this hacky way (see http://bit.ly/PqYLBe)
8497         _createRadioElement: function (name, checked) {
8498
8499                 var radioHtml = '<input type="radio" class="leaflet-control-layers-selector" name="' + name + '"';
8500                 if (checked) {
8501                         radioHtml += ' checked="checked"';
8502                 }
8503                 radioHtml += '/>';
8504
8505                 var radioFragment = document.createElement('div');
8506                 radioFragment.innerHTML = radioHtml;
8507
8508                 return radioFragment.firstChild;
8509         },
8510
8511         _addItem: function (obj) {
8512                 var label = document.createElement('label'),
8513                     input,
8514                     checked = this._map.hasLayer(obj.layer);
8515
8516                 if (obj.overlay) {
8517                         input = document.createElement('input');
8518                         input.type = 'checkbox';
8519                         input.className = 'leaflet-control-layers-selector';
8520                         input.defaultChecked = checked;
8521                 } else {
8522                         input = this._createRadioElement('leaflet-base-layers', checked);
8523                 }
8524
8525                 input.layerId = L.stamp(obj.layer);
8526
8527                 L.DomEvent.on(input, 'click', this._onInputClick, this);
8528
8529                 var name = document.createElement('span');
8530                 name.innerHTML = ' ' + obj.name;
8531
8532                 label.appendChild(input);
8533                 label.appendChild(name);
8534
8535                 var container = obj.overlay ? this._overlaysList : this._baseLayersList;
8536                 container.appendChild(label);
8537
8538                 return label;
8539         },
8540
8541         _onInputClick: function () {
8542                 var i, input, obj,
8543                     inputs = this._form.getElementsByTagName('input'),
8544                     inputsLen = inputs.length;
8545
8546                 this._handlingClick = true;
8547
8548                 for (i = 0; i < inputsLen; i++) {
8549                         input = inputs[i];
8550                         obj = this._layers[input.layerId];
8551
8552                         if (input.checked && !this._map.hasLayer(obj.layer)) {
8553                                 this._map.addLayer(obj.layer);
8554
8555                         } else if (!input.checked && this._map.hasLayer(obj.layer)) {
8556                                 this._map.removeLayer(obj.layer);
8557                         }
8558                 }
8559
8560                 this._handlingClick = false;
8561
8562                 this._refocusOnMap();
8563         },
8564
8565         _expand: function () {
8566                 L.DomUtil.addClass(this._container, 'leaflet-control-layers-expanded');
8567         },
8568
8569         _collapse: function () {
8570                 this._container.className = this._container.className.replace(' leaflet-control-layers-expanded', '');
8571         }
8572 });
8573
8574 L.control.layers = function (baseLayers, overlays, options) {
8575         return new L.Control.Layers(baseLayers, overlays, options);
8576 };
8577
8578
8579 /*
8580  * L.PosAnimation is used by Leaflet internally for pan animations.
8581  */
8582
8583 L.PosAnimation = L.Class.extend({
8584         includes: L.Mixin.Events,
8585
8586         run: function (el, newPos, duration, easeLinearity) { // (HTMLElement, Point[, Number, Number])
8587                 this.stop();
8588
8589                 this._el = el;
8590                 this._inProgress = true;
8591                 this._newPos = newPos;
8592
8593                 this.fire('start');
8594
8595                 el.style[L.DomUtil.TRANSITION] = 'all ' + (duration || 0.25) +
8596                         's cubic-bezier(0,0,' + (easeLinearity || 0.5) + ',1)';
8597
8598                 L.DomEvent.on(el, L.DomUtil.TRANSITION_END, this._onTransitionEnd, this);
8599                 L.DomUtil.setPosition(el, newPos);
8600
8601                 // toggle reflow, Chrome flickers for some reason if you don't do this
8602                 L.Util.falseFn(el.offsetWidth);
8603
8604                 // there's no native way to track value updates of transitioned properties, so we imitate this
8605                 this._stepTimer = setInterval(L.bind(this._onStep, this), 50);
8606         },
8607
8608         stop: function () {
8609                 if (!this._inProgress) { return; }
8610
8611                 // if we just removed the transition property, the element would jump to its final position,
8612                 // so we need to make it stay at the current position
8613
8614                 L.DomUtil.setPosition(this._el, this._getPos());
8615                 this._onTransitionEnd();
8616                 L.Util.falseFn(this._el.offsetWidth); // force reflow in case we are about to start a new animation
8617         },
8618
8619         _onStep: function () {
8620                 var stepPos = this._getPos();
8621                 if (!stepPos) {
8622                         this._onTransitionEnd();
8623                         return;
8624                 }
8625                 // jshint camelcase: false
8626                 // make L.DomUtil.getPosition return intermediate position value during animation
8627                 this._el._leaflet_pos = stepPos;
8628
8629                 this.fire('step');
8630         },
8631
8632         // you can't easily get intermediate values of properties animated with CSS3 Transitions,
8633         // we need to parse computed style (in case of transform it returns matrix string)
8634
8635         _transformRe: /([-+]?(?:\d*\.)?\d+)\D*, ([-+]?(?:\d*\.)?\d+)\D*\)/,
8636
8637         _getPos: function () {
8638                 var left, top, matches,
8639                     el = this._el,
8640                     style = window.getComputedStyle(el);
8641
8642                 if (L.Browser.any3d) {
8643                         matches = style[L.DomUtil.TRANSFORM].match(this._transformRe);
8644                         if (!matches) { return; }
8645                         left = parseFloat(matches[1]);
8646                         top  = parseFloat(matches[2]);
8647                 } else {
8648                         left = parseFloat(style.left);
8649                         top  = parseFloat(style.top);
8650                 }
8651
8652                 return new L.Point(left, top, true);
8653         },
8654
8655         _onTransitionEnd: function () {
8656                 L.DomEvent.off(this._el, L.DomUtil.TRANSITION_END, this._onTransitionEnd, this);
8657
8658                 if (!this._inProgress) { return; }
8659                 this._inProgress = false;
8660
8661                 this._el.style[L.DomUtil.TRANSITION] = '';
8662
8663                 // jshint camelcase: false
8664                 // make sure L.DomUtil.getPosition returns the final position value after animation
8665                 this._el._leaflet_pos = this._newPos;
8666
8667                 clearInterval(this._stepTimer);
8668
8669                 this.fire('step').fire('end');
8670         }
8671
8672 });
8673
8674
8675 /*
8676  * Extends L.Map to handle panning animations.
8677  */
8678
8679 L.Map.include({
8680
8681         setView: function (center, zoom, options) {
8682
8683                 zoom = zoom === undefined ? this._zoom : this._limitZoom(zoom);
8684                 center = this._limitCenter(L.latLng(center), zoom, this.options.maxBounds);
8685                 options = options || {};
8686
8687                 if (this._panAnim) {
8688                         this._panAnim.stop();
8689                 }
8690
8691                 if (this._loaded && !options.reset && options !== true) {
8692
8693                         if (options.animate !== undefined) {
8694                                 options.zoom = L.extend({animate: options.animate}, options.zoom);
8695                                 options.pan = L.extend({animate: options.animate}, options.pan);
8696                         }
8697
8698                         // try animating pan or zoom
8699                         var animated = (this._zoom !== zoom) ?
8700                                 this._tryAnimatedZoom && this._tryAnimatedZoom(center, zoom, options.zoom) :
8701                                 this._tryAnimatedPan(center, options.pan);
8702
8703                         if (animated) {
8704                                 // prevent resize handler call, the view will refresh after animation anyway
8705                                 clearTimeout(this._sizeTimer);
8706                                 return this;
8707                         }
8708                 }
8709
8710                 // animation didn't start, just reset the map view
8711                 this._resetView(center, zoom);
8712
8713                 return this;
8714         },
8715
8716         panBy: function (offset, options) {
8717                 offset = L.point(offset).round();
8718                 options = options || {};
8719
8720                 if (!offset.x && !offset.y) {
8721                         return this;
8722                 }
8723
8724                 if (!this._panAnim) {
8725                         this._panAnim = new L.PosAnimation();
8726
8727                         this._panAnim.on({
8728                                 'step': this._onPanTransitionStep,
8729                                 'end': this._onPanTransitionEnd
8730                         }, this);
8731                 }
8732
8733                 // don't fire movestart if animating inertia
8734                 if (!options.noMoveStart) {
8735                         this.fire('movestart');
8736                 }
8737
8738                 // animate pan unless animate: false specified
8739                 if (options.animate !== false) {
8740                         L.DomUtil.addClass(this._mapPane, 'leaflet-pan-anim');
8741
8742                         var newPos = this._getMapPanePos().subtract(offset);
8743                         this._panAnim.run(this._mapPane, newPos, options.duration || 0.25, options.easeLinearity);
8744                 } else {
8745                         this._rawPanBy(offset);
8746                         this.fire('move').fire('moveend');
8747                 }
8748
8749                 return this;
8750         },
8751
8752         _onPanTransitionStep: function () {
8753                 this.fire('move');
8754         },
8755
8756         _onPanTransitionEnd: function () {
8757                 L.DomUtil.removeClass(this._mapPane, 'leaflet-pan-anim');
8758                 this.fire('moveend');
8759         },
8760
8761         _tryAnimatedPan: function (center, options) {
8762                 // difference between the new and current centers in pixels
8763                 var offset = this._getCenterOffset(center)._floor();
8764
8765                 // don't animate too far unless animate: true specified in options
8766                 if ((options && options.animate) !== true && !this.getSize().contains(offset)) { return false; }
8767
8768                 this.panBy(offset, options);
8769
8770                 return true;
8771         }
8772 });
8773
8774
8775 /*
8776  * L.PosAnimation fallback implementation that powers Leaflet pan animations
8777  * in browsers that don't support CSS3 Transitions.
8778  */
8779
8780 L.PosAnimation = L.DomUtil.TRANSITION ? L.PosAnimation : L.PosAnimation.extend({
8781
8782         run: function (el, newPos, duration, easeLinearity) { // (HTMLElement, Point[, Number, Number])
8783                 this.stop();
8784
8785                 this._el = el;
8786                 this._inProgress = true;
8787                 this._duration = duration || 0.25;
8788                 this._easeOutPower = 1 / Math.max(easeLinearity || 0.5, 0.2);
8789
8790                 this._startPos = L.DomUtil.getPosition(el);
8791                 this._offset = newPos.subtract(this._startPos);
8792                 this._startTime = +new Date();
8793
8794                 this.fire('start');
8795
8796                 this._animate();
8797         },
8798
8799         stop: function () {
8800                 if (!this._inProgress) { return; }
8801
8802                 this._step();
8803                 this._complete();
8804         },
8805
8806         _animate: function () {
8807                 // animation loop
8808                 this._animId = L.Util.requestAnimFrame(this._animate, this);
8809                 this._step();
8810         },
8811
8812         _step: function () {
8813                 var elapsed = (+new Date()) - this._startTime,
8814                     duration = this._duration * 1000;
8815
8816                 if (elapsed < duration) {
8817                         this._runFrame(this._easeOut(elapsed / duration));
8818                 } else {
8819                         this._runFrame(1);
8820                         this._complete();
8821                 }
8822         },
8823
8824         _runFrame: function (progress) {
8825                 var pos = this._startPos.add(this._offset.multiplyBy(progress));
8826                 L.DomUtil.setPosition(this._el, pos);
8827
8828                 this.fire('step');
8829         },
8830
8831         _complete: function () {
8832                 L.Util.cancelAnimFrame(this._animId);
8833
8834                 this._inProgress = false;
8835                 this.fire('end');
8836         },
8837
8838         _easeOut: function (t) {
8839                 return 1 - Math.pow(1 - t, this._easeOutPower);
8840         }
8841 });
8842
8843
8844 /*
8845  * Extends L.Map to handle zoom animations.
8846  */
8847
8848 L.Map.mergeOptions({
8849         zoomAnimation: true,
8850         zoomAnimationThreshold: 4
8851 });
8852
8853 if (L.DomUtil.TRANSITION) {
8854
8855         L.Map.addInitHook(function () {
8856                 // don't animate on browsers without hardware-accelerated transitions or old Android/Opera
8857                 this._zoomAnimated = this.options.zoomAnimation && L.DomUtil.TRANSITION &&
8858                                 L.Browser.any3d && !L.Browser.android23 && !L.Browser.mobileOpera;
8859
8860                 // zoom transitions run with the same duration for all layers, so if one of transitionend events
8861                 // happens after starting zoom animation (propagating to the map pane), we know that it ended globally
8862                 if (this._zoomAnimated) {
8863                         L.DomEvent.on(this._mapPane, L.DomUtil.TRANSITION_END, this._catchTransitionEnd, this);
8864                 }
8865         });
8866 }
8867
8868 L.Map.include(!L.DomUtil.TRANSITION ? {} : {
8869
8870         _catchTransitionEnd: function (e) {
8871                 if (this._animatingZoom && e.propertyName.indexOf('transform') >= 0) {
8872                         this._onZoomTransitionEnd();
8873                 }
8874         },
8875
8876         _nothingToAnimate: function () {
8877                 return !this._container.getElementsByClassName('leaflet-zoom-animated').length;
8878         },
8879
8880         _tryAnimatedZoom: function (center, zoom, options) {
8881
8882                 if (this._animatingZoom) { return true; }
8883
8884                 options = options || {};
8885
8886                 // don't animate if disabled, not supported or zoom difference is too large
8887                 if (!this._zoomAnimated || options.animate === false || this._nothingToAnimate() ||
8888                         Math.abs(zoom - this._zoom) > this.options.zoomAnimationThreshold) { return false; }
8889
8890                 // offset is the pixel coords of the zoom origin relative to the current center
8891                 var scale = this.getZoomScale(zoom),
8892                     offset = this._getCenterOffset(center)._divideBy(1 - 1 / scale),
8893                         origin = this._getCenterLayerPoint()._add(offset);
8894
8895                 // don't animate if the zoom origin isn't within one screen from the current center, unless forced
8896                 if (options.animate !== true && !this.getSize().contains(offset)) { return false; }
8897
8898                 this
8899                     .fire('movestart')
8900                     .fire('zoomstart');
8901
8902                 this._animateZoom(center, zoom, origin, scale, null, true);
8903
8904                 return true;
8905         },
8906
8907         _animateZoom: function (center, zoom, origin, scale, delta, backwards, forTouchZoom) {
8908
8909                 if (!forTouchZoom) {
8910                         this._animatingZoom = true;
8911                 }
8912
8913                 // put transform transition on all layers with leaflet-zoom-animated class
8914                 L.DomUtil.addClass(this._mapPane, 'leaflet-zoom-anim');
8915
8916                 // remember what center/zoom to set after animation
8917                 this._animateToCenter = center;
8918                 this._animateToZoom = zoom;
8919
8920                 // disable any dragging during animation
8921                 if (L.Draggable) {
8922                         L.Draggable._disabled = true;
8923                 }
8924
8925                 L.Util.requestAnimFrame(function () {
8926                         this.fire('zoomanim', {
8927                                 center: center,
8928                                 zoom: zoom,
8929                                 origin: origin,
8930                                 scale: scale,
8931                                 delta: delta,
8932                                 backwards: backwards
8933                         });
8934                         // horrible hack to work around a Chrome bug https://github.com/Leaflet/Leaflet/issues/3689
8935                         setTimeout(L.bind(this._onZoomTransitionEnd, this), 250);
8936                 }, this);
8937         },
8938
8939         _onZoomTransitionEnd: function () {
8940                 if (!this._animatingZoom) { return; }
8941
8942                 this._animatingZoom = false;
8943
8944                 L.DomUtil.removeClass(this._mapPane, 'leaflet-zoom-anim');
8945
8946                 this._resetView(this._animateToCenter, this._animateToZoom, true, true);
8947
8948                 if (L.Draggable) {
8949                         L.Draggable._disabled = false;
8950                 }
8951         }
8952 });
8953
8954
8955 /*
8956         Zoom animation logic for L.TileLayer.
8957 */
8958
8959 L.TileLayer.include({
8960         _animateZoom: function (e) {
8961                 if (!this._animating) {
8962                         this._animating = true;
8963                         this._prepareBgBuffer();
8964                 }
8965
8966                 var bg = this._bgBuffer,
8967                     transform = L.DomUtil.TRANSFORM,
8968                     initialTransform = e.delta ? L.DomUtil.getTranslateString(e.delta) : bg.style[transform],
8969                     scaleStr = L.DomUtil.getScaleString(e.scale, e.origin);
8970
8971                 bg.style[transform] = e.backwards ?
8972                                 scaleStr + ' ' + initialTransform :
8973                                 initialTransform + ' ' + scaleStr;
8974         },
8975
8976         _endZoomAnim: function () {
8977                 var front = this._tileContainer,
8978                     bg = this._bgBuffer;
8979
8980                 front.style.visibility = '';
8981                 front.parentNode.appendChild(front); // Bring to fore
8982
8983                 // force reflow
8984                 L.Util.falseFn(bg.offsetWidth);
8985
8986                 var zoom = this._map.getZoom();
8987                 if (zoom > this.options.maxZoom || zoom < this.options.minZoom) {
8988                         this._clearBgBuffer();
8989                 }
8990
8991                 this._animating = false;
8992         },
8993
8994         _clearBgBuffer: function () {
8995                 var map = this._map;
8996
8997                 if (map && !map._animatingZoom && !map.touchZoom._zooming) {
8998                         this._bgBuffer.innerHTML = '';
8999                         this._bgBuffer.style[L.DomUtil.TRANSFORM] = '';
9000                 }
9001         },
9002
9003         _prepareBgBuffer: function () {
9004
9005                 var front = this._tileContainer,
9006                     bg = this._bgBuffer;
9007
9008                 // if foreground layer doesn't have many tiles but bg layer does,
9009                 // keep the existing bg layer and just zoom it some more
9010
9011                 var bgLoaded = this._getLoadedTilesPercentage(bg),
9012                     frontLoaded = this._getLoadedTilesPercentage(front);
9013
9014                 if (bg && bgLoaded > 0.5 && frontLoaded < 0.5) {
9015
9016                         front.style.visibility = 'hidden';
9017                         this._stopLoadingImages(front);
9018                         return;
9019                 }
9020
9021                 // prepare the buffer to become the front tile pane
9022                 bg.style.visibility = 'hidden';
9023                 bg.style[L.DomUtil.TRANSFORM] = '';
9024
9025                 // switch out the current layer to be the new bg layer (and vice-versa)
9026                 this._tileContainer = bg;
9027                 bg = this._bgBuffer = front;
9028
9029                 this._stopLoadingImages(bg);
9030
9031                 //prevent bg buffer from clearing right after zoom
9032                 clearTimeout(this._clearBgBufferTimer);
9033         },
9034
9035         _getLoadedTilesPercentage: function (container) {
9036                 var tiles = container.getElementsByTagName('img'),
9037                     i, len, count = 0;
9038
9039                 for (i = 0, len = tiles.length; i < len; i++) {
9040                         if (tiles[i].complete) {
9041                                 count++;
9042                         }
9043                 }
9044                 return count / len;
9045         },
9046
9047         // stops loading all tiles in the background layer
9048         _stopLoadingImages: function (container) {
9049                 var tiles = Array.prototype.slice.call(container.getElementsByTagName('img')),
9050                     i, len, tile;
9051
9052                 for (i = 0, len = tiles.length; i < len; i++) {
9053                         tile = tiles[i];
9054
9055                         if (!tile.complete) {
9056                                 tile.onload = L.Util.falseFn;
9057                                 tile.onerror = L.Util.falseFn;
9058                                 tile.src = L.Util.emptyImageUrl;
9059
9060                                 tile.parentNode.removeChild(tile);
9061                         }
9062                 }
9063         }
9064 });
9065
9066
9067 /*
9068  * Provides L.Map with convenient shortcuts for using browser geolocation features.
9069  */
9070
9071 L.Map.include({
9072         _defaultLocateOptions: {
9073                 watch: false,
9074                 setView: false,
9075                 maxZoom: Infinity,
9076                 timeout: 10000,
9077                 maximumAge: 0,
9078                 enableHighAccuracy: false
9079         },
9080
9081         locate: function (/*Object*/ options) {
9082
9083                 options = this._locateOptions = L.extend(this._defaultLocateOptions, options);
9084
9085                 if (!navigator.geolocation) {
9086                         this._handleGeolocationError({
9087                                 code: 0,
9088                                 message: 'Geolocation not supported.'
9089                         });
9090                         return this;
9091                 }
9092
9093                 var onResponse = L.bind(this._handleGeolocationResponse, this),
9094                         onError = L.bind(this._handleGeolocationError, this);
9095
9096                 if (options.watch) {
9097                         this._locationWatchId =
9098                                 navigator.geolocation.watchPosition(onResponse, onError, options);
9099                 } else {
9100                         navigator.geolocation.getCurrentPosition(onResponse, onError, options);
9101                 }
9102                 return this;
9103         },
9104
9105         stopLocate: function () {
9106                 if (navigator.geolocation) {
9107                         navigator.geolocation.clearWatch(this._locationWatchId);
9108                 }
9109                 if (this._locateOptions) {
9110                         this._locateOptions.setView = false;
9111                 }
9112                 return this;
9113         },
9114
9115         _handleGeolocationError: function (error) {
9116                 var c = error.code,
9117                     message = error.message ||
9118                             (c === 1 ? 'permission denied' :
9119                             (c === 2 ? 'position unavailable' : 'timeout'));
9120
9121                 if (this._locateOptions.setView && !this._loaded) {
9122                         this.fitWorld();
9123                 }
9124
9125                 this.fire('locationerror', {
9126                         code: c,
9127                         message: 'Geolocation error: ' + message + '.'
9128                 });
9129         },
9130
9131         _handleGeolocationResponse: function (pos) {
9132                 var lat = pos.coords.latitude,
9133                     lng = pos.coords.longitude,
9134                     latlng = new L.LatLng(lat, lng),
9135
9136                     latAccuracy = 180 * pos.coords.accuracy / 40075017,
9137                     lngAccuracy = latAccuracy / Math.cos(L.LatLng.DEG_TO_RAD * lat),
9138
9139                     bounds = L.latLngBounds(
9140                             [lat - latAccuracy, lng - lngAccuracy],
9141                             [lat + latAccuracy, lng + lngAccuracy]),
9142
9143                     options = this._locateOptions;
9144
9145                 if (options.setView) {
9146                         var zoom = Math.min(this.getBoundsZoom(bounds), options.maxZoom);
9147                         this.setView(latlng, zoom);
9148                 }
9149
9150                 var data = {
9151                         latlng: latlng,
9152                         bounds: bounds,
9153                         timestamp: pos.timestamp
9154                 };
9155
9156                 for (var i in pos.coords) {
9157                         if (typeof pos.coords[i] === 'number') {
9158                                 data[i] = pos.coords[i];
9159                         }
9160                 }
9161
9162                 this.fire('locationfound', data);
9163         }
9164 });
9165
9166
9167 }(window, document));