2 Leaflet, a JavaScript library for mobile-friendly interactive maps. http://leafletjs.com
3 (c) 2010-2013, Vladimir Agafonkin
4 (c) 2010-2011, CloudMade
6 (function (window, document, undefined) {
\r
10 L.version = '0.7.5';
\r
12 // define Leaflet for Node module pattern loaders, including Browserify
\r
13 if (typeof module === 'object' && typeof module.exports === 'object') {
\r
16 // define Leaflet as an AMD module
\r
17 } else if (typeof define === 'function' && define.amd) {
\r
21 // define Leaflet as a global L variable, saving the original L to restore later if needed
\r
23 L.noConflict = function () {
\r
32 * L.Util contains various utility functions used throughout Leaflet code.
\r
36 extend: function (dest) { // (Object[, Object, ...]) ->
\r
37 var sources = Array.prototype.slice.call(arguments, 1),
\r
40 for (j = 0, len = sources.length; j < len; j++) {
\r
41 src = sources[j] || {};
\r
43 if (src.hasOwnProperty(i)) {
\r
51 bind: function (fn, obj) { // (Function, Object) -> Function
\r
52 var args = arguments.length > 2 ? Array.prototype.slice.call(arguments, 2) : null;
\r
53 return function () {
\r
54 return fn.apply(obj, args || arguments);
\r
58 stamp: (function () {
\r
60 key = '_leaflet_id';
\r
61 return function (obj) {
\r
62 obj[key] = obj[key] || ++lastId;
\r
67 invokeEach: function (obj, method, context) {
\r
70 if (typeof obj === 'object') {
\r
71 args = Array.prototype.slice.call(arguments, 3);
\r
74 method.apply(context, [i, obj[i]].concat(args));
\r
82 limitExecByInterval: function (fn, time, context) {
\r
83 var lock, execOnUnlock;
\r
85 return function wrapperFn() {
\r
86 var args = arguments;
\r
89 execOnUnlock = true;
\r
95 setTimeout(function () {
\r
99 wrapperFn.apply(context, args);
\r
100 execOnUnlock = false;
\r
104 fn.apply(context, args);
\r
108 falseFn: function () {
\r
112 formatNum: function (num, digits) {
\r
113 var pow = Math.pow(10, digits || 5);
\r
114 return Math.round(num * pow) / pow;
\r
117 trim: function (str) {
\r
118 return str.trim ? str.trim() : str.replace(/^\s+|\s+$/g, '');
\r
121 splitWords: function (str) {
\r
122 return L.Util.trim(str).split(/\s+/);
\r
125 setOptions: function (obj, options) {
\r
126 obj.options = L.extend({}, obj.options, options);
\r
127 return obj.options;
\r
130 getParamString: function (obj, existingUrl, uppercase) {
\r
132 for (var i in obj) {
\r
133 params.push(encodeURIComponent(uppercase ? i.toUpperCase() : i) + '=' + encodeURIComponent(obj[i]));
\r
135 return ((!existingUrl || existingUrl.indexOf('?') === -1) ? '?' : '&') + params.join('&');
\r
137 template: function (str, data) {
\r
138 return str.replace(/\{ *([\w_]+) *\}/g, function (str, key) {
\r
139 var value = data[key];
\r
140 if (value === undefined) {
\r
141 throw new Error('No value provided for variable ' + str);
\r
142 } else if (typeof value === 'function') {
\r
143 value = value(data);
\r
149 isArray: Array.isArray || function (obj) {
\r
150 return (Object.prototype.toString.call(obj) === '[object Array]');
\r
153 emptyImageUrl: 'data:image/gif;base64,R0lGODlhAQABAAD/ACwAAAAAAQABAAACADs='
\r
158 // inspired by http://paulirish.com/2011/requestanimationframe-for-smart-animating/
\r
160 function getPrefixed(name) {
\r
162 prefixes = ['webkit', 'moz', 'o', 'ms'];
\r
164 for (i = 0; i < prefixes.length && !fn; i++) {
\r
165 fn = window[prefixes[i] + name];
\r
173 function timeoutDefer(fn) {
\r
174 var time = +new Date(),
\r
175 timeToCall = Math.max(0, 16 - (time - lastTime));
\r
177 lastTime = time + timeToCall;
\r
178 return window.setTimeout(fn, timeToCall);
\r
181 var requestFn = window.requestAnimationFrame ||
\r
182 getPrefixed('RequestAnimationFrame') || timeoutDefer;
\r
184 var cancelFn = window.cancelAnimationFrame ||
\r
185 getPrefixed('CancelAnimationFrame') ||
\r
186 getPrefixed('CancelRequestAnimationFrame') ||
\r
187 function (id) { window.clearTimeout(id); };
\r
190 L.Util.requestAnimFrame = function (fn, context, immediate, element) {
\r
191 fn = L.bind(fn, context);
\r
193 if (immediate && requestFn === timeoutDefer) {
\r
196 return requestFn.call(window, fn, element);
\r
200 L.Util.cancelAnimFrame = function (id) {
\r
202 cancelFn.call(window, id);
\r
208 // shortcuts for most used utility functions
\r
209 L.extend = L.Util.extend;
\r
210 L.bind = L.Util.bind;
\r
211 L.stamp = L.Util.stamp;
\r
212 L.setOptions = L.Util.setOptions;
\r
216 * L.Class powers the OOP facilities of the library.
\r
217 * Thanks to John Resig and Dean Edwards for inspiration!
\r
220 L.Class = function () {};
\r
222 L.Class.extend = function (props) {
\r
224 // extended class with the new prototype
\r
225 var NewClass = function () {
\r
227 // call the constructor
\r
228 if (this.initialize) {
\r
229 this.initialize.apply(this, arguments);
\r
232 // call all constructor hooks
\r
233 if (this._initHooks) {
\r
234 this.callInitHooks();
\r
238 // instantiate class without calling constructor
\r
239 var F = function () {};
\r
240 F.prototype = this.prototype;
\r
242 var proto = new F();
\r
243 proto.constructor = NewClass;
\r
245 NewClass.prototype = proto;
\r
247 //inherit parent's statics
\r
248 for (var i in this) {
\r
249 if (this.hasOwnProperty(i) && i !== 'prototype') {
\r
250 NewClass[i] = this[i];
\r
254 // mix static properties into the class
\r
255 if (props.statics) {
\r
256 L.extend(NewClass, props.statics);
\r
257 delete props.statics;
\r
260 // mix includes into the prototype
\r
261 if (props.includes) {
\r
262 L.Util.extend.apply(null, [proto].concat(props.includes));
\r
263 delete props.includes;
\r
267 if (props.options && proto.options) {
\r
268 props.options = L.extend({}, proto.options, props.options);
\r
271 // mix given properties into the prototype
\r
272 L.extend(proto, props);
\r
274 proto._initHooks = [];
\r
277 // jshint camelcase: false
\r
278 NewClass.__super__ = parent.prototype;
\r
280 // add method for calling all hooks
\r
281 proto.callInitHooks = function () {
\r
283 if (this._initHooksCalled) { return; }
\r
285 if (parent.prototype.callInitHooks) {
\r
286 parent.prototype.callInitHooks.call(this);
\r
289 this._initHooksCalled = true;
\r
291 for (var i = 0, len = proto._initHooks.length; i < len; i++) {
\r
292 proto._initHooks[i].call(this);
\r
300 // method for adding properties to prototype
\r
301 L.Class.include = function (props) {
\r
302 L.extend(this.prototype, props);
\r
305 // merge new default options to the Class
\r
306 L.Class.mergeOptions = function (options) {
\r
307 L.extend(this.prototype.options, options);
\r
310 // add a constructor hook
\r
311 L.Class.addInitHook = function (fn) { // (Function) || (String, args...)
\r
312 var args = Array.prototype.slice.call(arguments, 1);
\r
314 var init = typeof fn === 'function' ? fn : function () {
\r
315 this[fn].apply(this, args);
\r
318 this.prototype._initHooks = this.prototype._initHooks || [];
\r
319 this.prototype._initHooks.push(init);
\r
324 * L.Mixin.Events is used to add custom events functionality to Leaflet classes.
\r
327 var eventsKey = '_leaflet_events';
\r
333 addEventListener: function (types, fn, context) { // (String, Function[, Object]) or (Object[, Object])
\r
335 // types can be a map of types/handlers
\r
336 if (L.Util.invokeEach(types, this.addEventListener, this, fn, context)) { return this; }
\r
338 var events = this[eventsKey] = this[eventsKey] || {},
\r
339 contextId = context && context !== this && L.stamp(context),
\r
340 i, len, event, type, indexKey, indexLenKey, typeIndex;
\r
342 // types can be a string of space-separated words
\r
343 types = L.Util.splitWords(types);
\r
345 for (i = 0, len = types.length; i < len; i++) {
\r
348 context: context || this
\r
353 // store listeners of a particular context in a separate hash (if it has an id)
\r
354 // gives a major performance boost when removing thousands of map layers
\r
356 indexKey = type + '_idx';
\r
357 indexLenKey = indexKey + '_len';
\r
359 typeIndex = events[indexKey] = events[indexKey] || {};
\r
361 if (!typeIndex[contextId]) {
\r
362 typeIndex[contextId] = [];
\r
364 // keep track of the number of keys in the index to quickly check if it's empty
\r
365 events[indexLenKey] = (events[indexLenKey] || 0) + 1;
\r
368 typeIndex[contextId].push(event);
\r
372 events[type] = events[type] || [];
\r
373 events[type].push(event);
\r
380 hasEventListeners: function (type) { // (String) -> Boolean
\r
381 var events = this[eventsKey];
\r
382 return !!events && ((type in events && events[type].length > 0) ||
\r
383 (type + '_idx' in events && events[type + '_idx_len'] > 0));
\r
386 removeEventListener: function (types, fn, context) { // ([String, Function, Object]) or (Object[, Object])
\r
388 if (!this[eventsKey]) {
\r
393 return this.clearAllEventListeners();
\r
396 if (L.Util.invokeEach(types, this.removeEventListener, this, fn, context)) { return this; }
\r
398 var events = this[eventsKey],
\r
399 contextId = context && context !== this && L.stamp(context),
\r
400 i, len, type, listeners, j, indexKey, indexLenKey, typeIndex, removed;
\r
402 types = L.Util.splitWords(types);
\r
404 for (i = 0, len = types.length; i < len; i++) {
\r
406 indexKey = type + '_idx';
\r
407 indexLenKey = indexKey + '_len';
\r
409 typeIndex = events[indexKey];
\r
412 // clear all listeners for a type if function isn't specified
\r
413 delete events[type];
\r
414 delete events[indexKey];
\r
415 delete events[indexLenKey];
\r
418 listeners = contextId && typeIndex ? typeIndex[contextId] : events[type];
\r
421 for (j = listeners.length - 1; j >= 0; j--) {
\r
422 if ((listeners[j].action === fn) && (!context || (listeners[j].context === context))) {
\r
423 removed = listeners.splice(j, 1);
\r
424 // set the old action to a no-op, because it is possible
\r
425 // that the listener is being iterated over as part of a dispatch
\r
426 removed[0].action = L.Util.falseFn;
\r
430 if (context && typeIndex && (listeners.length === 0)) {
\r
431 delete typeIndex[contextId];
\r
432 events[indexLenKey]--;
\r
441 clearAllEventListeners: function () {
\r
442 delete this[eventsKey];
\r
446 fireEvent: function (type, data) { // (String[, Object])
\r
447 if (!this.hasEventListeners(type)) {
\r
451 var event = L.Util.extend({}, data, { type: type, target: this });
\r
453 var events = this[eventsKey],
\r
454 listeners, i, len, typeIndex, contextId;
\r
456 if (events[type]) {
\r
457 // make sure adding/removing listeners inside other listeners won't cause infinite loop
\r
458 listeners = events[type].slice();
\r
460 for (i = 0, len = listeners.length; i < len; i++) {
\r
461 listeners[i].action.call(listeners[i].context, event);
\r
465 // fire event for the context-indexed listeners as well
\r
466 typeIndex = events[type + '_idx'];
\r
468 for (contextId in typeIndex) {
\r
469 listeners = typeIndex[contextId].slice();
\r
472 for (i = 0, len = listeners.length; i < len; i++) {
\r
473 listeners[i].action.call(listeners[i].context, event);
\r
481 addOneTimeEventListener: function (types, fn, context) {
\r
483 if (L.Util.invokeEach(types, this.addOneTimeEventListener, this, fn, context)) { return this; }
\r
485 var handler = L.bind(function () {
\r
487 .removeEventListener(types, fn, context)
\r
488 .removeEventListener(types, handler, context);
\r
492 .addEventListener(types, fn, context)
\r
493 .addEventListener(types, handler, context);
\r
497 L.Mixin.Events.on = L.Mixin.Events.addEventListener;
\r
498 L.Mixin.Events.off = L.Mixin.Events.removeEventListener;
\r
499 L.Mixin.Events.once = L.Mixin.Events.addOneTimeEventListener;
\r
500 L.Mixin.Events.fire = L.Mixin.Events.fireEvent;
\r
504 * L.Browser handles different browser and feature detections for internal Leaflet use.
\r
509 var ie = 'ActiveXObject' in window,
\r
510 ielt9 = ie && !document.addEventListener,
\r
512 // terrible browser detection to work around Safari / iOS / Android browser bugs
\r
513 ua = navigator.userAgent.toLowerCase(),
\r
514 webkit = ua.indexOf('webkit') !== -1,
\r
515 chrome = ua.indexOf('chrome') !== -1,
\r
516 phantomjs = ua.indexOf('phantom') !== -1,
\r
517 android = ua.indexOf('android') !== -1,
\r
518 android23 = ua.search('android [23]') !== -1,
\r
519 gecko = ua.indexOf('gecko') !== -1,
\r
521 mobile = typeof orientation !== undefined + '',
\r
522 msPointer = !window.PointerEvent && window.MSPointerEvent,
\r
523 pointer = (window.PointerEvent && window.navigator.pointerEnabled && window.navigator.maxTouchPoints) ||
\r
525 retina = ('devicePixelRatio' in window && window.devicePixelRatio > 1) ||
\r
526 ('matchMedia' in window && window.matchMedia('(min-resolution:144dpi)') &&
\r
527 window.matchMedia('(min-resolution:144dpi)').matches),
\r
529 doc = document.documentElement,
\r
530 ie3d = ie && ('transition' in doc.style),
\r
531 webkit3d = ('WebKitCSSMatrix' in window) && ('m11' in new window.WebKitCSSMatrix()) && !android23,
\r
532 gecko3d = 'MozPerspective' in doc.style,
\r
533 opera3d = 'OTransition' in doc.style,
\r
534 any3d = !window.L_DISABLE_3D && (ie3d || webkit3d || gecko3d || opera3d) && !phantomjs;
\r
536 var touch = !window.L_NO_TOUCH && !phantomjs && (pointer || 'ontouchstart' in window ||
\r
537 (window.DocumentTouch && document instanceof window.DocumentTouch));
\r
543 gecko: gecko && !webkit && !window.opera && !ie,
\r
546 android23: android23,
\r
551 webkit3d: webkit3d,
\r
557 mobileWebkit: mobile && webkit,
\r
558 mobileWebkit3d: mobile && webkit3d,
\r
559 mobileOpera: mobile && window.opera,
\r
562 msPointer: msPointer,
\r
572 * L.Point represents a point with x and y coordinates.
\r
575 L.Point = function (/*Number*/ x, /*Number*/ y, /*Boolean*/ round) {
\r
576 this.x = (round ? Math.round(x) : x);
\r
577 this.y = (round ? Math.round(y) : y);
\r
580 L.Point.prototype = {
\r
582 clone: function () {
\r
583 return new L.Point(this.x, this.y);
\r
586 // non-destructive, returns a new point
\r
587 add: function (point) {
\r
588 return this.clone()._add(L.point(point));
\r
591 // destructive, used directly for performance in situations where it's safe to modify existing point
\r
592 _add: function (point) {
\r
598 subtract: function (point) {
\r
599 return this.clone()._subtract(L.point(point));
\r
602 _subtract: function (point) {
\r
608 divideBy: function (num) {
\r
609 return this.clone()._divideBy(num);
\r
612 _divideBy: function (num) {
\r
618 multiplyBy: function (num) {
\r
619 return this.clone()._multiplyBy(num);
\r
622 _multiplyBy: function (num) {
\r
628 round: function () {
\r
629 return this.clone()._round();
\r
632 _round: function () {
\r
633 this.x = Math.round(this.x);
\r
634 this.y = Math.round(this.y);
\r
638 floor: function () {
\r
639 return this.clone()._floor();
\r
642 _floor: function () {
\r
643 this.x = Math.floor(this.x);
\r
644 this.y = Math.floor(this.y);
\r
648 distanceTo: function (point) {
\r
649 point = L.point(point);
\r
651 var x = point.x - this.x,
\r
652 y = point.y - this.y;
\r
654 return Math.sqrt(x * x + y * y);
\r
657 equals: function (point) {
\r
658 point = L.point(point);
\r
660 return point.x === this.x &&
\r
661 point.y === this.y;
\r
664 contains: function (point) {
\r
665 point = L.point(point);
\r
667 return Math.abs(point.x) <= Math.abs(this.x) &&
\r
668 Math.abs(point.y) <= Math.abs(this.y);
\r
671 toString: function () {
\r
673 L.Util.formatNum(this.x) + ', ' +
\r
674 L.Util.formatNum(this.y) + ')';
\r
678 L.point = function (x, y, round) {
\r
679 if (x instanceof L.Point) {
\r
682 if (L.Util.isArray(x)) {
\r
683 return new L.Point(x[0], x[1]);
\r
685 if (x === undefined || x === null) {
\r
688 return new L.Point(x, y, round);
\r
693 * L.Bounds represents a rectangular area on the screen in pixel coordinates.
\r
696 L.Bounds = function (a, b) { //(Point, Point) or Point[]
\r
697 if (!a) { return; }
\r
699 var points = b ? [a, b] : a;
\r
701 for (var i = 0, len = points.length; i < len; i++) {
\r
702 this.extend(points[i]);
\r
706 L.Bounds.prototype = {
\r
707 // extend the bounds to contain the given point
\r
708 extend: function (point) { // (Point)
\r
709 point = L.point(point);
\r
711 if (!this.min && !this.max) {
\r
712 this.min = point.clone();
\r
713 this.max = point.clone();
\r
715 this.min.x = Math.min(point.x, this.min.x);
\r
716 this.max.x = Math.max(point.x, this.max.x);
\r
717 this.min.y = Math.min(point.y, this.min.y);
\r
718 this.max.y = Math.max(point.y, this.max.y);
\r
723 getCenter: function (round) { // (Boolean) -> Point
\r
724 return new L.Point(
\r
725 (this.min.x + this.max.x) / 2,
\r
726 (this.min.y + this.max.y) / 2, round);
\r
729 getBottomLeft: function () { // -> Point
\r
730 return new L.Point(this.min.x, this.max.y);
\r
733 getTopRight: function () { // -> Point
\r
734 return new L.Point(this.max.x, this.min.y);
\r
737 getSize: function () {
\r
738 return this.max.subtract(this.min);
\r
741 contains: function (obj) { // (Bounds) or (Point) -> Boolean
\r
744 if (typeof obj[0] === 'number' || obj instanceof L.Point) {
\r
745 obj = L.point(obj);
\r
747 obj = L.bounds(obj);
\r
750 if (obj instanceof L.Bounds) {
\r
757 return (min.x >= this.min.x) &&
\r
758 (max.x <= this.max.x) &&
\r
759 (min.y >= this.min.y) &&
\r
760 (max.y <= this.max.y);
\r
763 intersects: function (bounds) { // (Bounds) -> Boolean
\r
764 bounds = L.bounds(bounds);
\r
766 var min = this.min,
\r
770 xIntersects = (max2.x >= min.x) && (min2.x <= max.x),
\r
771 yIntersects = (max2.y >= min.y) && (min2.y <= max.y);
\r
773 return xIntersects && yIntersects;
\r
776 isValid: function () {
\r
777 return !!(this.min && this.max);
\r
781 L.bounds = function (a, b) { // (Bounds) or (Point, Point) or (Point[])
\r
782 if (!a || a instanceof L.Bounds) {
\r
785 return new L.Bounds(a, b);
\r
790 * L.Transformation is an utility class to perform simple point transformations through a 2d-matrix.
\r
793 L.Transformation = function (a, b, c, d) {
\r
800 L.Transformation.prototype = {
\r
801 transform: function (point, scale) { // (Point, Number) -> Point
\r
802 return this._transform(point.clone(), scale);
\r
805 // destructive transform (faster)
\r
806 _transform: function (point, scale) {
\r
807 scale = scale || 1;
\r
808 point.x = scale * (this._a * point.x + this._b);
\r
809 point.y = scale * (this._c * point.y + this._d);
\r
813 untransform: function (point, scale) {
\r
814 scale = scale || 1;
\r
815 return new L.Point(
\r
816 (point.x / scale - this._b) / this._a,
\r
817 (point.y / scale - this._d) / this._c);
\r
823 * L.DomUtil contains various utility functions for working with DOM.
\r
827 get: function (id) {
\r
828 return (typeof id === 'string' ? document.getElementById(id) : id);
\r
831 getStyle: function (el, style) {
\r
833 var value = el.style[style];
\r
835 if (!value && el.currentStyle) {
\r
836 value = el.currentStyle[style];
\r
839 if ((!value || value === 'auto') && document.defaultView) {
\r
840 var css = document.defaultView.getComputedStyle(el, null);
\r
841 value = css ? css[style] : null;
\r
844 return value === 'auto' ? null : value;
\r
847 getViewportOffset: function (element) {
\r
852 docBody = document.body,
\r
853 docEl = document.documentElement,
\r
857 top += el.offsetTop || 0;
\r
858 left += el.offsetLeft || 0;
\r
861 top += parseInt(L.DomUtil.getStyle(el, 'borderTopWidth'), 10) || 0;
\r
862 left += parseInt(L.DomUtil.getStyle(el, 'borderLeftWidth'), 10) || 0;
\r
864 pos = L.DomUtil.getStyle(el, 'position');
\r
866 if (el.offsetParent === docBody && pos === 'absolute') { break; }
\r
868 if (pos === 'fixed') {
\r
869 top += docBody.scrollTop || docEl.scrollTop || 0;
\r
870 left += docBody.scrollLeft || docEl.scrollLeft || 0;
\r
874 if (pos === 'relative' && !el.offsetLeft) {
\r
875 var width = L.DomUtil.getStyle(el, 'width'),
\r
876 maxWidth = L.DomUtil.getStyle(el, 'max-width'),
\r
877 r = el.getBoundingClientRect();
\r
879 if (width !== 'none' || maxWidth !== 'none') {
\r
880 left += r.left + el.clientLeft;
\r
883 //calculate full y offset since we're breaking out of the loop
\r
884 top += r.top + (docBody.scrollTop || docEl.scrollTop || 0);
\r
889 el = el.offsetParent;
\r
896 if (el === docBody) { break; }
\r
898 top -= el.scrollTop || 0;
\r
899 left -= el.scrollLeft || 0;
\r
901 el = el.parentNode;
\r
904 return new L.Point(left, top);
\r
907 documentIsLtr: function () {
\r
908 if (!L.DomUtil._docIsLtrCached) {
\r
909 L.DomUtil._docIsLtrCached = true;
\r
910 L.DomUtil._docIsLtr = L.DomUtil.getStyle(document.body, 'direction') === 'ltr';
\r
912 return L.DomUtil._docIsLtr;
\r
915 create: function (tagName, className, container) {
\r
917 var el = document.createElement(tagName);
\r
918 el.className = className;
\r
921 container.appendChild(el);
\r
927 hasClass: function (el, name) {
\r
928 if (el.classList !== undefined) {
\r
929 return el.classList.contains(name);
\r
931 var className = L.DomUtil._getClass(el);
\r
932 return className.length > 0 && new RegExp('(^|\\s)' + name + '(\\s|$)').test(className);
\r
935 addClass: function (el, name) {
\r
936 if (el.classList !== undefined) {
\r
937 var classes = L.Util.splitWords(name);
\r
938 for (var i = 0, len = classes.length; i < len; i++) {
\r
939 el.classList.add(classes[i]);
\r
941 } else if (!L.DomUtil.hasClass(el, name)) {
\r
942 var className = L.DomUtil._getClass(el);
\r
943 L.DomUtil._setClass(el, (className ? className + ' ' : '') + name);
\r
947 removeClass: function (el, name) {
\r
948 if (el.classList !== undefined) {
\r
949 el.classList.remove(name);
\r
951 L.DomUtil._setClass(el, L.Util.trim((' ' + L.DomUtil._getClass(el) + ' ').replace(' ' + name + ' ', ' ')));
\r
955 _setClass: function (el, name) {
\r
956 if (el.className.baseVal === undefined) {
\r
957 el.className = name;
\r
959 // in case of SVG element
\r
960 el.className.baseVal = name;
\r
964 _getClass: function (el) {
\r
965 return el.className.baseVal === undefined ? el.className : el.className.baseVal;
\r
968 setOpacity: function (el, value) {
\r
970 if ('opacity' in el.style) {
\r
971 el.style.opacity = value;
\r
973 } else if ('filter' in el.style) {
\r
975 var filter = false,
\r
976 filterName = 'DXImageTransform.Microsoft.Alpha';
\r
978 // filters collection throws an error if we try to retrieve a filter that doesn't exist
\r
980 filter = el.filters.item(filterName);
\r
982 // don't set opacity to 1 if we haven't already set an opacity,
\r
983 // it isn't needed and breaks transparent pngs.
\r
984 if (value === 1) { return; }
\r
987 value = Math.round(value * 100);
\r
990 filter.Enabled = (value !== 100);
\r
991 filter.Opacity = value;
\r
993 el.style.filter += ' progid:' + filterName + '(opacity=' + value + ')';
\r
998 testProp: function (props) {
\r
1000 var style = document.documentElement.style;
\r
1002 for (var i = 0; i < props.length; i++) {
\r
1003 if (props[i] in style) {
\r
1010 getTranslateString: function (point) {
\r
1011 // on WebKit browsers (Chrome/Safari/iOS Safari/Android) using translate3d instead of translate
\r
1012 // makes animation smoother as it ensures HW accel is used. Firefox 13 doesn't care
\r
1013 // (same speed either way), Opera 12 doesn't support translate3d
\r
1015 var is3d = L.Browser.webkit3d,
\r
1016 open = 'translate' + (is3d ? '3d' : '') + '(',
\r
1017 close = (is3d ? ',0' : '') + ')';
\r
1019 return open + point.x + 'px,' + point.y + 'px' + close;
\r
1022 getScaleString: function (scale, origin) {
\r
1024 var preTranslateStr = L.DomUtil.getTranslateString(origin.add(origin.multiplyBy(-1 * scale))),
\r
1025 scaleStr = ' scale(' + scale + ') ';
\r
1027 return preTranslateStr + scaleStr;
\r
1030 setPosition: function (el, point, disable3D) { // (HTMLElement, Point[, Boolean])
\r
1032 // jshint camelcase: false
\r
1033 el._leaflet_pos = point;
\r
1035 if (!disable3D && L.Browser.any3d) {
\r
1036 el.style[L.DomUtil.TRANSFORM] = L.DomUtil.getTranslateString(point);
\r
1038 el.style.left = point.x + 'px';
\r
1039 el.style.top = point.y + 'px';
\r
1043 getPosition: function (el) {
\r
1044 // this method is only used for elements previously positioned using setPosition,
\r
1045 // so it's safe to cache the position for performance
\r
1047 // jshint camelcase: false
\r
1048 return el._leaflet_pos;
\r
1053 // prefix style property names
\r
1055 L.DomUtil.TRANSFORM = L.DomUtil.testProp(
\r
1056 ['transform', 'WebkitTransform', 'OTransform', 'MozTransform', 'msTransform']);
\r
1058 // webkitTransition comes first because some browser versions that drop vendor prefix don't do
\r
1059 // the same for the transitionend event, in particular the Android 4.1 stock browser
\r
1061 L.DomUtil.TRANSITION = L.DomUtil.testProp(
\r
1062 ['webkitTransition', 'transition', 'OTransition', 'MozTransition', 'msTransition']);
\r
1064 L.DomUtil.TRANSITION_END =
\r
1065 L.DomUtil.TRANSITION === 'webkitTransition' || L.DomUtil.TRANSITION === 'OTransition' ?
\r
1066 L.DomUtil.TRANSITION + 'End' : 'transitionend';
\r
1069 if ('onselectstart' in document) {
\r
1070 L.extend(L.DomUtil, {
\r
1071 disableTextSelection: function () {
\r
1072 L.DomEvent.on(window, 'selectstart', L.DomEvent.preventDefault);
\r
1075 enableTextSelection: function () {
\r
1076 L.DomEvent.off(window, 'selectstart', L.DomEvent.preventDefault);
\r
1080 var userSelectProperty = L.DomUtil.testProp(
\r
1081 ['userSelect', 'WebkitUserSelect', 'OUserSelect', 'MozUserSelect', 'msUserSelect']);
\r
1083 L.extend(L.DomUtil, {
\r
1084 disableTextSelection: function () {
\r
1085 if (userSelectProperty) {
\r
1086 var style = document.documentElement.style;
\r
1087 this._userSelect = style[userSelectProperty];
\r
1088 style[userSelectProperty] = 'none';
\r
1092 enableTextSelection: function () {
\r
1093 if (userSelectProperty) {
\r
1094 document.documentElement.style[userSelectProperty] = this._userSelect;
\r
1095 delete this._userSelect;
\r
1101 L.extend(L.DomUtil, {
\r
1102 disableImageDrag: function () {
\r
1103 L.DomEvent.on(window, 'dragstart', L.DomEvent.preventDefault);
\r
1106 enableImageDrag: function () {
\r
1107 L.DomEvent.off(window, 'dragstart', L.DomEvent.preventDefault);
\r
1114 * L.LatLng represents a geographical point with latitude and longitude coordinates.
\r
1117 L.LatLng = function (lat, lng, alt) { // (Number, Number, Number)
\r
1118 lat = parseFloat(lat);
\r
1119 lng = parseFloat(lng);
\r
1121 if (isNaN(lat) || isNaN(lng)) {
\r
1122 throw new Error('Invalid LatLng object: (' + lat + ', ' + lng + ')');
\r
1128 if (alt !== undefined) {
\r
1129 this.alt = parseFloat(alt);
\r
1133 L.extend(L.LatLng, {
\r
1134 DEG_TO_RAD: Math.PI / 180,
\r
1135 RAD_TO_DEG: 180 / Math.PI,
\r
1136 MAX_MARGIN: 1.0E-9 // max margin of error for the "equals" check
\r
1139 L.LatLng.prototype = {
\r
1140 equals: function (obj) { // (LatLng) -> Boolean
\r
1141 if (!obj) { return false; }
\r
1143 obj = L.latLng(obj);
\r
1145 var margin = Math.max(
\r
1146 Math.abs(this.lat - obj.lat),
\r
1147 Math.abs(this.lng - obj.lng));
\r
1149 return margin <= L.LatLng.MAX_MARGIN;
\r
1152 toString: function (precision) { // (Number) -> String
\r
1153 return 'LatLng(' +
\r
1154 L.Util.formatNum(this.lat, precision) + ', ' +
\r
1155 L.Util.formatNum(this.lng, precision) + ')';
\r
1158 // Haversine distance formula, see http://en.wikipedia.org/wiki/Haversine_formula
\r
1159 // TODO move to projection code, LatLng shouldn't know about Earth
\r
1160 distanceTo: function (other) { // (LatLng) -> Number
\r
1161 other = L.latLng(other);
\r
1163 var R = 6378137, // earth radius in meters
\r
1164 d2r = L.LatLng.DEG_TO_RAD,
\r
1165 dLat = (other.lat - this.lat) * d2r,
\r
1166 dLon = (other.lng - this.lng) * d2r,
\r
1167 lat1 = this.lat * d2r,
\r
1168 lat2 = other.lat * d2r,
\r
1169 sin1 = Math.sin(dLat / 2),
\r
1170 sin2 = Math.sin(dLon / 2);
\r
1172 var a = sin1 * sin1 + sin2 * sin2 * Math.cos(lat1) * Math.cos(lat2);
\r
1174 return R * 2 * Math.atan2(Math.sqrt(a), Math.sqrt(1 - a));
\r
1177 wrap: function (a, b) { // (Number, Number) -> LatLng
\r
1178 var lng = this.lng;
\r
1183 lng = (lng + b) % (b - a) + (lng < a || lng === b ? b : a);
\r
1185 return new L.LatLng(this.lat, lng);
\r
1189 L.latLng = function (a, b) { // (LatLng) or ([Number, Number]) or (Number, Number)
\r
1190 if (a instanceof L.LatLng) {
\r
1193 if (L.Util.isArray(a)) {
\r
1194 if (typeof a[0] === 'number' || typeof a[0] === 'string') {
\r
1195 return new L.LatLng(a[0], a[1], a[2]);
\r
1200 if (a === undefined || a === null) {
\r
1203 if (typeof a === 'object' && 'lat' in a) {
\r
1204 return new L.LatLng(a.lat, 'lng' in a ? a.lng : a.lon);
\r
1206 if (b === undefined) {
\r
1209 return new L.LatLng(a, b);
\r
1215 * L.LatLngBounds represents a rectangular area on the map in geographical coordinates.
\r
1218 L.LatLngBounds = function (southWest, northEast) { // (LatLng, LatLng) or (LatLng[])
\r
1219 if (!southWest) { return; }
\r
1221 var latlngs = northEast ? [southWest, northEast] : southWest;
\r
1223 for (var i = 0, len = latlngs.length; i < len; i++) {
\r
1224 this.extend(latlngs[i]);
\r
1228 L.LatLngBounds.prototype = {
\r
1229 // extend the bounds to contain the given point or bounds
\r
1230 extend: function (obj) { // (LatLng) or (LatLngBounds)
\r
1231 if (!obj) { return this; }
\r
1233 var latLng = L.latLng(obj);
\r
1234 if (latLng !== null) {
\r
1237 obj = L.latLngBounds(obj);
\r
1240 if (obj instanceof L.LatLng) {
\r
1241 if (!this._southWest && !this._northEast) {
\r
1242 this._southWest = new L.LatLng(obj.lat, obj.lng);
\r
1243 this._northEast = new L.LatLng(obj.lat, obj.lng);
\r
1245 this._southWest.lat = Math.min(obj.lat, this._southWest.lat);
\r
1246 this._southWest.lng = Math.min(obj.lng, this._southWest.lng);
\r
1248 this._northEast.lat = Math.max(obj.lat, this._northEast.lat);
\r
1249 this._northEast.lng = Math.max(obj.lng, this._northEast.lng);
\r
1251 } else if (obj instanceof L.LatLngBounds) {
\r
1252 this.extend(obj._southWest);
\r
1253 this.extend(obj._northEast);
\r
1258 // extend the bounds by a percentage
\r
1259 pad: function (bufferRatio) { // (Number) -> LatLngBounds
\r
1260 var sw = this._southWest,
\r
1261 ne = this._northEast,
\r
1262 heightBuffer = Math.abs(sw.lat - ne.lat) * bufferRatio,
\r
1263 widthBuffer = Math.abs(sw.lng - ne.lng) * bufferRatio;
\r
1265 return new L.LatLngBounds(
\r
1266 new L.LatLng(sw.lat - heightBuffer, sw.lng - widthBuffer),
\r
1267 new L.LatLng(ne.lat + heightBuffer, ne.lng + widthBuffer));
\r
1270 getCenter: function () { // -> LatLng
\r
1271 return new L.LatLng(
\r
1272 (this._southWest.lat + this._northEast.lat) / 2,
\r
1273 (this._southWest.lng + this._northEast.lng) / 2);
\r
1276 getSouthWest: function () {
\r
1277 return this._southWest;
\r
1280 getNorthEast: function () {
\r
1281 return this._northEast;
\r
1284 getNorthWest: function () {
\r
1285 return new L.LatLng(this.getNorth(), this.getWest());
\r
1288 getSouthEast: function () {
\r
1289 return new L.LatLng(this.getSouth(), this.getEast());
\r
1292 getWest: function () {
\r
1293 return this._southWest.lng;
\r
1296 getSouth: function () {
\r
1297 return this._southWest.lat;
\r
1300 getEast: function () {
\r
1301 return this._northEast.lng;
\r
1304 getNorth: function () {
\r
1305 return this._northEast.lat;
\r
1308 contains: function (obj) { // (LatLngBounds) or (LatLng) -> Boolean
\r
1309 if (typeof obj[0] === 'number' || obj instanceof L.LatLng) {
\r
1310 obj = L.latLng(obj);
\r
1312 obj = L.latLngBounds(obj);
\r
1315 var sw = this._southWest,
\r
1316 ne = this._northEast,
\r
1319 if (obj instanceof L.LatLngBounds) {
\r
1320 sw2 = obj.getSouthWest();
\r
1321 ne2 = obj.getNorthEast();
\r
1326 return (sw2.lat >= sw.lat) && (ne2.lat <= ne.lat) &&
\r
1327 (sw2.lng >= sw.lng) && (ne2.lng <= ne.lng);
\r
1330 intersects: function (bounds) { // (LatLngBounds)
\r
1331 bounds = L.latLngBounds(bounds);
\r
1333 var sw = this._southWest,
\r
1334 ne = this._northEast,
\r
1335 sw2 = bounds.getSouthWest(),
\r
1336 ne2 = bounds.getNorthEast(),
\r
1338 latIntersects = (ne2.lat >= sw.lat) && (sw2.lat <= ne.lat),
\r
1339 lngIntersects = (ne2.lng >= sw.lng) && (sw2.lng <= ne.lng);
\r
1341 return latIntersects && lngIntersects;
\r
1344 toBBoxString: function () {
\r
1345 return [this.getWest(), this.getSouth(), this.getEast(), this.getNorth()].join(',');
\r
1348 equals: function (bounds) { // (LatLngBounds)
\r
1349 if (!bounds) { return false; }
\r
1351 bounds = L.latLngBounds(bounds);
\r
1353 return this._southWest.equals(bounds.getSouthWest()) &&
\r
1354 this._northEast.equals(bounds.getNorthEast());
\r
1357 isValid: function () {
\r
1358 return !!(this._southWest && this._northEast);
\r
1362 //TODO International date line?
\r
1364 L.latLngBounds = function (a, b) { // (LatLngBounds) or (LatLng, LatLng)
\r
1365 if (!a || a instanceof L.LatLngBounds) {
\r
1368 return new L.LatLngBounds(a, b);
\r
1373 * L.Projection contains various geographical projections used by CRS classes.
\r
1376 L.Projection = {};
\r
1380 * Spherical Mercator is the most popular map projection, used by EPSG:3857 CRS used by default.
\r
1383 L.Projection.SphericalMercator = {
\r
1384 MAX_LATITUDE: 85.0511287798,
\r
1386 project: function (latlng) { // (LatLng) -> Point
\r
1387 var d = L.LatLng.DEG_TO_RAD,
\r
1388 max = this.MAX_LATITUDE,
\r
1389 lat = Math.max(Math.min(max, latlng.lat), -max),
\r
1390 x = latlng.lng * d,
\r
1393 y = Math.log(Math.tan((Math.PI / 4) + (y / 2)));
\r
1395 return new L.Point(x, y);
\r
1398 unproject: function (point) { // (Point, Boolean) -> LatLng
\r
1399 var d = L.LatLng.RAD_TO_DEG,
\r
1400 lng = point.x * d,
\r
1401 lat = (2 * Math.atan(Math.exp(point.y)) - (Math.PI / 2)) * d;
\r
1403 return new L.LatLng(lat, lng);
\r
1409 * Simple equirectangular (Plate Carree) projection, used by CRS like EPSG:4326 and Simple.
\r
1412 L.Projection.LonLat = {
\r
1413 project: function (latlng) {
\r
1414 return new L.Point(latlng.lng, latlng.lat);
\r
1417 unproject: function (point) {
\r
1418 return new L.LatLng(point.y, point.x);
\r
1424 * L.CRS is a base object for all defined CRS (Coordinate Reference Systems) in Leaflet.
\r
1428 latLngToPoint: function (latlng, zoom) { // (LatLng, Number) -> Point
\r
1429 var projectedPoint = this.projection.project(latlng),
\r
1430 scale = this.scale(zoom);
\r
1432 return this.transformation._transform(projectedPoint, scale);
\r
1435 pointToLatLng: function (point, zoom) { // (Point, Number[, Boolean]) -> LatLng
\r
1436 var scale = this.scale(zoom),
\r
1437 untransformedPoint = this.transformation.untransform(point, scale);
\r
1439 return this.projection.unproject(untransformedPoint);
\r
1442 project: function (latlng) {
\r
1443 return this.projection.project(latlng);
\r
1446 scale: function (zoom) {
\r
1447 return 256 * Math.pow(2, zoom);
\r
1450 getSize: function (zoom) {
\r
1451 var s = this.scale(zoom);
\r
1452 return L.point(s, s);
\r
1458 * A simple CRS that can be used for flat non-Earth maps like panoramas or game maps.
1461 L.CRS.Simple = L.extend({}, L.CRS, {
1462 projection: L.Projection.LonLat,
1463 transformation: new L.Transformation(1, 0, -1, 0),
1465 scale: function (zoom) {
1466 return Math.pow(2, zoom);
1472 * L.CRS.EPSG3857 (Spherical Mercator) is the most common CRS for web mapping
\r
1473 * and is used by Leaflet by default.
\r
1476 L.CRS.EPSG3857 = L.extend({}, L.CRS, {
\r
1477 code: 'EPSG:3857',
\r
1479 projection: L.Projection.SphericalMercator,
\r
1480 transformation: new L.Transformation(0.5 / Math.PI, 0.5, -0.5 / Math.PI, 0.5),
\r
1482 project: function (latlng) { // (LatLng) -> Point
\r
1483 var projectedPoint = this.projection.project(latlng),
\r
1484 earthRadius = 6378137;
\r
1485 return projectedPoint.multiplyBy(earthRadius);
\r
1489 L.CRS.EPSG900913 = L.extend({}, L.CRS.EPSG3857, {
\r
1490 code: 'EPSG:900913'
\r
1495 * L.CRS.EPSG4326 is a CRS popular among advanced GIS specialists.
\r
1498 L.CRS.EPSG4326 = L.extend({}, L.CRS, {
\r
1499 code: 'EPSG:4326',
\r
1501 projection: L.Projection.LonLat,
\r
1502 transformation: new L.Transformation(1 / 360, 0.5, -1 / 360, 0.5)
\r
1507 * L.Map is the central class of the API - it is used to create a map.
\r
1510 L.Map = L.Class.extend({
\r
1512 includes: L.Mixin.Events,
\r
1515 crs: L.CRS.EPSG3857,
\r
1523 fadeAnimation: L.DomUtil.TRANSITION && !L.Browser.android23,
\r
1524 trackResize: true,
\r
1525 markerZoomAnimation: L.DomUtil.TRANSITION && L.Browser.any3d
\r
1528 initialize: function (id, options) { // (HTMLElement or String, Object)
\r
1529 options = L.setOptions(this, options);
\r
1532 this._initContainer(id);
\r
1533 this._initLayout();
\r
1535 // hack for https://github.com/Leaflet/Leaflet/issues/1980
\r
1536 this._onResize = L.bind(this._onResize, this);
\r
1538 this._initEvents();
\r
1540 if (options.maxBounds) {
\r
1541 this.setMaxBounds(options.maxBounds);
\r
1544 if (options.center && options.zoom !== undefined) {
\r
1545 this.setView(L.latLng(options.center), options.zoom, {reset: true});
\r
1548 this._handlers = [];
\r
1550 this._layers = {};
\r
1551 this._zoomBoundLayers = {};
\r
1552 this._tileLayersNum = 0;
\r
1554 this.callInitHooks();
\r
1556 this._addLayers(options.layers);
\r
1560 // public methods that modify map state
\r
1562 // replaced by animation-powered implementation in Map.PanAnimation.js
\r
1563 setView: function (center, zoom) {
\r
1564 zoom = zoom === undefined ? this.getZoom() : zoom;
\r
1565 this._resetView(L.latLng(center), this._limitZoom(zoom));
\r
1569 setZoom: function (zoom, options) {
\r
1570 if (!this._loaded) {
\r
1571 this._zoom = this._limitZoom(zoom);
\r
1574 return this.setView(this.getCenter(), zoom, {zoom: options});
\r
1577 zoomIn: function (delta, options) {
\r
1578 return this.setZoom(this._zoom + (delta || 1), options);
\r
1581 zoomOut: function (delta, options) {
\r
1582 return this.setZoom(this._zoom - (delta || 1), options);
\r
1585 setZoomAround: function (latlng, zoom, options) {
\r
1586 var scale = this.getZoomScale(zoom),
\r
1587 viewHalf = this.getSize().divideBy(2),
\r
1588 containerPoint = latlng instanceof L.Point ? latlng : this.latLngToContainerPoint(latlng),
\r
1590 centerOffset = containerPoint.subtract(viewHalf).multiplyBy(1 - 1 / scale),
\r
1591 newCenter = this.containerPointToLatLng(viewHalf.add(centerOffset));
\r
1593 return this.setView(newCenter, zoom, {zoom: options});
\r
1596 fitBounds: function (bounds, options) {
\r
1598 options = options || {};
\r
1599 bounds = bounds.getBounds ? bounds.getBounds() : L.latLngBounds(bounds);
\r
1601 var paddingTL = L.point(options.paddingTopLeft || options.padding || [0, 0]),
\r
1602 paddingBR = L.point(options.paddingBottomRight || options.padding || [0, 0]),
\r
1604 zoom = this.getBoundsZoom(bounds, false, paddingTL.add(paddingBR));
\r
1606 zoom = (options.maxZoom) ? Math.min(options.maxZoom, zoom) : zoom;
\r
1608 var paddingOffset = paddingBR.subtract(paddingTL).divideBy(2),
\r
1610 swPoint = this.project(bounds.getSouthWest(), zoom),
\r
1611 nePoint = this.project(bounds.getNorthEast(), zoom),
\r
1612 center = this.unproject(swPoint.add(nePoint).divideBy(2).add(paddingOffset), zoom);
\r
1614 return this.setView(center, zoom, options);
\r
1617 fitWorld: function (options) {
\r
1618 return this.fitBounds([[-90, -180], [90, 180]], options);
\r
1621 panTo: function (center, options) { // (LatLng)
\r
1622 return this.setView(center, this._zoom, {pan: options});
\r
1625 panBy: function (offset) { // (Point)
\r
1626 // replaced with animated panBy in Map.PanAnimation.js
\r
1627 this.fire('movestart');
\r
1629 this._rawPanBy(L.point(offset));
\r
1631 this.fire('move');
\r
1632 return this.fire('moveend');
\r
1635 setMaxBounds: function (bounds) {
\r
1636 bounds = L.latLngBounds(bounds);
\r
1638 this.options.maxBounds = bounds;
\r
1641 return this.off('moveend', this._panInsideMaxBounds, this);
\r
1644 if (this._loaded) {
\r
1645 this._panInsideMaxBounds();
\r
1648 return this.on('moveend', this._panInsideMaxBounds, this);
\r
1651 panInsideBounds: function (bounds, options) {
\r
1652 var center = this.getCenter(),
\r
1653 newCenter = this._limitCenter(center, this._zoom, bounds);
\r
1655 if (center.equals(newCenter)) { return this; }
\r
1657 return this.panTo(newCenter, options);
\r
1660 addLayer: function (layer) {
\r
1661 // TODO method is too big, refactor
\r
1663 var id = L.stamp(layer);
\r
1665 if (this._layers[id]) { return this; }
\r
1667 this._layers[id] = layer;
\r
1669 // TODO getMaxZoom, getMinZoom in ILayer (instead of options)
\r
1670 if (layer.options && (!isNaN(layer.options.maxZoom) || !isNaN(layer.options.minZoom))) {
\r
1671 this._zoomBoundLayers[id] = layer;
\r
1672 this._updateZoomLevels();
\r
1675 // TODO looks ugly, refactor!!!
\r
1676 if (this.options.zoomAnimation && L.TileLayer && (layer instanceof L.TileLayer)) {
\r
1677 this._tileLayersNum++;
\r
1678 this._tileLayersToLoad++;
\r
1679 layer.on('load', this._onTileLayerLoad, this);
\r
1682 if (this._loaded) {
\r
1683 this._layerAdd(layer);
\r
1689 removeLayer: function (layer) {
\r
1690 var id = L.stamp(layer);
\r
1692 if (!this._layers[id]) { return this; }
\r
1694 if (this._loaded) {
\r
1695 layer.onRemove(this);
\r
1698 delete this._layers[id];
\r
1700 if (this._loaded) {
\r
1701 this.fire('layerremove', {layer: layer});
\r
1704 if (this._zoomBoundLayers[id]) {
\r
1705 delete this._zoomBoundLayers[id];
\r
1706 this._updateZoomLevels();
\r
1709 // TODO looks ugly, refactor
\r
1710 if (this.options.zoomAnimation && L.TileLayer && (layer instanceof L.TileLayer)) {
\r
1711 this._tileLayersNum--;
\r
1712 this._tileLayersToLoad--;
\r
1713 layer.off('load', this._onTileLayerLoad, this);
\r
1719 hasLayer: function (layer) {
\r
1720 if (!layer) { return false; }
\r
1722 return (L.stamp(layer) in this._layers);
\r
1725 eachLayer: function (method, context) {
\r
1726 for (var i in this._layers) {
\r
1727 method.call(context, this._layers[i]);
\r
1732 invalidateSize: function (options) {
\r
1733 if (!this._loaded) { return this; }
\r
1735 options = L.extend({
\r
1738 }, options === true ? {animate: true} : options);
\r
1740 var oldSize = this.getSize();
\r
1741 this._sizeChanged = true;
\r
1742 this._initialCenter = null;
\r
1744 var newSize = this.getSize(),
\r
1745 oldCenter = oldSize.divideBy(2).round(),
\r
1746 newCenter = newSize.divideBy(2).round(),
\r
1747 offset = oldCenter.subtract(newCenter);
\r
1749 if (!offset.x && !offset.y) { return this; }
\r
1751 if (options.animate && options.pan) {
\r
1752 this.panBy(offset);
\r
1755 if (options.pan) {
\r
1756 this._rawPanBy(offset);
\r
1759 this.fire('move');
\r
1761 if (options.debounceMoveend) {
\r
1762 clearTimeout(this._sizeTimer);
\r
1763 this._sizeTimer = setTimeout(L.bind(this.fire, this, 'moveend'), 200);
\r
1765 this.fire('moveend');
\r
1769 return this.fire('resize', {
\r
1775 // TODO handler.addTo
\r
1776 addHandler: function (name, HandlerClass) {
\r
1777 if (!HandlerClass) { return this; }
\r
1779 var handler = this[name] = new HandlerClass(this);
\r
1781 this._handlers.push(handler);
\r
1783 if (this.options[name]) {
\r
1790 remove: function () {
\r
1791 if (this._loaded) {
\r
1792 this.fire('unload');
\r
1795 this._initEvents('off');
\r
1798 // throws error in IE6-8
\r
1799 delete this._container._leaflet;
\r
1801 this._container._leaflet = undefined;
\r
1804 this._clearPanes();
\r
1805 if (this._clearControlPos) {
\r
1806 this._clearControlPos();
\r
1809 this._clearHandlers();
\r
1815 // public methods for getting map state
\r
1817 getCenter: function () { // (Boolean) -> LatLng
\r
1818 this._checkIfLoaded();
\r
1820 if (this._initialCenter && !this._moved()) {
\r
1821 return this._initialCenter;
\r
1823 return this.layerPointToLatLng(this._getCenterLayerPoint());
\r
1826 getZoom: function () {
\r
1827 return this._zoom;
\r
1830 getBounds: function () {
\r
1831 var bounds = this.getPixelBounds(),
\r
1832 sw = this.unproject(bounds.getBottomLeft()),
\r
1833 ne = this.unproject(bounds.getTopRight());
\r
1835 return new L.LatLngBounds(sw, ne);
\r
1838 getMinZoom: function () {
\r
1839 return this.options.minZoom === undefined ?
\r
1840 (this._layersMinZoom === undefined ? 0 : this._layersMinZoom) :
\r
1841 this.options.minZoom;
\r
1844 getMaxZoom: function () {
\r
1845 return this.options.maxZoom === undefined ?
\r
1846 (this._layersMaxZoom === undefined ? Infinity : this._layersMaxZoom) :
\r
1847 this.options.maxZoom;
\r
1850 getBoundsZoom: function (bounds, inside, padding) { // (LatLngBounds[, Boolean, Point]) -> Number
\r
1851 bounds = L.latLngBounds(bounds);
\r
1853 var zoom = this.getMinZoom() - (inside ? 1 : 0),
\r
1854 maxZoom = this.getMaxZoom(),
\r
1855 size = this.getSize(),
\r
1857 nw = bounds.getNorthWest(),
\r
1858 se = bounds.getSouthEast(),
\r
1860 zoomNotFound = true,
\r
1863 padding = L.point(padding || [0, 0]);
\r
1867 boundsSize = this.project(se, zoom).subtract(this.project(nw, zoom)).add(padding);
\r
1868 zoomNotFound = !inside ? size.contains(boundsSize) : boundsSize.x < size.x || boundsSize.y < size.y;
\r
1870 } while (zoomNotFound && zoom <= maxZoom);
\r
1872 if (zoomNotFound && inside) {
\r
1876 return inside ? zoom : zoom - 1;
\r
1879 getSize: function () {
\r
1880 if (!this._size || this._sizeChanged) {
\r
1881 this._size = new L.Point(
\r
1882 this._container.clientWidth,
\r
1883 this._container.clientHeight);
\r
1885 this._sizeChanged = false;
\r
1887 return this._size.clone();
\r
1890 getPixelBounds: function () {
\r
1891 var topLeftPoint = this._getTopLeftPoint();
\r
1892 return new L.Bounds(topLeftPoint, topLeftPoint.add(this.getSize()));
\r
1895 getPixelOrigin: function () {
\r
1896 this._checkIfLoaded();
\r
1897 return this._initialTopLeftPoint;
\r
1900 getPanes: function () {
\r
1901 return this._panes;
\r
1904 getContainer: function () {
\r
1905 return this._container;
\r
1909 // TODO replace with universal implementation after refactoring projections
\r
1911 getZoomScale: function (toZoom) {
\r
1912 var crs = this.options.crs;
\r
1913 return crs.scale(toZoom) / crs.scale(this._zoom);
\r
1916 getScaleZoom: function (scale) {
\r
1917 return this._zoom + (Math.log(scale) / Math.LN2);
\r
1921 // conversion methods
\r
1923 project: function (latlng, zoom) { // (LatLng[, Number]) -> Point
\r
1924 zoom = zoom === undefined ? this._zoom : zoom;
\r
1925 return this.options.crs.latLngToPoint(L.latLng(latlng), zoom);
\r
1928 unproject: function (point, zoom) { // (Point[, Number]) -> LatLng
\r
1929 zoom = zoom === undefined ? this._zoom : zoom;
\r
1930 return this.options.crs.pointToLatLng(L.point(point), zoom);
\r
1933 layerPointToLatLng: function (point) { // (Point)
\r
1934 var projectedPoint = L.point(point).add(this.getPixelOrigin());
\r
1935 return this.unproject(projectedPoint);
\r
1938 latLngToLayerPoint: function (latlng) { // (LatLng)
\r
1939 var projectedPoint = this.project(L.latLng(latlng))._round();
\r
1940 return projectedPoint._subtract(this.getPixelOrigin());
\r
1943 containerPointToLayerPoint: function (point) { // (Point)
\r
1944 return L.point(point).subtract(this._getMapPanePos());
\r
1947 layerPointToContainerPoint: function (point) { // (Point)
\r
1948 return L.point(point).add(this._getMapPanePos());
\r
1951 containerPointToLatLng: function (point) {
\r
1952 var layerPoint = this.containerPointToLayerPoint(L.point(point));
\r
1953 return this.layerPointToLatLng(layerPoint);
\r
1956 latLngToContainerPoint: function (latlng) {
\r
1957 return this.layerPointToContainerPoint(this.latLngToLayerPoint(L.latLng(latlng)));
\r
1960 mouseEventToContainerPoint: function (e) { // (MouseEvent)
\r
1961 return L.DomEvent.getMousePosition(e, this._container);
\r
1964 mouseEventToLayerPoint: function (e) { // (MouseEvent)
\r
1965 return this.containerPointToLayerPoint(this.mouseEventToContainerPoint(e));
\r
1968 mouseEventToLatLng: function (e) { // (MouseEvent)
\r
1969 return this.layerPointToLatLng(this.mouseEventToLayerPoint(e));
\r
1973 // map initialization methods
\r
1975 _initContainer: function (id) {
\r
1976 var container = this._container = L.DomUtil.get(id);
\r
1979 throw new Error('Map container not found.');
\r
1980 } else if (container._leaflet) {
\r
1981 throw new Error('Map container is already initialized.');
\r
1984 container._leaflet = true;
\r
1987 _initLayout: function () {
\r
1988 var container = this._container;
\r
1990 L.DomUtil.addClass(container, 'leaflet-container' +
\r
1991 (L.Browser.touch ? ' leaflet-touch' : '') +
\r
1992 (L.Browser.retina ? ' leaflet-retina' : '') +
\r
1993 (L.Browser.ielt9 ? ' leaflet-oldie' : '') +
\r
1994 (this.options.fadeAnimation ? ' leaflet-fade-anim' : ''));
\r
1996 var position = L.DomUtil.getStyle(container, 'position');
\r
1998 if (position !== 'absolute' && position !== 'relative' && position !== 'fixed') {
\r
1999 container.style.position = 'relative';
\r
2002 this._initPanes();
\r
2004 if (this._initControlPos) {
\r
2005 this._initControlPos();
\r
2009 _initPanes: function () {
\r
2010 var panes = this._panes = {};
\r
2012 this._mapPane = panes.mapPane = this._createPane('leaflet-map-pane', this._container);
\r
2014 this._tilePane = panes.tilePane = this._createPane('leaflet-tile-pane', this._mapPane);
\r
2015 panes.objectsPane = this._createPane('leaflet-objects-pane', this._mapPane);
\r
2016 panes.shadowPane = this._createPane('leaflet-shadow-pane');
\r
2017 panes.overlayPane = this._createPane('leaflet-overlay-pane');
\r
2018 panes.markerPane = this._createPane('leaflet-marker-pane');
\r
2019 panes.popupPane = this._createPane('leaflet-popup-pane');
\r
2021 var zoomHide = ' leaflet-zoom-hide';
\r
2023 if (!this.options.markerZoomAnimation) {
\r
2024 L.DomUtil.addClass(panes.markerPane, zoomHide);
\r
2025 L.DomUtil.addClass(panes.shadowPane, zoomHide);
\r
2026 L.DomUtil.addClass(panes.popupPane, zoomHide);
\r
2030 _createPane: function (className, container) {
\r
2031 return L.DomUtil.create('div', className, container || this._panes.objectsPane);
\r
2034 _clearPanes: function () {
\r
2035 this._container.removeChild(this._mapPane);
\r
2038 _addLayers: function (layers) {
\r
2039 layers = layers ? (L.Util.isArray(layers) ? layers : [layers]) : [];
\r
2041 for (var i = 0, len = layers.length; i < len; i++) {
\r
2042 this.addLayer(layers[i]);
\r
2047 // private methods that modify map state
\r
2049 _resetView: function (center, zoom, preserveMapOffset, afterZoomAnim) {
\r
2051 var zoomChanged = (this._zoom !== zoom);
\r
2053 if (!afterZoomAnim) {
\r
2054 this.fire('movestart');
\r
2056 if (zoomChanged) {
\r
2057 this.fire('zoomstart');
\r
2061 this._zoom = zoom;
\r
2062 this._initialCenter = center;
\r
2064 this._initialTopLeftPoint = this._getNewTopLeftPoint(center);
\r
2066 if (!preserveMapOffset) {
\r
2067 L.DomUtil.setPosition(this._mapPane, new L.Point(0, 0));
\r
2069 this._initialTopLeftPoint._add(this._getMapPanePos());
\r
2072 this._tileLayersToLoad = this._tileLayersNum;
\r
2074 var loading = !this._loaded;
\r
2075 this._loaded = true;
\r
2077 this.fire('viewreset', {hard: !preserveMapOffset});
\r
2080 this.fire('load');
\r
2081 this.eachLayer(this._layerAdd, this);
\r
2084 this.fire('move');
\r
2086 if (zoomChanged || afterZoomAnim) {
\r
2087 this.fire('zoomend');
\r
2090 this.fire('moveend', {hard: !preserveMapOffset});
\r
2093 _rawPanBy: function (offset) {
\r
2094 L.DomUtil.setPosition(this._mapPane, this._getMapPanePos().subtract(offset));
\r
2097 _getZoomSpan: function () {
\r
2098 return this.getMaxZoom() - this.getMinZoom();
\r
2101 _updateZoomLevels: function () {
\r
2103 minZoom = Infinity,
\r
2104 maxZoom = -Infinity,
\r
2105 oldZoomSpan = this._getZoomSpan();
\r
2107 for (i in this._zoomBoundLayers) {
\r
2108 var layer = this._zoomBoundLayers[i];
\r
2109 if (!isNaN(layer.options.minZoom)) {
\r
2110 minZoom = Math.min(minZoom, layer.options.minZoom);
\r
2112 if (!isNaN(layer.options.maxZoom)) {
\r
2113 maxZoom = Math.max(maxZoom, layer.options.maxZoom);
\r
2117 if (i === undefined) { // we have no tilelayers
\r
2118 this._layersMaxZoom = this._layersMinZoom = undefined;
\r
2120 this._layersMaxZoom = maxZoom;
\r
2121 this._layersMinZoom = minZoom;
\r
2124 if (oldZoomSpan !== this._getZoomSpan()) {
\r
2125 this.fire('zoomlevelschange');
\r
2129 _panInsideMaxBounds: function () {
\r
2130 this.panInsideBounds(this.options.maxBounds);
\r
2133 _checkIfLoaded: function () {
\r
2134 if (!this._loaded) {
\r
2135 throw new Error('Set map center and zoom first.');
\r
2141 _initEvents: function (onOff) {
\r
2142 if (!L.DomEvent) { return; }
\r
2144 onOff = onOff || 'on';
\r
2146 L.DomEvent[onOff](this._container, 'click', this._onMouseClick, this);
\r
2148 var events = ['dblclick', 'mousedown', 'mouseup', 'mouseenter',
\r
2149 'mouseleave', 'mousemove', 'contextmenu'],
\r
2152 for (i = 0, len = events.length; i < len; i++) {
\r
2153 L.DomEvent[onOff](this._container, events[i], this._fireMouseEvent, this);
\r
2156 if (this.options.trackResize) {
\r
2157 L.DomEvent[onOff](window, 'resize', this._onResize, this);
\r
2161 _onResize: function () {
\r
2162 L.Util.cancelAnimFrame(this._resizeRequest);
\r
2163 this._resizeRequest = L.Util.requestAnimFrame(
\r
2164 function () { this.invalidateSize({debounceMoveend: true}); }, this, false, this._container);
\r
2167 _onMouseClick: function (e) {
\r
2168 if (!this._loaded || (!e._simulated &&
\r
2169 ((this.dragging && this.dragging.moved()) ||
\r
2170 (this.boxZoom && this.boxZoom.moved()))) ||
\r
2171 L.DomEvent._skipped(e)) { return; }
\r
2173 this.fire('preclick');
\r
2174 this._fireMouseEvent(e);
\r
2177 _fireMouseEvent: function (e) {
\r
2178 if (!this._loaded || L.DomEvent._skipped(e)) { return; }
\r
2180 var type = e.type;
\r
2182 type = (type === 'mouseenter' ? 'mouseover' : (type === 'mouseleave' ? 'mouseout' : type));
\r
2184 if (!this.hasEventListeners(type)) { return; }
\r
2186 if (type === 'contextmenu') {
\r
2187 L.DomEvent.preventDefault(e);
\r
2190 var containerPoint = this.mouseEventToContainerPoint(e),
\r
2191 layerPoint = this.containerPointToLayerPoint(containerPoint),
\r
2192 latlng = this.layerPointToLatLng(layerPoint);
\r
2196 layerPoint: layerPoint,
\r
2197 containerPoint: containerPoint,
\r
2202 _onTileLayerLoad: function () {
\r
2203 this._tileLayersToLoad--;
\r
2204 if (this._tileLayersNum && !this._tileLayersToLoad) {
\r
2205 this.fire('tilelayersload');
\r
2209 _clearHandlers: function () {
\r
2210 for (var i = 0, len = this._handlers.length; i < len; i++) {
\r
2211 this._handlers[i].disable();
\r
2215 whenReady: function (callback, context) {
\r
2216 if (this._loaded) {
\r
2217 callback.call(context || this, this);
\r
2219 this.on('load', callback, context);
\r
2224 _layerAdd: function (layer) {
\r
2225 layer.onAdd(this);
\r
2226 this.fire('layeradd', {layer: layer});
\r
2230 // private methods for getting map state
\r
2232 _getMapPanePos: function () {
\r
2233 return L.DomUtil.getPosition(this._mapPane);
\r
2236 _moved: function () {
\r
2237 var pos = this._getMapPanePos();
\r
2238 return pos && !pos.equals([0, 0]);
\r
2241 _getTopLeftPoint: function () {
\r
2242 return this.getPixelOrigin().subtract(this._getMapPanePos());
\r
2245 _getNewTopLeftPoint: function (center, zoom) {
\r
2246 var viewHalf = this.getSize()._divideBy(2);
\r
2247 // TODO round on display, not calculation to increase precision?
\r
2248 return this.project(center, zoom)._subtract(viewHalf)._round();
\r
2251 _latLngToNewLayerPoint: function (latlng, newZoom, newCenter) {
\r
2252 var topLeft = this._getNewTopLeftPoint(newCenter, newZoom).add(this._getMapPanePos());
\r
2253 return this.project(latlng, newZoom)._subtract(topLeft);
\r
2256 // layer point of the current center
\r
2257 _getCenterLayerPoint: function () {
\r
2258 return this.containerPointToLayerPoint(this.getSize()._divideBy(2));
\r
2261 // offset of the specified place to the current center in pixels
\r
2262 _getCenterOffset: function (latlng) {
\r
2263 return this.latLngToLayerPoint(latlng).subtract(this._getCenterLayerPoint());
\r
2266 // adjust center for view to get inside bounds
\r
2267 _limitCenter: function (center, zoom, bounds) {
\r
2269 if (!bounds) { return center; }
\r
2271 var centerPoint = this.project(center, zoom),
\r
2272 viewHalf = this.getSize().divideBy(2),
\r
2273 viewBounds = new L.Bounds(centerPoint.subtract(viewHalf), centerPoint.add(viewHalf)),
\r
2274 offset = this._getBoundsOffset(viewBounds, bounds, zoom);
\r
2276 return this.unproject(centerPoint.add(offset), zoom);
\r
2279 // adjust offset for view to get inside bounds
\r
2280 _limitOffset: function (offset, bounds) {
\r
2281 if (!bounds) { return offset; }
\r
2283 var viewBounds = this.getPixelBounds(),
\r
2284 newBounds = new L.Bounds(viewBounds.min.add(offset), viewBounds.max.add(offset));
\r
2286 return offset.add(this._getBoundsOffset(newBounds, bounds));
\r
2289 // returns offset needed for pxBounds to get inside maxBounds at a specified zoom
\r
2290 _getBoundsOffset: function (pxBounds, maxBounds, zoom) {
\r
2291 var nwOffset = this.project(maxBounds.getNorthWest(), zoom).subtract(pxBounds.min),
\r
2292 seOffset = this.project(maxBounds.getSouthEast(), zoom).subtract(pxBounds.max),
\r
2294 dx = this._rebound(nwOffset.x, -seOffset.x),
\r
2295 dy = this._rebound(nwOffset.y, -seOffset.y);
\r
2297 return new L.Point(dx, dy);
\r
2300 _rebound: function (left, right) {
\r
2301 return left + right > 0 ?
\r
2302 Math.round(left - right) / 2 :
\r
2303 Math.max(0, Math.ceil(left)) - Math.max(0, Math.floor(right));
\r
2306 _limitZoom: function (zoom) {
\r
2307 var min = this.getMinZoom(),
\r
2308 max = this.getMaxZoom();
\r
2310 return Math.max(min, Math.min(max, zoom));
\r
2314 L.map = function (id, options) {
\r
2315 return new L.Map(id, options);
\r
2320 * Mercator projection that takes into account that the Earth is not a perfect sphere.
\r
2321 * Less popular than spherical mercator; used by projections like EPSG:3395.
\r
2324 L.Projection.Mercator = {
\r
2325 MAX_LATITUDE: 85.0840591556,
\r
2327 R_MINOR: 6356752.314245179,
\r
2330 project: function (latlng) { // (LatLng) -> Point
\r
2331 var d = L.LatLng.DEG_TO_RAD,
\r
2332 max = this.MAX_LATITUDE,
\r
2333 lat = Math.max(Math.min(max, latlng.lat), -max),
\r
2335 r2 = this.R_MINOR,
\r
2336 x = latlng.lng * d * r,
\r
2339 eccent = Math.sqrt(1.0 - tmp * tmp),
\r
2340 con = eccent * Math.sin(y);
\r
2342 con = Math.pow((1 - con) / (1 + con), eccent * 0.5);
\r
2344 var ts = Math.tan(0.5 * ((Math.PI * 0.5) - y)) / con;
\r
2345 y = -r * Math.log(ts);
\r
2347 return new L.Point(x, y);
\r
2350 unproject: function (point) { // (Point, Boolean) -> LatLng
\r
2351 var d = L.LatLng.RAD_TO_DEG,
\r
2353 r2 = this.R_MINOR,
\r
2354 lng = point.x * d / r,
\r
2356 eccent = Math.sqrt(1 - (tmp * tmp)),
\r
2357 ts = Math.exp(- point.y / r),
\r
2358 phi = (Math.PI / 2) - 2 * Math.atan(ts),
\r
2365 while ((Math.abs(dphi) > tol) && (--i > 0)) {
\r
2366 con = eccent * Math.sin(phi);
\r
2367 dphi = (Math.PI / 2) - 2 * Math.atan(ts *
\r
2368 Math.pow((1.0 - con) / (1.0 + con), 0.5 * eccent)) - phi;
\r
2372 return new L.LatLng(phi * d, lng);
\r
2378 L.CRS.EPSG3395 = L.extend({}, L.CRS, {
\r
2379 code: 'EPSG:3395',
\r
2381 projection: L.Projection.Mercator,
\r
2383 transformation: (function () {
\r
2384 var m = L.Projection.Mercator,
\r
2386 scale = 0.5 / (Math.PI * r);
\r
2388 return new L.Transformation(scale, 0.5, -scale, 0.5);
\r
2394 * L.TileLayer is used for standard xyz-numbered tile layers.
\r
2397 L.TileLayer = L.Class.extend({
\r
2398 includes: L.Mixin.Events,
\r
2404 subdomains: 'abc',
\r
2410 maxNativeZoom: null,
\r
2413 continuousWorld: false,
\r
2415 zoomReverse: false,
\r
2416 detectRetina: false,
\r
2417 reuseTiles: false,
\r
2420 unloadInvisibleTiles: L.Browser.mobile,
\r
2421 updateWhenIdle: L.Browser.mobile
\r
2424 initialize: function (url, options) {
\r
2425 options = L.setOptions(this, options);
\r
2427 // detecting retina displays, adjusting tileSize and zoom levels
\r
2428 if (options.detectRetina && L.Browser.retina && options.maxZoom > 0) {
\r
2430 options.tileSize = Math.floor(options.tileSize / 2);
\r
2431 options.zoomOffset++;
\r
2433 if (options.minZoom > 0) {
\r
2434 options.minZoom--;
\r
2436 this.options.maxZoom--;
\r
2439 if (options.bounds) {
\r
2440 options.bounds = L.latLngBounds(options.bounds);
\r
2445 var subdomains = this.options.subdomains;
\r
2447 if (typeof subdomains === 'string') {
\r
2448 this.options.subdomains = subdomains.split('');
\r
2452 onAdd: function (map) {
\r
2454 this._animated = map._zoomAnimated;
\r
2456 // create a container div for tiles
\r
2457 this._initContainer();
\r
2461 'viewreset': this._reset,
\r
2462 'moveend': this._update
\r
2465 if (this._animated) {
\r
2467 'zoomanim': this._animateZoom,
\r
2468 'zoomend': this._endZoomAnim
\r
2472 if (!this.options.updateWhenIdle) {
\r
2473 this._limitedUpdate = L.Util.limitExecByInterval(this._update, 150, this);
\r
2474 map.on('move', this._limitedUpdate, this);
\r
2481 addTo: function (map) {
\r
2482 map.addLayer(this);
\r
2486 onRemove: function (map) {
\r
2487 this._container.parentNode.removeChild(this._container);
\r
2490 'viewreset': this._reset,
\r
2491 'moveend': this._update
\r
2494 if (this._animated) {
\r
2496 'zoomanim': this._animateZoom,
\r
2497 'zoomend': this._endZoomAnim
\r
2501 if (!this.options.updateWhenIdle) {
\r
2502 map.off('move', this._limitedUpdate, this);
\r
2505 this._container = null;
\r
2509 bringToFront: function () {
\r
2510 var pane = this._map._panes.tilePane;
\r
2512 if (this._container) {
\r
2513 pane.appendChild(this._container);
\r
2514 this._setAutoZIndex(pane, Math.max);
\r
2520 bringToBack: function () {
\r
2521 var pane = this._map._panes.tilePane;
\r
2523 if (this._container) {
\r
2524 pane.insertBefore(this._container, pane.firstChild);
\r
2525 this._setAutoZIndex(pane, Math.min);
\r
2531 getAttribution: function () {
\r
2532 return this.options.attribution;
\r
2535 getContainer: function () {
\r
2536 return this._container;
\r
2539 setOpacity: function (opacity) {
\r
2540 this.options.opacity = opacity;
\r
2543 this._updateOpacity();
\r
2549 setZIndex: function (zIndex) {
\r
2550 this.options.zIndex = zIndex;
\r
2551 this._updateZIndex();
\r
2556 setUrl: function (url, noRedraw) {
\r
2566 redraw: function () {
\r
2568 this._reset({hard: true});
\r
2574 _updateZIndex: function () {
\r
2575 if (this._container && this.options.zIndex !== undefined) {
\r
2576 this._container.style.zIndex = this.options.zIndex;
\r
2580 _setAutoZIndex: function (pane, compare) {
\r
2582 var layers = pane.children,
\r
2583 edgeZIndex = -compare(Infinity, -Infinity), // -Infinity for max, Infinity for min
\r
2586 for (i = 0, len = layers.length; i < len; i++) {
\r
2588 if (layers[i] !== this._container) {
\r
2589 zIndex = parseInt(layers[i].style.zIndex, 10);
\r
2591 if (!isNaN(zIndex)) {
\r
2592 edgeZIndex = compare(edgeZIndex, zIndex);
\r
2597 this.options.zIndex = this._container.style.zIndex =
\r
2598 (isFinite(edgeZIndex) ? edgeZIndex : 0) + compare(1, -1);
\r
2601 _updateOpacity: function () {
\r
2603 tiles = this._tiles;
\r
2605 if (L.Browser.ielt9) {
\r
2606 for (i in tiles) {
\r
2607 L.DomUtil.setOpacity(tiles[i], this.options.opacity);
\r
2610 L.DomUtil.setOpacity(this._container, this.options.opacity);
\r
2614 _initContainer: function () {
\r
2615 var tilePane = this._map._panes.tilePane;
\r
2617 if (!this._container) {
\r
2618 this._container = L.DomUtil.create('div', 'leaflet-layer');
\r
2620 this._updateZIndex();
\r
2622 if (this._animated) {
\r
2623 var className = 'leaflet-tile-container';
\r
2625 this._bgBuffer = L.DomUtil.create('div', className, this._container);
\r
2626 this._tileContainer = L.DomUtil.create('div', className, this._container);
\r
2629 this._tileContainer = this._container;
\r
2632 tilePane.appendChild(this._container);
\r
2634 if (this.options.opacity < 1) {
\r
2635 this._updateOpacity();
\r
2640 _reset: function (e) {
\r
2641 for (var key in this._tiles) {
\r
2642 this.fire('tileunload', {tile: this._tiles[key]});
\r
2646 this._tilesToLoad = 0;
\r
2648 if (this.options.reuseTiles) {
\r
2649 this._unusedTiles = [];
\r
2652 this._tileContainer.innerHTML = '';
\r
2654 if (this._animated && e && e.hard) {
\r
2655 this._clearBgBuffer();
\r
2658 this._initContainer();
\r
2661 _getTileSize: function () {
\r
2662 var map = this._map,
\r
2663 zoom = map.getZoom() + this.options.zoomOffset,
\r
2664 zoomN = this.options.maxNativeZoom,
\r
2665 tileSize = this.options.tileSize;
\r
2667 if (zoomN && zoom > zoomN) {
\r
2668 tileSize = Math.round(map.getZoomScale(zoom) / map.getZoomScale(zoomN) * tileSize);
\r
2674 _update: function () {
\r
2676 if (!this._map) { return; }
\r
2678 var map = this._map,
\r
2679 bounds = map.getPixelBounds(),
\r
2680 zoom = map.getZoom(),
\r
2681 tileSize = this._getTileSize();
\r
2683 if (zoom > this.options.maxZoom || zoom < this.options.minZoom) {
\r
2687 var tileBounds = L.bounds(
\r
2688 bounds.min.divideBy(tileSize)._floor(),
\r
2689 bounds.max.divideBy(tileSize)._floor());
\r
2691 this._addTilesFromCenterOut(tileBounds);
\r
2693 if (this.options.unloadInvisibleTiles || this.options.reuseTiles) {
\r
2694 this._removeOtherTiles(tileBounds);
\r
2698 _addTilesFromCenterOut: function (bounds) {
\r
2700 center = bounds.getCenter();
\r
2704 for (j = bounds.min.y; j <= bounds.max.y; j++) {
\r
2705 for (i = bounds.min.x; i <= bounds.max.x; i++) {
\r
2706 point = new L.Point(i, j);
\r
2708 if (this._tileShouldBeLoaded(point)) {
\r
2709 queue.push(point);
\r
2714 var tilesToLoad = queue.length;
\r
2716 if (tilesToLoad === 0) { return; }
\r
2718 // load tiles in order of their distance to center
\r
2719 queue.sort(function (a, b) {
\r
2720 return a.distanceTo(center) - b.distanceTo(center);
\r
2723 var fragment = document.createDocumentFragment();
\r
2725 // if its the first batch of tiles to load
\r
2726 if (!this._tilesToLoad) {
\r
2727 this.fire('loading');
\r
2730 this._tilesToLoad += tilesToLoad;
\r
2732 for (i = 0; i < tilesToLoad; i++) {
\r
2733 this._addTile(queue[i], fragment);
\r
2736 this._tileContainer.appendChild(fragment);
\r
2739 _tileShouldBeLoaded: function (tilePoint) {
\r
2740 if ((tilePoint.x + ':' + tilePoint.y) in this._tiles) {
\r
2741 return false; // already loaded
\r
2744 var options = this.options;
\r
2746 if (!options.continuousWorld) {
\r
2747 var limit = this._getWrapTileNum();
\r
2749 // don't load if exceeds world bounds
\r
2750 if ((options.noWrap && (tilePoint.x < 0 || tilePoint.x >= limit.x)) ||
\r
2751 tilePoint.y < 0 || tilePoint.y >= limit.y) { return false; }
\r
2754 if (options.bounds) {
\r
2755 var tileSize = this._getTileSize(),
\r
2756 nwPoint = tilePoint.multiplyBy(tileSize),
\r
2757 sePoint = nwPoint.add([tileSize, tileSize]),
\r
2758 nw = this._map.unproject(nwPoint),
\r
2759 se = this._map.unproject(sePoint);
\r
2761 // TODO temporary hack, will be removed after refactoring projections
\r
2762 // https://github.com/Leaflet/Leaflet/issues/1618
\r
2763 if (!options.continuousWorld && !options.noWrap) {
\r
2768 if (!options.bounds.intersects([nw, se])) { return false; }
\r
2774 _removeOtherTiles: function (bounds) {
\r
2775 var kArr, x, y, key;
\r
2777 for (key in this._tiles) {
\r
2778 kArr = key.split(':');
\r
2779 x = parseInt(kArr[0], 10);
\r
2780 y = parseInt(kArr[1], 10);
\r
2782 // remove tile if it's out of bounds
\r
2783 if (x < bounds.min.x || x > bounds.max.x || y < bounds.min.y || y > bounds.max.y) {
\r
2784 this._removeTile(key);
\r
2789 _removeTile: function (key) {
\r
2790 var tile = this._tiles[key];
\r
2792 this.fire('tileunload', {tile: tile, url: tile.src});
\r
2794 if (this.options.reuseTiles) {
\r
2795 L.DomUtil.removeClass(tile, 'leaflet-tile-loaded');
\r
2796 this._unusedTiles.push(tile);
\r
2798 } else if (tile.parentNode === this._tileContainer) {
\r
2799 this._tileContainer.removeChild(tile);
\r
2802 // for https://github.com/CloudMade/Leaflet/issues/137
\r
2803 if (!L.Browser.android) {
\r
2804 tile.onload = null;
\r
2805 tile.src = L.Util.emptyImageUrl;
\r
2808 delete this._tiles[key];
\r
2811 _addTile: function (tilePoint, container) {
\r
2812 var tilePos = this._getTilePos(tilePoint);
\r
2814 // get unused tile - or create a new tile
\r
2815 var tile = this._getTile();
\r
2818 Chrome 20 layouts much faster with top/left (verify with timeline, frames)
\r
2819 Android 4 browser has display issues with top/left and requires transform instead
\r
2820 (other browsers don't currently care) - see debug/hacks/jitter.html for an example
\r
2822 L.DomUtil.setPosition(tile, tilePos, L.Browser.chrome);
\r
2824 this._tiles[tilePoint.x + ':' + tilePoint.y] = tile;
\r
2826 this._loadTile(tile, tilePoint);
\r
2828 if (tile.parentNode !== this._tileContainer) {
\r
2829 container.appendChild(tile);
\r
2833 _getZoomForUrl: function () {
\r
2835 var options = this.options,
\r
2836 zoom = this._map.getZoom();
\r
2838 if (options.zoomReverse) {
\r
2839 zoom = options.maxZoom - zoom;
\r
2842 zoom += options.zoomOffset;
\r
2844 return options.maxNativeZoom ? Math.min(zoom, options.maxNativeZoom) : zoom;
\r
2847 _getTilePos: function (tilePoint) {
\r
2848 var origin = this._map.getPixelOrigin(),
\r
2849 tileSize = this._getTileSize();
\r
2851 return tilePoint.multiplyBy(tileSize).subtract(origin);
\r
2854 // image-specific code (override to implement e.g. Canvas or SVG tile layer)
\r
2856 getTileUrl: function (tilePoint) {
\r
2857 return L.Util.template(this._url, L.extend({
\r
2858 s: this._getSubdomain(tilePoint),
\r
2862 }, this.options));
\r
2865 _getWrapTileNum: function () {
\r
2866 var crs = this._map.options.crs,
\r
2867 size = crs.getSize(this._map.getZoom());
\r
2868 return size.divideBy(this._getTileSize())._floor();
\r
2871 _adjustTilePoint: function (tilePoint) {
\r
2873 var limit = this._getWrapTileNum();
\r
2875 // wrap tile coordinates
\r
2876 if (!this.options.continuousWorld && !this.options.noWrap) {
\r
2877 tilePoint.x = ((tilePoint.x % limit.x) + limit.x) % limit.x;
\r
2880 if (this.options.tms) {
\r
2881 tilePoint.y = limit.y - tilePoint.y - 1;
\r
2884 tilePoint.z = this._getZoomForUrl();
\r
2887 _getSubdomain: function (tilePoint) {
\r
2888 var index = Math.abs(tilePoint.x + tilePoint.y) % this.options.subdomains.length;
\r
2889 return this.options.subdomains[index];
\r
2892 _getTile: function () {
\r
2893 if (this.options.reuseTiles && this._unusedTiles.length > 0) {
\r
2894 var tile = this._unusedTiles.pop();
\r
2895 this._resetTile(tile);
\r
2898 return this._createTile();
\r
2901 // Override if data stored on a tile needs to be cleaned up before reuse
\r
2902 _resetTile: function (/*tile*/) {},
\r
2904 _createTile: function () {
\r
2905 var tile = L.DomUtil.create('img', 'leaflet-tile');
\r
2906 tile.style.width = tile.style.height = this._getTileSize() + 'px';
\r
2907 tile.galleryimg = 'no';
\r
2909 tile.onselectstart = tile.onmousemove = L.Util.falseFn;
\r
2911 if (L.Browser.ielt9 && this.options.opacity !== undefined) {
\r
2912 L.DomUtil.setOpacity(tile, this.options.opacity);
\r
2914 // without this hack, tiles disappear after zoom on Chrome for Android
\r
2915 // https://github.com/Leaflet/Leaflet/issues/2078
\r
2916 if (L.Browser.mobileWebkit3d) {
\r
2917 tile.style.WebkitBackfaceVisibility = 'hidden';
\r
2922 _loadTile: function (tile, tilePoint) {
\r
2923 tile._layer = this;
\r
2924 tile.onload = this._tileOnLoad;
\r
2925 tile.onerror = this._tileOnError;
\r
2927 this._adjustTilePoint(tilePoint);
\r
2928 tile.src = this.getTileUrl(tilePoint);
\r
2930 this.fire('tileloadstart', {
\r
2936 _tileLoaded: function () {
\r
2937 this._tilesToLoad--;
\r
2939 if (this._animated) {
\r
2940 L.DomUtil.addClass(this._tileContainer, 'leaflet-zoom-animated');
\r
2943 if (!this._tilesToLoad) {
\r
2944 this.fire('load');
\r
2946 if (this._animated) {
\r
2947 // clear scaled tiles after all new tiles are loaded (for performance)
\r
2948 clearTimeout(this._clearBgBufferTimer);
\r
2949 this._clearBgBufferTimer = setTimeout(L.bind(this._clearBgBuffer, this), 500);
\r
2954 _tileOnLoad: function () {
\r
2955 var layer = this._layer;
\r
2957 //Only if we are loading an actual image
\r
2958 if (this.src !== L.Util.emptyImageUrl) {
\r
2959 L.DomUtil.addClass(this, 'leaflet-tile-loaded');
\r
2961 layer.fire('tileload', {
\r
2967 layer._tileLoaded();
\r
2970 _tileOnError: function () {
\r
2971 var layer = this._layer;
\r
2973 layer.fire('tileerror', {
\r
2978 var newUrl = layer.options.errorTileUrl;
\r
2980 this.src = newUrl;
\r
2983 layer._tileLoaded();
\r
2987 L.tileLayer = function (url, options) {
\r
2988 return new L.TileLayer(url, options);
\r
2993 * L.TileLayer.WMS is used for putting WMS tile layers on the map.
\r
2996 L.TileLayer.WMS = L.TileLayer.extend({
\r
2998 defaultWmsParams: {
\r
3000 request: 'GetMap',
\r
3004 format: 'image/jpeg',
\r
3005 transparent: false
\r
3008 initialize: function (url, options) { // (String, Object)
\r
3012 var wmsParams = L.extend({}, this.defaultWmsParams),
\r
3013 tileSize = options.tileSize || this.options.tileSize;
\r
3015 if (options.detectRetina && L.Browser.retina) {
\r
3016 wmsParams.width = wmsParams.height = tileSize * 2;
\r
3018 wmsParams.width = wmsParams.height = tileSize;
\r
3021 for (var i in options) {
\r
3022 // all keys that are not TileLayer options go to WMS params
\r
3023 if (!this.options.hasOwnProperty(i) && i !== 'crs') {
\r
3024 wmsParams[i] = options[i];
\r
3028 this.wmsParams = wmsParams;
\r
3030 L.setOptions(this, options);
\r
3033 onAdd: function (map) {
\r
3035 this._crs = this.options.crs || map.options.crs;
\r
3037 this._wmsVersion = parseFloat(this.wmsParams.version);
\r
3039 var projectionKey = this._wmsVersion >= 1.3 ? 'crs' : 'srs';
\r
3040 this.wmsParams[projectionKey] = this._crs.code;
\r
3042 L.TileLayer.prototype.onAdd.call(this, map);
\r
3045 getTileUrl: function (tilePoint) { // (Point, Number) -> String
\r
3047 var map = this._map,
\r
3048 tileSize = this.options.tileSize,
\r
3050 nwPoint = tilePoint.multiplyBy(tileSize),
\r
3051 sePoint = nwPoint.add([tileSize, tileSize]),
\r
3053 nw = this._crs.project(map.unproject(nwPoint, tilePoint.z)),
\r
3054 se = this._crs.project(map.unproject(sePoint, tilePoint.z)),
\r
3055 bbox = this._wmsVersion >= 1.3 && this._crs === L.CRS.EPSG4326 ?
\r
3056 [se.y, nw.x, nw.y, se.x].join(',') :
\r
3057 [nw.x, se.y, se.x, nw.y].join(','),
\r
3059 url = L.Util.template(this._url, {s: this._getSubdomain(tilePoint)});
\r
3061 return url + L.Util.getParamString(this.wmsParams, url, true) + '&BBOX=' + bbox;
\r
3064 setParams: function (params, noRedraw) {
\r
3066 L.extend(this.wmsParams, params);
\r
3076 L.tileLayer.wms = function (url, options) {
\r
3077 return new L.TileLayer.WMS(url, options);
\r
3082 * L.TileLayer.Canvas is a class that you can use as a base for creating
\r
3083 * dynamically drawn Canvas-based tile layers.
\r
3086 L.TileLayer.Canvas = L.TileLayer.extend({
\r
3091 initialize: function (options) {
\r
3092 L.setOptions(this, options);
\r
3095 redraw: function () {
\r
3097 this._reset({hard: true});
\r
3101 for (var i in this._tiles) {
\r
3102 this._redrawTile(this._tiles[i]);
\r
3107 _redrawTile: function (tile) {
\r
3108 this.drawTile(tile, tile._tilePoint, this._map._zoom);
\r
3111 _createTile: function () {
\r
3112 var tile = L.DomUtil.create('canvas', 'leaflet-tile');
\r
3113 tile.width = tile.height = this.options.tileSize;
\r
3114 tile.onselectstart = tile.onmousemove = L.Util.falseFn;
\r
3118 _loadTile: function (tile, tilePoint) {
\r
3119 tile._layer = this;
\r
3120 tile._tilePoint = tilePoint;
\r
3122 this._redrawTile(tile);
\r
3124 if (!this.options.async) {
\r
3125 this.tileDrawn(tile);
\r
3129 drawTile: function (/*tile, tilePoint*/) {
\r
3130 // override with rendering code
\r
3133 tileDrawn: function (tile) {
\r
3134 this._tileOnLoad.call(tile);
\r
3139 L.tileLayer.canvas = function (options) {
\r
3140 return new L.TileLayer.Canvas(options);
\r
3145 * L.ImageOverlay is used to overlay images over the map (to specific geographical bounds).
\r
3148 L.ImageOverlay = L.Class.extend({
\r
3149 includes: L.Mixin.Events,
\r
3155 initialize: function (url, bounds, options) { // (String, LatLngBounds, Object)
\r
3157 this._bounds = L.latLngBounds(bounds);
\r
3159 L.setOptions(this, options);
\r
3162 onAdd: function (map) {
\r
3165 if (!this._image) {
\r
3166 this._initImage();
\r
3169 map._panes.overlayPane.appendChild(this._image);
\r
3171 map.on('viewreset', this._reset, this);
\r
3173 if (map.options.zoomAnimation && L.Browser.any3d) {
\r
3174 map.on('zoomanim', this._animateZoom, this);
\r
3180 onRemove: function (map) {
\r
3181 map.getPanes().overlayPane.removeChild(this._image);
\r
3183 map.off('viewreset', this._reset, this);
\r
3185 if (map.options.zoomAnimation) {
\r
3186 map.off('zoomanim', this._animateZoom, this);
\r
3190 addTo: function (map) {
\r
3191 map.addLayer(this);
\r
3195 setOpacity: function (opacity) {
\r
3196 this.options.opacity = opacity;
\r
3197 this._updateOpacity();
\r
3201 // TODO remove bringToFront/bringToBack duplication from TileLayer/Path
\r
3202 bringToFront: function () {
\r
3203 if (this._image) {
\r
3204 this._map._panes.overlayPane.appendChild(this._image);
\r
3209 bringToBack: function () {
\r
3210 var pane = this._map._panes.overlayPane;
\r
3211 if (this._image) {
\r
3212 pane.insertBefore(this._image, pane.firstChild);
\r
3217 setUrl: function (url) {
\r
3219 this._image.src = this._url;
\r
3222 getAttribution: function () {
\r
3223 return this.options.attribution;
\r
3226 _initImage: function () {
\r
3227 this._image = L.DomUtil.create('img', 'leaflet-image-layer');
\r
3229 if (this._map.options.zoomAnimation && L.Browser.any3d) {
\r
3230 L.DomUtil.addClass(this._image, 'leaflet-zoom-animated');
\r
3232 L.DomUtil.addClass(this._image, 'leaflet-zoom-hide');
\r
3235 this._updateOpacity();
\r
3237 //TODO createImage util method to remove duplication
\r
3238 L.extend(this._image, {
\r
3240 onselectstart: L.Util.falseFn,
\r
3241 onmousemove: L.Util.falseFn,
\r
3242 onload: L.bind(this._onImageLoad, this),
\r
3247 _animateZoom: function (e) {
\r
3248 var map = this._map,
\r
3249 image = this._image,
\r
3250 scale = map.getZoomScale(e.zoom),
\r
3251 nw = this._bounds.getNorthWest(),
\r
3252 se = this._bounds.getSouthEast(),
\r
3254 topLeft = map._latLngToNewLayerPoint(nw, e.zoom, e.center),
\r
3255 size = map._latLngToNewLayerPoint(se, e.zoom, e.center)._subtract(topLeft),
\r
3256 origin = topLeft._add(size._multiplyBy((1 / 2) * (1 - 1 / scale)));
\r
3258 image.style[L.DomUtil.TRANSFORM] =
\r
3259 L.DomUtil.getTranslateString(origin) + ' scale(' + scale + ') ';
\r
3262 _reset: function () {
\r
3263 var image = this._image,
\r
3264 topLeft = this._map.latLngToLayerPoint(this._bounds.getNorthWest()),
\r
3265 size = this._map.latLngToLayerPoint(this._bounds.getSouthEast())._subtract(topLeft);
\r
3267 L.DomUtil.setPosition(image, topLeft);
\r
3269 image.style.width = size.x + 'px';
\r
3270 image.style.height = size.y + 'px';
\r
3273 _onImageLoad: function () {
\r
3274 this.fire('load');
\r
3277 _updateOpacity: function () {
\r
3278 L.DomUtil.setOpacity(this._image, this.options.opacity);
\r
3282 L.imageOverlay = function (url, bounds, options) {
\r
3283 return new L.ImageOverlay(url, bounds, options);
\r
3288 * L.Icon is an image-based icon class that you can use with L.Marker for custom markers.
\r
3291 L.Icon = L.Class.extend({
\r
3294 iconUrl: (String) (required)
\r
3295 iconRetinaUrl: (String) (optional, used for retina devices if detected)
\r
3296 iconSize: (Point) (can be set through CSS)
\r
3297 iconAnchor: (Point) (centered by default, can be set in CSS with negative margins)
\r
3298 popupAnchor: (Point) (if not specified, popup opens in the anchor point)
\r
3299 shadowUrl: (String) (no shadow by default)
\r
3300 shadowRetinaUrl: (String) (optional, used for retina devices if detected)
\r
3301 shadowSize: (Point)
\r
3302 shadowAnchor: (Point)
\r
3307 initialize: function (options) {
\r
3308 L.setOptions(this, options);
\r
3311 createIcon: function (oldIcon) {
\r
3312 return this._createIcon('icon', oldIcon);
\r
3315 createShadow: function (oldIcon) {
\r
3316 return this._createIcon('shadow', oldIcon);
\r
3319 _createIcon: function (name, oldIcon) {
\r
3320 var src = this._getIconUrl(name);
\r
3323 if (name === 'icon') {
\r
3324 throw new Error('iconUrl not set in Icon options (see the docs).');
\r
3330 if (!oldIcon || oldIcon.tagName !== 'IMG') {
\r
3331 img = this._createImg(src);
\r
3333 img = this._createImg(src, oldIcon);
\r
3335 this._setIconStyles(img, name);
\r
3340 _setIconStyles: function (img, name) {
\r
3341 var options = this.options,
\r
3342 size = L.point(options[name + 'Size']),
\r
3345 if (name === 'shadow') {
\r
3346 anchor = L.point(options.shadowAnchor || options.iconAnchor);
\r
3348 anchor = L.point(options.iconAnchor);
\r
3351 if (!anchor && size) {
\r
3352 anchor = size.divideBy(2, true);
\r
3355 img.className = 'leaflet-marker-' + name + ' ' + options.className;
\r
3358 img.style.marginLeft = (-anchor.x) + 'px';
\r
3359 img.style.marginTop = (-anchor.y) + 'px';
\r
3363 img.style.width = size.x + 'px';
\r
3364 img.style.height = size.y + 'px';
\r
3368 _createImg: function (src, el) {
\r
3369 el = el || document.createElement('img');
\r
3374 _getIconUrl: function (name) {
\r
3375 if (L.Browser.retina && this.options[name + 'RetinaUrl']) {
\r
3376 return this.options[name + 'RetinaUrl'];
\r
3378 return this.options[name + 'Url'];
\r
3382 L.icon = function (options) {
\r
3383 return new L.Icon(options);
\r
3388 * L.Icon.Default is the blue marker icon used by default in Leaflet.
3391 L.Icon.Default = L.Icon.extend({
3395 iconAnchor: [12, 41],
3396 popupAnchor: [1, -34],
3398 shadowSize: [41, 41]
3401 _getIconUrl: function (name) {
3402 var key = name + 'Url';
3404 if (this.options[key]) {
3405 return this.options[key];
3408 if (L.Browser.retina && name === 'icon') {
3412 var path = L.Icon.Default.imagePath;
3415 throw new Error('Couldn\'t autodetect L.Icon.Default.imagePath, set it manually.');
3418 return path + '/marker-' + name + '.png';
3422 L.Icon.Default.imagePath = (function () {
3423 var scripts = document.getElementsByTagName('script'),
3424 leafletRe = /[\/^]leaflet[\-\._]?([\w\-\._]*)\.js\??/;
3426 var i, len, src, matches, path;
3428 for (i = 0, len = scripts.length; i < len; i++) {
3429 src = scripts[i].src;
3430 matches = src.match(leafletRe);
3433 path = src.split(leafletRe)[0];
3434 return (path ? path + '/' : '') + 'images';
3441 * L.Marker is used to display clickable/draggable icons on the map.
\r
3444 L.Marker = L.Class.extend({
\r
3446 includes: L.Mixin.Events,
\r
3449 icon: new L.Icon.Default(),
\r
3457 riseOnHover: false,
\r
3461 initialize: function (latlng, options) {
\r
3462 L.setOptions(this, options);
\r
3463 this._latlng = L.latLng(latlng);
\r
3466 onAdd: function (map) {
\r
3469 map.on('viewreset', this.update, this);
\r
3475 if (map.options.zoomAnimation && map.options.markerZoomAnimation) {
\r
3476 map.on('zoomanim', this._animateZoom, this);
\r
3480 addTo: function (map) {
\r
3481 map.addLayer(this);
\r
3485 onRemove: function (map) {
\r
3486 if (this.dragging) {
\r
3487 this.dragging.disable();
\r
3490 this._removeIcon();
\r
3491 this._removeShadow();
\r
3493 this.fire('remove');
\r
3496 'viewreset': this.update,
\r
3497 'zoomanim': this._animateZoom
\r
3503 getLatLng: function () {
\r
3504 return this._latlng;
\r
3507 setLatLng: function (latlng) {
\r
3508 this._latlng = L.latLng(latlng);
\r
3512 return this.fire('move', { latlng: this._latlng });
\r
3515 setZIndexOffset: function (offset) {
\r
3516 this.options.zIndexOffset = offset;
\r
3522 setIcon: function (icon) {
\r
3524 this.options.icon = icon;
\r
3531 if (this._popup) {
\r
3532 this.bindPopup(this._popup);
\r
3538 update: function () {
\r
3540 this._setPos(this._map.latLngToLayerPoint(this._latlng).round());
\r
3545 _initIcon: function () {
\r
3546 var options = this.options,
\r
3548 animation = (map.options.zoomAnimation && map.options.markerZoomAnimation),
\r
3549 classToAdd = animation ? 'leaflet-zoom-animated' : 'leaflet-zoom-hide';
\r
3551 var icon = options.icon.createIcon(this._icon),
\r
3554 // if we're not reusing the icon, remove the old one and init new one
\r
3555 if (icon !== this._icon) {
\r
3557 this._removeIcon();
\r
3561 if (options.title) {
\r
3562 icon.title = options.title;
\r
3565 if (options.alt) {
\r
3566 icon.alt = options.alt;
\r
3570 L.DomUtil.addClass(icon, classToAdd);
\r
3572 if (options.keyboard) {
\r
3573 icon.tabIndex = '0';
\r
3576 this._icon = icon;
\r
3578 this._initInteraction();
\r
3580 if (options.riseOnHover) {
\r
3582 .on(icon, 'mouseover', this._bringToFront, this)
\r
3583 .on(icon, 'mouseout', this._resetZIndex, this);
\r
3586 var newShadow = options.icon.createShadow(this._shadow),
\r
3587 addShadow = false;
\r
3589 if (newShadow !== this._shadow) {
\r
3590 this._removeShadow();
\r
3595 L.DomUtil.addClass(newShadow, classToAdd);
\r
3597 this._shadow = newShadow;
\r
3600 if (options.opacity < 1) {
\r
3601 this._updateOpacity();
\r
3605 var panes = this._map._panes;
\r
3608 panes.markerPane.appendChild(this._icon);
\r
3611 if (newShadow && addShadow) {
\r
3612 panes.shadowPane.appendChild(this._shadow);
\r
3616 _removeIcon: function () {
\r
3617 if (this.options.riseOnHover) {
\r
3619 .off(this._icon, 'mouseover', this._bringToFront)
\r
3620 .off(this._icon, 'mouseout', this._resetZIndex);
\r
3623 this._map._panes.markerPane.removeChild(this._icon);
\r
3625 this._icon = null;
\r
3628 _removeShadow: function () {
\r
3629 if (this._shadow) {
\r
3630 this._map._panes.shadowPane.removeChild(this._shadow);
\r
3632 this._shadow = null;
\r
3635 _setPos: function (pos) {
\r
3636 L.DomUtil.setPosition(this._icon, pos);
\r
3638 if (this._shadow) {
\r
3639 L.DomUtil.setPosition(this._shadow, pos);
\r
3642 this._zIndex = pos.y + this.options.zIndexOffset;
\r
3644 this._resetZIndex();
\r
3647 _updateZIndex: function (offset) {
\r
3648 this._icon.style.zIndex = this._zIndex + offset;
\r
3651 _animateZoom: function (opt) {
\r
3652 var pos = this._map._latLngToNewLayerPoint(this._latlng, opt.zoom, opt.center).round();
\r
3654 this._setPos(pos);
\r
3657 _initInteraction: function () {
\r
3659 if (!this.options.clickable) { return; }
\r
3661 // TODO refactor into something shared with Map/Path/etc. to DRY it up
\r
3663 var icon = this._icon,
\r
3664 events = ['dblclick', 'mousedown', 'mouseover', 'mouseout', 'contextmenu'];
\r
3666 L.DomUtil.addClass(icon, 'leaflet-clickable');
\r
3667 L.DomEvent.on(icon, 'click', this._onMouseClick, this);
\r
3668 L.DomEvent.on(icon, 'keypress', this._onKeyPress, this);
\r
3670 for (var i = 0; i < events.length; i++) {
\r
3671 L.DomEvent.on(icon, events[i], this._fireMouseEvent, this);
\r
3674 if (L.Handler.MarkerDrag) {
\r
3675 this.dragging = new L.Handler.MarkerDrag(this);
\r
3677 if (this.options.draggable) {
\r
3678 this.dragging.enable();
\r
3683 _onMouseClick: function (e) {
\r
3684 var wasDragged = this.dragging && this.dragging.moved();
\r
3686 if (this.hasEventListeners(e.type) || wasDragged) {
\r
3687 L.DomEvent.stopPropagation(e);
\r
3690 if (wasDragged) { return; }
\r
3692 if ((!this.dragging || !this.dragging._enabled) && this._map.dragging && this._map.dragging.moved()) { return; }
\r
3694 this.fire(e.type, {
\r
3696 latlng: this._latlng
\r
3700 _onKeyPress: function (e) {
\r
3701 if (e.keyCode === 13) {
\r
3702 this.fire('click', {
\r
3704 latlng: this._latlng
\r
3709 _fireMouseEvent: function (e) {
\r
3711 this.fire(e.type, {
\r
3713 latlng: this._latlng
\r
3716 // TODO proper custom event propagation
\r
3717 // this line will always be called if marker is in a FeatureGroup
\r
3718 if (e.type === 'contextmenu' && this.hasEventListeners(e.type)) {
\r
3719 L.DomEvent.preventDefault(e);
\r
3721 if (e.type !== 'mousedown') {
\r
3722 L.DomEvent.stopPropagation(e);
\r
3724 L.DomEvent.preventDefault(e);
\r
3728 setOpacity: function (opacity) {
\r
3729 this.options.opacity = opacity;
\r
3731 this._updateOpacity();
\r
3737 _updateOpacity: function () {
\r
3738 L.DomUtil.setOpacity(this._icon, this.options.opacity);
\r
3739 if (this._shadow) {
\r
3740 L.DomUtil.setOpacity(this._shadow, this.options.opacity);
\r
3744 _bringToFront: function () {
\r
3745 this._updateZIndex(this.options.riseOffset);
\r
3748 _resetZIndex: function () {
\r
3749 this._updateZIndex(0);
\r
3753 L.marker = function (latlng, options) {
\r
3754 return new L.Marker(latlng, options);
\r
3759 * L.DivIcon is a lightweight HTML-based icon class (as opposed to the image-based L.Icon)
3760 * to use with L.Marker.
3763 L.DivIcon = L.Icon.extend({
3765 iconSize: [12, 12], // also can be set through CSS
3768 popupAnchor: (Point)
3772 className: 'leaflet-div-icon',
3776 createIcon: function (oldIcon) {
3777 var div = (oldIcon && oldIcon.tagName === 'DIV') ? oldIcon : document.createElement('div'),
3778 options = this.options;
3780 if (options.html !== false) {
3781 div.innerHTML = options.html;
3786 if (options.bgPos) {
3787 div.style.backgroundPosition =
3788 (-options.bgPos.x) + 'px ' + (-options.bgPos.y) + 'px';
3791 this._setIconStyles(div, 'icon');
3795 createShadow: function () {
3800 L.divIcon = function (options) {
3801 return new L.DivIcon(options);
3806 * L.Popup is used for displaying popups on the map.
\r
3809 L.Map.mergeOptions({
\r
3810 closePopupOnClick: true
\r
3813 L.Popup = L.Class.extend({
\r
3814 includes: L.Mixin.Events,
\r
3819 // maxHeight: null,
\r
3821 closeButton: true,
\r
3823 autoPanPadding: [5, 5],
\r
3824 // autoPanPaddingTopLeft: null,
\r
3825 // autoPanPaddingBottomRight: null,
\r
3826 keepInView: false,
\r
3828 zoomAnimation: true
\r
3831 initialize: function (options, source) {
\r
3832 L.setOptions(this, options);
\r
3834 this._source = source;
\r
3835 this._animated = L.Browser.any3d && this.options.zoomAnimation;
\r
3836 this._isOpen = false;
\r
3839 onAdd: function (map) {
\r
3842 if (!this._container) {
\r
3843 this._initLayout();
\r
3846 var animFade = map.options.fadeAnimation;
\r
3849 L.DomUtil.setOpacity(this._container, 0);
\r
3851 map._panes.popupPane.appendChild(this._container);
\r
3853 map.on(this._getEvents(), this);
\r
3858 L.DomUtil.setOpacity(this._container, 1);
\r
3861 this.fire('open');
\r
3863 map.fire('popupopen', {popup: this});
\r
3865 if (this._source) {
\r
3866 this._source.fire('popupopen', {popup: this});
\r
3870 addTo: function (map) {
\r
3871 map.addLayer(this);
\r
3875 openOn: function (map) {
\r
3876 map.openPopup(this);
\r
3880 onRemove: function (map) {
\r
3881 map._panes.popupPane.removeChild(this._container);
\r
3883 L.Util.falseFn(this._container.offsetWidth); // force reflow
\r
3885 map.off(this._getEvents(), this);
\r
3887 if (map.options.fadeAnimation) {
\r
3888 L.DomUtil.setOpacity(this._container, 0);
\r
3893 this.fire('close');
\r
3895 map.fire('popupclose', {popup: this});
\r
3897 if (this._source) {
\r
3898 this._source.fire('popupclose', {popup: this});
\r
3902 getLatLng: function () {
\r
3903 return this._latlng;
\r
3906 setLatLng: function (latlng) {
\r
3907 this._latlng = L.latLng(latlng);
\r
3909 this._updatePosition();
\r
3910 this._adjustPan();
\r
3915 getContent: function () {
\r
3916 return this._content;
\r
3919 setContent: function (content) {
\r
3920 this._content = content;
\r
3925 update: function () {
\r
3926 if (!this._map) { return; }
\r
3928 this._container.style.visibility = 'hidden';
\r
3930 this._updateContent();
\r
3931 this._updateLayout();
\r
3932 this._updatePosition();
\r
3934 this._container.style.visibility = '';
\r
3936 this._adjustPan();
\r
3939 _getEvents: function () {
\r
3941 viewreset: this._updatePosition
\r
3944 if (this._animated) {
\r
3945 events.zoomanim = this._zoomAnimation;
\r
3947 if ('closeOnClick' in this.options ? this.options.closeOnClick : this._map.options.closePopupOnClick) {
\r
3948 events.preclick = this._close;
\r
3950 if (this.options.keepInView) {
\r
3951 events.moveend = this._adjustPan;
\r
3957 _close: function () {
\r
3959 this._map.closePopup(this);
\r
3963 _initLayout: function () {
\r
3964 var prefix = 'leaflet-popup',
\r
3965 containerClass = prefix + ' ' + this.options.className + ' leaflet-zoom-' +
\r
3966 (this._animated ? 'animated' : 'hide'),
\r
3967 container = this._container = L.DomUtil.create('div', containerClass),
\r
3970 if (this.options.closeButton) {
\r
3971 closeButton = this._closeButton =
\r
3972 L.DomUtil.create('a', prefix + '-close-button', container);
\r
3973 closeButton.href = '#close';
\r
3974 closeButton.innerHTML = '×';
\r
3975 L.DomEvent.disableClickPropagation(closeButton);
\r
3977 L.DomEvent.on(closeButton, 'click', this._onCloseButtonClick, this);
\r
3980 var wrapper = this._wrapper =
\r
3981 L.DomUtil.create('div', prefix + '-content-wrapper', container);
\r
3982 L.DomEvent.disableClickPropagation(wrapper);
\r
3984 this._contentNode = L.DomUtil.create('div', prefix + '-content', wrapper);
\r
3986 L.DomEvent.disableScrollPropagation(this._contentNode);
\r
3987 L.DomEvent.on(wrapper, 'contextmenu', L.DomEvent.stopPropagation);
\r
3989 this._tipContainer = L.DomUtil.create('div', prefix + '-tip-container', container);
\r
3990 this._tip = L.DomUtil.create('div', prefix + '-tip', this._tipContainer);
\r
3993 _updateContent: function () {
\r
3994 if (!this._content) { return; }
\r
3996 if (typeof this._content === 'string') {
\r
3997 this._contentNode.innerHTML = this._content;
\r
3999 while (this._contentNode.hasChildNodes()) {
\r
4000 this._contentNode.removeChild(this._contentNode.firstChild);
\r
4002 this._contentNode.appendChild(this._content);
\r
4004 this.fire('contentupdate');
\r
4007 _updateLayout: function () {
\r
4008 var container = this._contentNode,
\r
4009 style = container.style;
\r
4012 style.whiteSpace = 'nowrap';
\r
4014 var width = container.offsetWidth;
\r
4015 width = Math.min(width, this.options.maxWidth);
\r
4016 width = Math.max(width, this.options.minWidth);
\r
4018 style.width = (width + 1) + 'px';
\r
4019 style.whiteSpace = '';
\r
4021 style.height = '';
\r
4023 var height = container.offsetHeight,
\r
4024 maxHeight = this.options.maxHeight,
\r
4025 scrolledClass = 'leaflet-popup-scrolled';
\r
4027 if (maxHeight && height > maxHeight) {
\r
4028 style.height = maxHeight + 'px';
\r
4029 L.DomUtil.addClass(container, scrolledClass);
\r
4031 L.DomUtil.removeClass(container, scrolledClass);
\r
4034 this._containerWidth = this._container.offsetWidth;
\r
4037 _updatePosition: function () {
\r
4038 if (!this._map) { return; }
\r
4040 var pos = this._map.latLngToLayerPoint(this._latlng),
\r
4041 animated = this._animated,
\r
4042 offset = L.point(this.options.offset);
\r
4045 L.DomUtil.setPosition(this._container, pos);
\r
4048 this._containerBottom = -offset.y - (animated ? 0 : pos.y);
\r
4049 this._containerLeft = -Math.round(this._containerWidth / 2) + offset.x + (animated ? 0 : pos.x);
\r
4051 // bottom position the popup in case the height of the popup changes (images loading etc)
\r
4052 this._container.style.bottom = this._containerBottom + 'px';
\r
4053 this._container.style.left = this._containerLeft + 'px';
\r
4056 _zoomAnimation: function (opt) {
\r
4057 var pos = this._map._latLngToNewLayerPoint(this._latlng, opt.zoom, opt.center);
\r
4059 L.DomUtil.setPosition(this._container, pos);
\r
4062 _adjustPan: function () {
\r
4063 if (!this.options.autoPan) { return; }
\r
4065 var map = this._map,
\r
4066 containerHeight = this._container.offsetHeight,
\r
4067 containerWidth = this._containerWidth,
\r
4069 layerPos = new L.Point(this._containerLeft, -containerHeight - this._containerBottom);
\r
4071 if (this._animated) {
\r
4072 layerPos._add(L.DomUtil.getPosition(this._container));
\r
4075 var containerPos = map.layerPointToContainerPoint(layerPos),
\r
4076 padding = L.point(this.options.autoPanPadding),
\r
4077 paddingTL = L.point(this.options.autoPanPaddingTopLeft || padding),
\r
4078 paddingBR = L.point(this.options.autoPanPaddingBottomRight || padding),
\r
4079 size = map.getSize(),
\r
4083 if (containerPos.x + containerWidth + paddingBR.x > size.x) { // right
\r
4084 dx = containerPos.x + containerWidth - size.x + paddingBR.x;
\r
4086 if (containerPos.x - dx - paddingTL.x < 0) { // left
\r
4087 dx = containerPos.x - paddingTL.x;
\r
4089 if (containerPos.y + containerHeight + paddingBR.y > size.y) { // bottom
\r
4090 dy = containerPos.y + containerHeight - size.y + paddingBR.y;
\r
4092 if (containerPos.y - dy - paddingTL.y < 0) { // top
\r
4093 dy = containerPos.y - paddingTL.y;
\r
4098 .fire('autopanstart')
\r
4103 _onCloseButtonClick: function (e) {
\r
4105 L.DomEvent.stop(e);
\r
4109 L.popup = function (options, source) {
\r
4110 return new L.Popup(options, source);
\r
4115 openPopup: function (popup, latlng, options) { // (Popup) or (String || HTMLElement, LatLng[, Object])
\r
4116 this.closePopup();
\r
4118 if (!(popup instanceof L.Popup)) {
\r
4119 var content = popup;
\r
4121 popup = new L.Popup(options)
\r
4122 .setLatLng(latlng)
\r
4123 .setContent(content);
\r
4125 popup._isOpen = true;
\r
4127 this._popup = popup;
\r
4128 return this.addLayer(popup);
\r
4131 closePopup: function (popup) {
\r
4132 if (!popup || popup === this._popup) {
\r
4133 popup = this._popup;
\r
4134 this._popup = null;
\r
4137 this.removeLayer(popup);
\r
4138 popup._isOpen = false;
\r
4146 * Popup extension to L.Marker, adding popup-related methods.
\r
4149 L.Marker.include({
\r
4150 openPopup: function () {
\r
4151 if (this._popup && this._map && !this._map.hasLayer(this._popup)) {
\r
4152 this._popup.setLatLng(this._latlng);
\r
4153 this._map.openPopup(this._popup);
\r
4159 closePopup: function () {
\r
4160 if (this._popup) {
\r
4161 this._popup._close();
\r
4166 togglePopup: function () {
\r
4167 if (this._popup) {
\r
4168 if (this._popup._isOpen) {
\r
4169 this.closePopup();
\r
4177 bindPopup: function (content, options) {
\r
4178 var anchor = L.point(this.options.icon.options.popupAnchor || [0, 0]);
\r
4180 anchor = anchor.add(L.Popup.prototype.options.offset);
\r
4182 if (options && options.offset) {
\r
4183 anchor = anchor.add(options.offset);
\r
4186 options = L.extend({offset: anchor}, options);
\r
4188 if (!this._popupHandlersAdded) {
\r
4190 .on('click', this.togglePopup, this)
\r
4191 .on('remove', this.closePopup, this)
\r
4192 .on('move', this._movePopup, this);
\r
4193 this._popupHandlersAdded = true;
\r
4196 if (content instanceof L.Popup) {
\r
4197 L.setOptions(content, options);
\r
4198 this._popup = content;
\r
4199 content._source = this;
\r
4201 this._popup = new L.Popup(options, this)
\r
4202 .setContent(content);
\r
4208 setPopupContent: function (content) {
\r
4209 if (this._popup) {
\r
4210 this._popup.setContent(content);
\r
4215 unbindPopup: function () {
\r
4216 if (this._popup) {
\r
4217 this._popup = null;
\r
4219 .off('click', this.togglePopup, this)
\r
4220 .off('remove', this.closePopup, this)
\r
4221 .off('move', this._movePopup, this);
\r
4222 this._popupHandlersAdded = false;
\r
4227 getPopup: function () {
\r
4228 return this._popup;
\r
4231 _movePopup: function (e) {
\r
4232 this._popup.setLatLng(e.latlng);
\r
4238 * L.LayerGroup is a class to combine several layers into one so that
\r
4239 * you can manipulate the group (e.g. add/remove it) as one layer.
\r
4242 L.LayerGroup = L.Class.extend({
\r
4243 initialize: function (layers) {
\r
4244 this._layers = {};
\r
4249 for (i = 0, len = layers.length; i < len; i++) {
\r
4250 this.addLayer(layers[i]);
\r
4255 addLayer: function (layer) {
\r
4256 var id = this.getLayerId(layer);
\r
4258 this._layers[id] = layer;
\r
4261 this._map.addLayer(layer);
\r
4267 removeLayer: function (layer) {
\r
4268 var id = layer in this._layers ? layer : this.getLayerId(layer);
\r
4270 if (this._map && this._layers[id]) {
\r
4271 this._map.removeLayer(this._layers[id]);
\r
4274 delete this._layers[id];
\r
4279 hasLayer: function (layer) {
\r
4280 if (!layer) { return false; }
\r
4282 return (layer in this._layers || this.getLayerId(layer) in this._layers);
\r
4285 clearLayers: function () {
\r
4286 this.eachLayer(this.removeLayer, this);
\r
4290 invoke: function (methodName) {
\r
4291 var args = Array.prototype.slice.call(arguments, 1),
\r
4294 for (i in this._layers) {
\r
4295 layer = this._layers[i];
\r
4297 if (layer[methodName]) {
\r
4298 layer[methodName].apply(layer, args);
\r
4305 onAdd: function (map) {
\r
4307 this.eachLayer(map.addLayer, map);
\r
4310 onRemove: function (map) {
\r
4311 this.eachLayer(map.removeLayer, map);
\r
4315 addTo: function (map) {
\r
4316 map.addLayer(this);
\r
4320 eachLayer: function (method, context) {
\r
4321 for (var i in this._layers) {
\r
4322 method.call(context, this._layers[i]);
\r
4327 getLayer: function (id) {
\r
4328 return this._layers[id];
\r
4331 getLayers: function () {
\r
4334 for (var i in this._layers) {
\r
4335 layers.push(this._layers[i]);
\r
4340 setZIndex: function (zIndex) {
\r
4341 return this.invoke('setZIndex', zIndex);
\r
4344 getLayerId: function (layer) {
\r
4345 return L.stamp(layer);
\r
4349 L.layerGroup = function (layers) {
\r
4350 return new L.LayerGroup(layers);
\r
4355 * L.FeatureGroup extends L.LayerGroup by introducing mouse events and additional methods
\r
4356 * shared between a group of interactive layers (like vectors or markers).
\r
4359 L.FeatureGroup = L.LayerGroup.extend({
\r
4360 includes: L.Mixin.Events,
\r
4363 EVENTS: 'click dblclick mouseover mouseout mousemove contextmenu popupopen popupclose'
\r
4366 addLayer: function (layer) {
\r
4367 if (this.hasLayer(layer)) {
\r
4371 if ('on' in layer) {
\r
4372 layer.on(L.FeatureGroup.EVENTS, this._propagateEvent, this);
\r
4375 L.LayerGroup.prototype.addLayer.call(this, layer);
\r
4377 if (this._popupContent && layer.bindPopup) {
\r
4378 layer.bindPopup(this._popupContent, this._popupOptions);
\r
4381 return this.fire('layeradd', {layer: layer});
\r
4384 removeLayer: function (layer) {
\r
4385 if (!this.hasLayer(layer)) {
\r
4388 if (layer in this._layers) {
\r
4389 layer = this._layers[layer];
\r
4392 layer.off(L.FeatureGroup.EVENTS, this._propagateEvent, this);
\r
4394 L.LayerGroup.prototype.removeLayer.call(this, layer);
\r
4396 if (this._popupContent) {
\r
4397 this.invoke('unbindPopup');
\r
4400 return this.fire('layerremove', {layer: layer});
\r
4403 bindPopup: function (content, options) {
\r
4404 this._popupContent = content;
\r
4405 this._popupOptions = options;
\r
4406 return this.invoke('bindPopup', content, options);
\r
4409 openPopup: function (latlng) {
\r
4410 // open popup on the first layer
\r
4411 for (var id in this._layers) {
\r
4412 this._layers[id].openPopup(latlng);
\r
4418 setStyle: function (style) {
\r
4419 return this.invoke('setStyle', style);
\r
4422 bringToFront: function () {
\r
4423 return this.invoke('bringToFront');
\r
4426 bringToBack: function () {
\r
4427 return this.invoke('bringToBack');
\r
4430 getBounds: function () {
\r
4431 var bounds = new L.LatLngBounds();
\r
4433 this.eachLayer(function (layer) {
\r
4434 bounds.extend(layer instanceof L.Marker ? layer.getLatLng() : layer.getBounds());
\r
4440 _propagateEvent: function (e) {
\r
4445 this.fire(e.type, e);
\r
4449 L.featureGroup = function (layers) {
\r
4450 return new L.FeatureGroup(layers);
\r
4455 * L.Path is a base class for rendering vector paths on a map. Inherited by Polyline, Circle, etc.
\r
4458 L.Path = L.Class.extend({
\r
4459 includes: [L.Mixin.Events],
\r
4462 // how much to extend the clip area around the map view
\r
4463 // (relative to its size, e.g. 0.5 is half the screen in each direction)
\r
4464 // set it so that SVG element doesn't exceed 1280px (vectors flicker on dragend if it is)
\r
4465 CLIP_PADDING: (function () {
\r
4466 var max = L.Browser.mobile ? 1280 : 2000,
\r
4467 target = (max / Math.max(window.outerWidth, window.outerHeight) - 1) / 2;
\r
4468 return Math.max(0, Math.min(0.5, target));
\r
4482 fillColor: null, //same as color by default
\r
4488 initialize: function (options) {
\r
4489 L.setOptions(this, options);
\r
4492 onAdd: function (map) {
\r
4495 if (!this._container) {
\r
4496 this._initElements();
\r
4497 this._initEvents();
\r
4500 this.projectLatlngs();
\r
4501 this._updatePath();
\r
4503 if (this._container) {
\r
4504 this._map._pathRoot.appendChild(this._container);
\r
4510 'viewreset': this.projectLatlngs,
\r
4511 'moveend': this._updatePath
\r
4515 addTo: function (map) {
\r
4516 map.addLayer(this);
\r
4520 onRemove: function (map) {
\r
4521 map._pathRoot.removeChild(this._container);
\r
4523 // Need to fire remove event before we set _map to null as the event hooks might need the object
\r
4524 this.fire('remove');
\r
4527 if (L.Browser.vml) {
\r
4528 this._container = null;
\r
4529 this._stroke = null;
\r
4530 this._fill = null;
\r
4534 'viewreset': this.projectLatlngs,
\r
4535 'moveend': this._updatePath
\r
4539 projectLatlngs: function () {
\r
4540 // do all projection stuff here
\r
4543 setStyle: function (style) {
\r
4544 L.setOptions(this, style);
\r
4546 if (this._container) {
\r
4547 this._updateStyle();
\r
4553 redraw: function () {
\r
4555 this.projectLatlngs();
\r
4556 this._updatePath();
\r
4563 _updatePathViewport: function () {
\r
4564 var p = L.Path.CLIP_PADDING,
\r
4565 size = this.getSize(),
\r
4566 panePos = L.DomUtil.getPosition(this._mapPane),
\r
4567 min = panePos.multiplyBy(-1)._subtract(size.multiplyBy(p)._round()),
\r
4568 max = min.add(size.multiplyBy(1 + p * 2)._round());
\r
4570 this._pathViewport = new L.Bounds(min, max);
\r
4576 * Extends L.Path with SVG-specific rendering code.
\r
4579 L.Path.SVG_NS = 'http://www.w3.org/2000/svg';
\r
4581 L.Browser.svg = !!(document.createElementNS && document.createElementNS(L.Path.SVG_NS, 'svg').createSVGRect);
\r
4583 L.Path = L.Path.extend({
\r
4585 SVG: L.Browser.svg
\r
4588 bringToFront: function () {
\r
4589 var root = this._map._pathRoot,
\r
4590 path = this._container;
\r
4592 if (path && root.lastChild !== path) {
\r
4593 root.appendChild(path);
\r
4598 bringToBack: function () {
\r
4599 var root = this._map._pathRoot,
\r
4600 path = this._container,
\r
4601 first = root.firstChild;
\r
4603 if (path && first !== path) {
\r
4604 root.insertBefore(path, first);
\r
4609 getPathString: function () {
\r
4610 // form path string here
\r
4613 _createElement: function (name) {
\r
4614 return document.createElementNS(L.Path.SVG_NS, name);
\r
4617 _initElements: function () {
\r
4618 this._map._initPathRoot();
\r
4620 this._initStyle();
\r
4623 _initPath: function () {
\r
4624 this._container = this._createElement('g');
\r
4626 this._path = this._createElement('path');
\r
4628 if (this.options.className) {
\r
4629 L.DomUtil.addClass(this._path, this.options.className);
\r
4632 this._container.appendChild(this._path);
\r
4635 _initStyle: function () {
\r
4636 if (this.options.stroke) {
\r
4637 this._path.setAttribute('stroke-linejoin', 'round');
\r
4638 this._path.setAttribute('stroke-linecap', 'round');
\r
4640 if (this.options.fill) {
\r
4641 this._path.setAttribute('fill-rule', 'evenodd');
\r
4643 if (this.options.pointerEvents) {
\r
4644 this._path.setAttribute('pointer-events', this.options.pointerEvents);
\r
4646 if (!this.options.clickable && !this.options.pointerEvents) {
\r
4647 this._path.setAttribute('pointer-events', 'none');
\r
4649 this._updateStyle();
\r
4652 _updateStyle: function () {
\r
4653 if (this.options.stroke) {
\r
4654 this._path.setAttribute('stroke', this.options.color);
\r
4655 this._path.setAttribute('stroke-opacity', this.options.opacity);
\r
4656 this._path.setAttribute('stroke-width', this.options.weight);
\r
4657 if (this.options.dashArray) {
\r
4658 this._path.setAttribute('stroke-dasharray', this.options.dashArray);
\r
4660 this._path.removeAttribute('stroke-dasharray');
\r
4662 if (this.options.lineCap) {
\r
4663 this._path.setAttribute('stroke-linecap', this.options.lineCap);
\r
4665 if (this.options.lineJoin) {
\r
4666 this._path.setAttribute('stroke-linejoin', this.options.lineJoin);
\r
4669 this._path.setAttribute('stroke', 'none');
\r
4671 if (this.options.fill) {
\r
4672 this._path.setAttribute('fill', this.options.fillColor || this.options.color);
\r
4673 this._path.setAttribute('fill-opacity', this.options.fillOpacity);
\r
4675 this._path.setAttribute('fill', 'none');
\r
4679 _updatePath: function () {
\r
4680 var str = this.getPathString();
\r
4682 // fix webkit empty string parsing bug
\r
4685 this._path.setAttribute('d', str);
\r
4688 // TODO remove duplication with L.Map
\r
4689 _initEvents: function () {
\r
4690 if (this.options.clickable) {
\r
4691 if (L.Browser.svg || !L.Browser.vml) {
\r
4692 L.DomUtil.addClass(this._path, 'leaflet-clickable');
\r
4695 L.DomEvent.on(this._container, 'click', this._onMouseClick, this);
\r
4697 var events = ['dblclick', 'mousedown', 'mouseover',
\r
4698 'mouseout', 'mousemove', 'contextmenu'];
\r
4699 for (var i = 0; i < events.length; i++) {
\r
4700 L.DomEvent.on(this._container, events[i], this._fireMouseEvent, this);
\r
4705 _onMouseClick: function (e) {
\r
4706 if (this._map.dragging && this._map.dragging.moved()) { return; }
\r
4708 this._fireMouseEvent(e);
\r
4711 _fireMouseEvent: function (e) {
\r
4712 if (!this.hasEventListeners(e.type)) { return; }
\r
4714 var map = this._map,
\r
4715 containerPoint = map.mouseEventToContainerPoint(e),
\r
4716 layerPoint = map.containerPointToLayerPoint(containerPoint),
\r
4717 latlng = map.layerPointToLatLng(layerPoint);
\r
4719 this.fire(e.type, {
\r
4721 layerPoint: layerPoint,
\r
4722 containerPoint: containerPoint,
\r
4726 if (e.type === 'contextmenu') {
\r
4727 L.DomEvent.preventDefault(e);
\r
4729 if (e.type !== 'mousemove') {
\r
4730 L.DomEvent.stopPropagation(e);
\r
4736 _initPathRoot: function () {
\r
4737 if (!this._pathRoot) {
\r
4738 this._pathRoot = L.Path.prototype._createElement('svg');
\r
4739 this._panes.overlayPane.appendChild(this._pathRoot);
\r
4741 if (this.options.zoomAnimation && L.Browser.any3d) {
\r
4742 L.DomUtil.addClass(this._pathRoot, 'leaflet-zoom-animated');
\r
4745 'zoomanim': this._animatePathZoom,
\r
4746 'zoomend': this._endPathZoom
\r
4749 L.DomUtil.addClass(this._pathRoot, 'leaflet-zoom-hide');
\r
4752 this.on('moveend', this._updateSvgViewport);
\r
4753 this._updateSvgViewport();
\r
4757 _animatePathZoom: function (e) {
\r
4758 var scale = this.getZoomScale(e.zoom),
\r
4759 offset = this._getCenterOffset(e.center)._multiplyBy(-scale)._add(this._pathViewport.min);
\r
4761 this._pathRoot.style[L.DomUtil.TRANSFORM] =
\r
4762 L.DomUtil.getTranslateString(offset) + ' scale(' + scale + ') ';
\r
4764 this._pathZooming = true;
\r
4767 _endPathZoom: function () {
\r
4768 this._pathZooming = false;
\r
4771 _updateSvgViewport: function () {
\r
4773 if (this._pathZooming) {
\r
4774 // Do not update SVGs while a zoom animation is going on otherwise the animation will break.
\r
4775 // When the zoom animation ends we will be updated again anyway
\r
4776 // This fixes the case where you do a momentum move and zoom while the move is still ongoing.
\r
4780 this._updatePathViewport();
\r
4782 var vp = this._pathViewport,
\r
4785 width = max.x - min.x,
\r
4786 height = max.y - min.y,
\r
4787 root = this._pathRoot,
\r
4788 pane = this._panes.overlayPane;
\r
4790 // Hack to make flicker on drag end on mobile webkit less irritating
\r
4791 if (L.Browser.mobileWebkit) {
\r
4792 pane.removeChild(root);
\r
4795 L.DomUtil.setPosition(root, min);
\r
4796 root.setAttribute('width', width);
\r
4797 root.setAttribute('height', height);
\r
4798 root.setAttribute('viewBox', [min.x, min.y, width, height].join(' '));
\r
4800 if (L.Browser.mobileWebkit) {
\r
4801 pane.appendChild(root);
\r
4808 * Popup extension to L.Path (polylines, polygons, circles), adding popup-related methods.
\r
4813 bindPopup: function (content, options) {
\r
4815 if (content instanceof L.Popup) {
\r
4816 this._popup = content;
\r
4818 if (!this._popup || options) {
\r
4819 this._popup = new L.Popup(options, this);
\r
4821 this._popup.setContent(content);
\r
4824 if (!this._popupHandlersAdded) {
\r
4826 .on('click', this._openPopup, this)
\r
4827 .on('remove', this.closePopup, this);
\r
4829 this._popupHandlersAdded = true;
\r
4835 unbindPopup: function () {
\r
4836 if (this._popup) {
\r
4837 this._popup = null;
\r
4839 .off('click', this._openPopup)
\r
4840 .off('remove', this.closePopup);
\r
4842 this._popupHandlersAdded = false;
\r
4847 openPopup: function (latlng) {
\r
4849 if (this._popup) {
\r
4850 // open the popup from one of the path's points if not specified
\r
4851 latlng = latlng || this._latlng ||
\r
4852 this._latlngs[Math.floor(this._latlngs.length / 2)];
\r
4854 this._openPopup({latlng: latlng});
\r
4860 closePopup: function () {
\r
4861 if (this._popup) {
\r
4862 this._popup._close();
\r
4867 _openPopup: function (e) {
\r
4868 this._popup.setLatLng(e.latlng);
\r
4869 this._map.openPopup(this._popup);
\r
4875 * Vector rendering for IE6-8 through VML.
\r
4876 * Thanks to Dmitry Baranovsky and his Raphael library for inspiration!
\r
4879 L.Browser.vml = !L.Browser.svg && (function () {
\r
4881 var div = document.createElement('div');
\r
4882 div.innerHTML = '<v:shape adj="1"/>';
\r
4884 var shape = div.firstChild;
\r
4885 shape.style.behavior = 'url(#default#VML)';
\r
4887 return shape && (typeof shape.adj === 'object');
\r
4894 L.Path = L.Browser.svg || !L.Browser.vml ? L.Path : L.Path.extend({
\r
4897 CLIP_PADDING: 0.02
\r
4900 _createElement: (function () {
\r
4902 document.namespaces.add('lvml', 'urn:schemas-microsoft-com:vml');
\r
4903 return function (name) {
\r
4904 return document.createElement('<lvml:' + name + ' class="lvml">');
\r
4907 return function (name) {
\r
4908 return document.createElement(
\r
4909 '<' + name + ' xmlns="urn:schemas-microsoft.com:vml" class="lvml">');
\r
4914 _initPath: function () {
\r
4915 var container = this._container = this._createElement('shape');
\r
4917 L.DomUtil.addClass(container, 'leaflet-vml-shape' +
\r
4918 (this.options.className ? ' ' + this.options.className : ''));
\r
4920 if (this.options.clickable) {
\r
4921 L.DomUtil.addClass(container, 'leaflet-clickable');
\r
4924 container.coordsize = '1 1';
\r
4926 this._path = this._createElement('path');
\r
4927 container.appendChild(this._path);
\r
4929 this._map._pathRoot.appendChild(container);
\r
4932 _initStyle: function () {
\r
4933 this._updateStyle();
\r
4936 _updateStyle: function () {
\r
4937 var stroke = this._stroke,
\r
4938 fill = this._fill,
\r
4939 options = this.options,
\r
4940 container = this._container;
\r
4942 container.stroked = options.stroke;
\r
4943 container.filled = options.fill;
\r
4945 if (options.stroke) {
\r
4947 stroke = this._stroke = this._createElement('stroke');
\r
4948 stroke.endcap = 'round';
\r
4949 container.appendChild(stroke);
\r
4951 stroke.weight = options.weight + 'px';
\r
4952 stroke.color = options.color;
\r
4953 stroke.opacity = options.opacity;
\r
4955 if (options.dashArray) {
\r
4956 stroke.dashStyle = L.Util.isArray(options.dashArray) ?
\r
4957 options.dashArray.join(' ') :
\r
4958 options.dashArray.replace(/( *, *)/g, ' ');
\r
4960 stroke.dashStyle = '';
\r
4962 if (options.lineCap) {
\r
4963 stroke.endcap = options.lineCap.replace('butt', 'flat');
\r
4965 if (options.lineJoin) {
\r
4966 stroke.joinstyle = options.lineJoin;
\r
4969 } else if (stroke) {
\r
4970 container.removeChild(stroke);
\r
4971 this._stroke = null;
\r
4974 if (options.fill) {
\r
4976 fill = this._fill = this._createElement('fill');
\r
4977 container.appendChild(fill);
\r
4979 fill.color = options.fillColor || options.color;
\r
4980 fill.opacity = options.fillOpacity;
\r
4982 } else if (fill) {
\r
4983 container.removeChild(fill);
\r
4984 this._fill = null;
\r
4988 _updatePath: function () {
\r
4989 var style = this._container.style;
\r
4991 style.display = 'none';
\r
4992 this._path.v = this.getPathString() + ' '; // the space fixes IE empty path string bug
\r
4993 style.display = '';
\r
4997 L.Map.include(L.Browser.svg || !L.Browser.vml ? {} : {
\r
4998 _initPathRoot: function () {
\r
4999 if (this._pathRoot) { return; }
\r
5001 var root = this._pathRoot = document.createElement('div');
\r
5002 root.className = 'leaflet-vml-container';
\r
5003 this._panes.overlayPane.appendChild(root);
\r
5005 this.on('moveend', this._updatePathViewport);
\r
5006 this._updatePathViewport();
\r
5012 * Vector rendering for all browsers that support canvas.
\r
5015 L.Browser.canvas = (function () {
\r
5016 return !!document.createElement('canvas').getContext;
\r
5019 L.Path = (L.Path.SVG && !window.L_PREFER_CANVAS) || !L.Browser.canvas ? L.Path : L.Path.extend({
\r
5021 //CLIP_PADDING: 0.02, // not sure if there's a need to set it to a small value
\r
5026 redraw: function () {
\r
5028 this.projectLatlngs();
\r
5029 this._requestUpdate();
\r
5034 setStyle: function (style) {
\r
5035 L.setOptions(this, style);
\r
5038 this._updateStyle();
\r
5039 this._requestUpdate();
\r
5044 onRemove: function (map) {
\r
5046 .off('viewreset', this.projectLatlngs, this)
\r
5047 .off('moveend', this._updatePath, this);
\r
5049 if (this.options.clickable) {
\r
5050 this._map.off('click', this._onClick, this);
\r
5051 this._map.off('mousemove', this._onMouseMove, this);
\r
5054 this._requestUpdate();
\r
5056 this.fire('remove');
\r
5060 _requestUpdate: function () {
\r
5061 if (this._map && !L.Path._updateRequest) {
\r
5062 L.Path._updateRequest = L.Util.requestAnimFrame(this._fireMapMoveEnd, this._map);
\r
5066 _fireMapMoveEnd: function () {
\r
5067 L.Path._updateRequest = null;
\r
5068 this.fire('moveend');
\r
5071 _initElements: function () {
\r
5072 this._map._initPathRoot();
\r
5073 this._ctx = this._map._canvasCtx;
\r
5076 _updateStyle: function () {
\r
5077 var options = this.options;
\r
5079 if (options.stroke) {
\r
5080 this._ctx.lineWidth = options.weight;
\r
5081 this._ctx.strokeStyle = options.color;
\r
5083 if (options.fill) {
\r
5084 this._ctx.fillStyle = options.fillColor || options.color;
\r
5087 if (options.lineCap) {
\r
5088 this._ctx.lineCap = options.lineCap;
\r
5090 if (options.lineJoin) {
\r
5091 this._ctx.lineJoin = options.lineJoin;
\r
5095 _drawPath: function () {
\r
5096 var i, j, len, len2, point, drawMethod;
\r
5098 this._ctx.beginPath();
\r
5100 for (i = 0, len = this._parts.length; i < len; i++) {
\r
5101 for (j = 0, len2 = this._parts[i].length; j < len2; j++) {
\r
5102 point = this._parts[i][j];
\r
5103 drawMethod = (j === 0 ? 'move' : 'line') + 'To';
\r
5105 this._ctx[drawMethod](point.x, point.y);
\r
5107 // TODO refactor ugly hack
\r
5108 if (this instanceof L.Polygon) {
\r
5109 this._ctx.closePath();
\r
5114 _checkIfEmpty: function () {
\r
5115 return !this._parts.length;
\r
5118 _updatePath: function () {
\r
5119 if (this._checkIfEmpty()) { return; }
\r
5121 var ctx = this._ctx,
\r
5122 options = this.options;
\r
5126 this._updateStyle();
\r
5128 if (options.fill) {
\r
5129 ctx.globalAlpha = options.fillOpacity;
\r
5130 ctx.fill(options.fillRule || 'evenodd');
\r
5133 if (options.stroke) {
\r
5134 ctx.globalAlpha = options.opacity;
\r
5140 // TODO optimization: 1 fill/stroke for all features with equal style instead of 1 for each feature
\r
5143 _initEvents: function () {
\r
5144 if (this.options.clickable) {
\r
5145 this._map.on('mousemove', this._onMouseMove, this);
\r
5146 this._map.on('click dblclick contextmenu', this._fireMouseEvent, this);
\r
5150 _fireMouseEvent: function (e) {
\r
5151 if (this._containsPoint(e.layerPoint)) {
\r
5152 this.fire(e.type, e);
\r
5156 _onMouseMove: function (e) {
\r
5157 if (!this._map || this._map._animatingZoom) { return; }
\r
5159 // TODO don't do on each move
\r
5160 if (this._containsPoint(e.layerPoint)) {
\r
5161 this._ctx.canvas.style.cursor = 'pointer';
\r
5162 this._mouseInside = true;
\r
5163 this.fire('mouseover', e);
\r
5165 } else if (this._mouseInside) {
\r
5166 this._ctx.canvas.style.cursor = '';
\r
5167 this._mouseInside = false;
\r
5168 this.fire('mouseout', e);
\r
5173 L.Map.include((L.Path.SVG && !window.L_PREFER_CANVAS) || !L.Browser.canvas ? {} : {
\r
5174 _initPathRoot: function () {
\r
5175 var root = this._pathRoot,
\r
5179 root = this._pathRoot = document.createElement('canvas');
\r
5180 root.style.position = 'absolute';
\r
5181 ctx = this._canvasCtx = root.getContext('2d');
\r
5183 ctx.lineCap = 'round';
\r
5184 ctx.lineJoin = 'round';
\r
5186 this._panes.overlayPane.appendChild(root);
\r
5188 if (this.options.zoomAnimation) {
\r
5189 this._pathRoot.className = 'leaflet-zoom-animated';
\r
5190 this.on('zoomanim', this._animatePathZoom);
\r
5191 this.on('zoomend', this._endPathZoom);
\r
5193 this.on('moveend', this._updateCanvasViewport);
\r
5194 this._updateCanvasViewport();
\r
5198 _updateCanvasViewport: function () {
\r
5199 // don't redraw while zooming. See _updateSvgViewport for more details
\r
5200 if (this._pathZooming) { return; }
\r
5201 this._updatePathViewport();
\r
5203 var vp = this._pathViewport,
\r
5205 size = vp.max.subtract(min),
\r
5206 root = this._pathRoot;
\r
5208 //TODO check if this works properly on mobile webkit
\r
5209 L.DomUtil.setPosition(root, min);
\r
5210 root.width = size.x;
\r
5211 root.height = size.y;
\r
5212 root.getContext('2d').translate(-min.x, -min.y);
\r
5218 * L.LineUtil contains different utility functions for line segments
\r
5219 * and polylines (clipping, simplification, distances, etc.)
\r
5222 /*jshint bitwise:false */ // allow bitwise operations for this file
\r
5226 // Simplify polyline with vertex reduction and Douglas-Peucker simplification.
\r
5227 // Improves rendering performance dramatically by lessening the number of points to draw.
\r
5229 simplify: function (/*Point[]*/ points, /*Number*/ tolerance) {
\r
5230 if (!tolerance || !points.length) {
\r
5231 return points.slice();
\r
5234 var sqTolerance = tolerance * tolerance;
\r
5236 // stage 1: vertex reduction
\r
5237 points = this._reducePoints(points, sqTolerance);
\r
5239 // stage 2: Douglas-Peucker simplification
\r
5240 points = this._simplifyDP(points, sqTolerance);
\r
5245 // distance from a point to a segment between two points
\r
5246 pointToSegmentDistance: function (/*Point*/ p, /*Point*/ p1, /*Point*/ p2) {
\r
5247 return Math.sqrt(this._sqClosestPointOnSegment(p, p1, p2, true));
\r
5250 closestPointOnSegment: function (/*Point*/ p, /*Point*/ p1, /*Point*/ p2) {
\r
5251 return this._sqClosestPointOnSegment(p, p1, p2);
\r
5254 // Douglas-Peucker simplification, see http://en.wikipedia.org/wiki/Douglas-Peucker_algorithm
\r
5255 _simplifyDP: function (points, sqTolerance) {
\r
5257 var len = points.length,
\r
5258 ArrayConstructor = typeof Uint8Array !== undefined + '' ? Uint8Array : Array,
\r
5259 markers = new ArrayConstructor(len);
\r
5261 markers[0] = markers[len - 1] = 1;
\r
5263 this._simplifyDPStep(points, markers, sqTolerance, 0, len - 1);
\r
5268 for (i = 0; i < len; i++) {
\r
5270 newPoints.push(points[i]);
\r
5277 _simplifyDPStep: function (points, markers, sqTolerance, first, last) {
\r
5279 var maxSqDist = 0,
\r
5282 for (i = first + 1; i <= last - 1; i++) {
\r
5283 sqDist = this._sqClosestPointOnSegment(points[i], points[first], points[last], true);
\r
5285 if (sqDist > maxSqDist) {
\r
5287 maxSqDist = sqDist;
\r
5291 if (maxSqDist > sqTolerance) {
\r
5292 markers[index] = 1;
\r
5294 this._simplifyDPStep(points, markers, sqTolerance, first, index);
\r
5295 this._simplifyDPStep(points, markers, sqTolerance, index, last);
\r
5299 // reduce points that are too close to each other to a single point
\r
5300 _reducePoints: function (points, sqTolerance) {
\r
5301 var reducedPoints = [points[0]];
\r
5303 for (var i = 1, prev = 0, len = points.length; i < len; i++) {
\r
5304 if (this._sqDist(points[i], points[prev]) > sqTolerance) {
\r
5305 reducedPoints.push(points[i]);
\r
5309 if (prev < len - 1) {
\r
5310 reducedPoints.push(points[len - 1]);
\r
5312 return reducedPoints;
\r
5315 // Cohen-Sutherland line clipping algorithm.
\r
5316 // Used to avoid rendering parts of a polyline that are not currently visible.
\r
5318 clipSegment: function (a, b, bounds, useLastCode) {
\r
5319 var codeA = useLastCode ? this._lastCode : this._getBitCode(a, bounds),
\r
5320 codeB = this._getBitCode(b, bounds),
\r
5322 codeOut, p, newCode;
\r
5324 // save 2nd code to avoid calculating it on the next segment
\r
5325 this._lastCode = codeB;
\r
5328 // if a,b is inside the clip window (trivial accept)
\r
5329 if (!(codeA | codeB)) {
\r
5331 // if a,b is outside the clip window (trivial reject)
\r
5332 } else if (codeA & codeB) {
\r
5336 codeOut = codeA || codeB;
\r
5337 p = this._getEdgeIntersection(a, b, codeOut, bounds);
\r
5338 newCode = this._getBitCode(p, bounds);
\r
5340 if (codeOut === codeA) {
\r
5351 _getEdgeIntersection: function (a, b, code, bounds) {
\r
5352 var dx = b.x - a.x,
\r
5357 if (code & 8) { // top
\r
5358 return new L.Point(a.x + dx * (max.y - a.y) / dy, max.y);
\r
5359 } else if (code & 4) { // bottom
\r
5360 return new L.Point(a.x + dx * (min.y - a.y) / dy, min.y);
\r
5361 } else if (code & 2) { // right
\r
5362 return new L.Point(max.x, a.y + dy * (max.x - a.x) / dx);
\r
5363 } else if (code & 1) { // left
\r
5364 return new L.Point(min.x, a.y + dy * (min.x - a.x) / dx);
\r
5368 _getBitCode: function (/*Point*/ p, bounds) {
\r
5371 if (p.x < bounds.min.x) { // left
\r
5373 } else if (p.x > bounds.max.x) { // right
\r
5376 if (p.y < bounds.min.y) { // bottom
\r
5378 } else if (p.y > bounds.max.y) { // top
\r
5385 // square distance (to avoid unnecessary Math.sqrt calls)
\r
5386 _sqDist: function (p1, p2) {
\r
5387 var dx = p2.x - p1.x,
\r
5389 return dx * dx + dy * dy;
\r
5392 // return closest point on segment or distance to that point
\r
5393 _sqClosestPointOnSegment: function (p, p1, p2, sqDist) {
\r
5398 dot = dx * dx + dy * dy,
\r
5402 t = ((p.x - x) * dx + (p.y - y) * dy) / dot;
\r
5407 } else if (t > 0) {
\r
5416 return sqDist ? dx * dx + dy * dy : new L.Point(x, y);
\r
5422 * L.Polyline is used to display polylines on a map.
\r
5425 L.Polyline = L.Path.extend({
\r
5426 initialize: function (latlngs, options) {
\r
5427 L.Path.prototype.initialize.call(this, options);
\r
5429 this._latlngs = this._convertLatLngs(latlngs);
\r
5433 // how much to simplify the polyline on each zoom level
\r
5434 // more = better performance and smoother look, less = more accurate
\r
5435 smoothFactor: 1.0,
\r
5439 projectLatlngs: function () {
\r
5440 this._originalPoints = [];
\r
5442 for (var i = 0, len = this._latlngs.length; i < len; i++) {
\r
5443 this._originalPoints[i] = this._map.latLngToLayerPoint(this._latlngs[i]);
\r
5447 getPathString: function () {
\r
5448 for (var i = 0, len = this._parts.length, str = ''; i < len; i++) {
\r
5449 str += this._getPathPartStr(this._parts[i]);
\r
5454 getLatLngs: function () {
\r
5455 return this._latlngs;
\r
5458 setLatLngs: function (latlngs) {
\r
5459 this._latlngs = this._convertLatLngs(latlngs);
\r
5460 return this.redraw();
\r
5463 addLatLng: function (latlng) {
\r
5464 this._latlngs.push(L.latLng(latlng));
\r
5465 return this.redraw();
\r
5468 spliceLatLngs: function () { // (Number index, Number howMany)
\r
5469 var removed = [].splice.apply(this._latlngs, arguments);
\r
5470 this._convertLatLngs(this._latlngs, true);
\r
5475 closestLayerPoint: function (p) {
\r
5476 var minDistance = Infinity, parts = this._parts, p1, p2, minPoint = null;
\r
5478 for (var j = 0, jLen = parts.length; j < jLen; j++) {
\r
5479 var points = parts[j];
\r
5480 for (var i = 1, len = points.length; i < len; i++) {
\r
5481 p1 = points[i - 1];
\r
5483 var sqDist = L.LineUtil._sqClosestPointOnSegment(p, p1, p2, true);
\r
5484 if (sqDist < minDistance) {
\r
5485 minDistance = sqDist;
\r
5486 minPoint = L.LineUtil._sqClosestPointOnSegment(p, p1, p2);
\r
5491 minPoint.distance = Math.sqrt(minDistance);
\r
5496 getBounds: function () {
\r
5497 return new L.LatLngBounds(this.getLatLngs());
\r
5500 _convertLatLngs: function (latlngs, overwrite) {
\r
5501 var i, len, target = overwrite ? latlngs : [];
\r
5503 for (i = 0, len = latlngs.length; i < len; i++) {
\r
5504 if (L.Util.isArray(latlngs[i]) && typeof latlngs[i][0] !== 'number') {
\r
5507 target[i] = L.latLng(latlngs[i]);
\r
5512 _initEvents: function () {
\r
5513 L.Path.prototype._initEvents.call(this);
\r
5516 _getPathPartStr: function (points) {
\r
5517 var round = L.Path.VML;
\r
5519 for (var j = 0, len2 = points.length, str = '', p; j < len2; j++) {
\r
5524 str += (j ? 'L' : 'M') + p.x + ' ' + p.y;
\r
5529 _clipPoints: function () {
\r
5530 var points = this._originalPoints,
\r
5531 len = points.length,
\r
5534 if (this.options.noClip) {
\r
5535 this._parts = [points];
\r
5541 var parts = this._parts,
\r
5542 vp = this._map._pathViewport,
\r
5545 for (i = 0, k = 0; i < len - 1; i++) {
\r
5546 segment = lu.clipSegment(points[i], points[i + 1], vp, i);
\r
5551 parts[k] = parts[k] || [];
\r
5552 parts[k].push(segment[0]);
\r
5554 // if segment goes out of screen, or it's the last one, it's the end of the line part
\r
5555 if ((segment[1] !== points[i + 1]) || (i === len - 2)) {
\r
5556 parts[k].push(segment[1]);
\r
5562 // simplify each clipped part of the polyline
\r
5563 _simplifyPoints: function () {
\r
5564 var parts = this._parts,
\r
5567 for (var i = 0, len = parts.length; i < len; i++) {
\r
5568 parts[i] = lu.simplify(parts[i], this.options.smoothFactor);
\r
5572 _updatePath: function () {
\r
5573 if (!this._map) { return; }
\r
5575 this._clipPoints();
\r
5576 this._simplifyPoints();
\r
5578 L.Path.prototype._updatePath.call(this);
\r
5582 L.polyline = function (latlngs, options) {
\r
5583 return new L.Polyline(latlngs, options);
\r
5588 * L.PolyUtil contains utility functions for polygons (clipping, etc.).
\r
5591 /*jshint bitwise:false */ // allow bitwise operations here
\r
5596 * Sutherland-Hodgeman polygon clipping algorithm.
\r
5597 * Used to avoid rendering parts of a polygon that are not currently visible.
\r
5599 L.PolyUtil.clipPolygon = function (points, bounds) {
\r
5600 var clippedPoints,
\r
5601 edges = [1, 4, 2, 8],
\r
5607 for (i = 0, len = points.length; i < len; i++) {
\r
5608 points[i]._code = lu._getBitCode(points[i], bounds);
\r
5611 // for each edge (left, bottom, right, top)
\r
5612 for (k = 0; k < 4; k++) {
\r
5614 clippedPoints = [];
\r
5616 for (i = 0, len = points.length, j = len - 1; i < len; j = i++) {
\r
5620 // if a is inside the clip window
\r
5621 if (!(a._code & edge)) {
\r
5622 // if b is outside the clip window (a->b goes out of screen)
\r
5623 if (b._code & edge) {
\r
5624 p = lu._getEdgeIntersection(b, a, edge, bounds);
\r
5625 p._code = lu._getBitCode(p, bounds);
\r
5626 clippedPoints.push(p);
\r
5628 clippedPoints.push(a);
\r
5630 // else if b is inside the clip window (a->b enters the screen)
\r
5631 } else if (!(b._code & edge)) {
\r
5632 p = lu._getEdgeIntersection(b, a, edge, bounds);
\r
5633 p._code = lu._getBitCode(p, bounds);
\r
5634 clippedPoints.push(p);
\r
5637 points = clippedPoints;
\r
5645 * L.Polygon is used to display polygons on a map.
\r
5648 L.Polygon = L.Polyline.extend({
\r
5653 initialize: function (latlngs, options) {
\r
5654 L.Polyline.prototype.initialize.call(this, latlngs, options);
\r
5655 this._initWithHoles(latlngs);
\r
5658 _initWithHoles: function (latlngs) {
\r
5660 if (latlngs && L.Util.isArray(latlngs[0]) && (typeof latlngs[0][0] !== 'number')) {
\r
5661 this._latlngs = this._convertLatLngs(latlngs[0]);
\r
5662 this._holes = latlngs.slice(1);
\r
5664 for (i = 0, len = this._holes.length; i < len; i++) {
\r
5665 hole = this._holes[i] = this._convertLatLngs(this._holes[i]);
\r
5666 if (hole[0].equals(hole[hole.length - 1])) {
\r
5672 // filter out last point if its equal to the first one
\r
5673 latlngs = this._latlngs;
\r
5675 if (latlngs.length >= 2 && latlngs[0].equals(latlngs[latlngs.length - 1])) {
\r
5680 projectLatlngs: function () {
\r
5681 L.Polyline.prototype.projectLatlngs.call(this);
\r
5683 // project polygon holes points
\r
5684 // TODO move this logic to Polyline to get rid of duplication
\r
5685 this._holePoints = [];
\r
5687 if (!this._holes) { return; }
\r
5689 var i, j, len, len2;
\r
5691 for (i = 0, len = this._holes.length; i < len; i++) {
\r
5692 this._holePoints[i] = [];
\r
5694 for (j = 0, len2 = this._holes[i].length; j < len2; j++) {
\r
5695 this._holePoints[i][j] = this._map.latLngToLayerPoint(this._holes[i][j]);
\r
5700 setLatLngs: function (latlngs) {
\r
5701 if (latlngs && L.Util.isArray(latlngs[0]) && (typeof latlngs[0][0] !== 'number')) {
\r
5702 this._initWithHoles(latlngs);
\r
5703 return this.redraw();
\r
5705 return L.Polyline.prototype.setLatLngs.call(this, latlngs);
\r
5709 _clipPoints: function () {
\r
5710 var points = this._originalPoints,
\r
5713 this._parts = [points].concat(this._holePoints);
\r
5715 if (this.options.noClip) { return; }
\r
5717 for (var i = 0, len = this._parts.length; i < len; i++) {
\r
5718 var clipped = L.PolyUtil.clipPolygon(this._parts[i], this._map._pathViewport);
\r
5719 if (clipped.length) {
\r
5720 newParts.push(clipped);
\r
5724 this._parts = newParts;
\r
5727 _getPathPartStr: function (points) {
\r
5728 var str = L.Polyline.prototype._getPathPartStr.call(this, points);
\r
5729 return str + (L.Browser.svg ? 'z' : 'x');
\r
5733 L.polygon = function (latlngs, options) {
\r
5734 return new L.Polygon(latlngs, options);
\r
5739 * Contains L.MultiPolyline and L.MultiPolygon layers.
\r
5743 function createMulti(Klass) {
\r
5745 return L.FeatureGroup.extend({
\r
5747 initialize: function (latlngs, options) {
\r
5748 this._layers = {};
\r
5749 this._options = options;
\r
5750 this.setLatLngs(latlngs);
\r
5753 setLatLngs: function (latlngs) {
\r
5755 len = latlngs.length;
\r
5757 this.eachLayer(function (layer) {
\r
5759 layer.setLatLngs(latlngs[i++]);
\r
5761 this.removeLayer(layer);
\r
5766 this.addLayer(new Klass(latlngs[i++], this._options));
\r
5772 getLatLngs: function () {
\r
5775 this.eachLayer(function (layer) {
\r
5776 latlngs.push(layer.getLatLngs());
\r
5784 L.MultiPolyline = createMulti(L.Polyline);
\r
5785 L.MultiPolygon = createMulti(L.Polygon);
\r
5787 L.multiPolyline = function (latlngs, options) {
\r
5788 return new L.MultiPolyline(latlngs, options);
\r
5791 L.multiPolygon = function (latlngs, options) {
\r
5792 return new L.MultiPolygon(latlngs, options);
\r
5798 * L.Rectangle extends Polygon and creates a rectangle when passed a LatLngBounds object.
\r
5801 L.Rectangle = L.Polygon.extend({
\r
5802 initialize: function (latLngBounds, options) {
\r
5803 L.Polygon.prototype.initialize.call(this, this._boundsToLatLngs(latLngBounds), options);
\r
5806 setBounds: function (latLngBounds) {
\r
5807 this.setLatLngs(this._boundsToLatLngs(latLngBounds));
\r
5810 _boundsToLatLngs: function (latLngBounds) {
\r
5811 latLngBounds = L.latLngBounds(latLngBounds);
\r
5813 latLngBounds.getSouthWest(),
\r
5814 latLngBounds.getNorthWest(),
\r
5815 latLngBounds.getNorthEast(),
\r
5816 latLngBounds.getSouthEast()
\r
5821 L.rectangle = function (latLngBounds, options) {
\r
5822 return new L.Rectangle(latLngBounds, options);
\r
5827 * L.Circle is a circle overlay (with a certain radius in meters).
\r
5830 L.Circle = L.Path.extend({
\r
5831 initialize: function (latlng, radius, options) {
\r
5832 L.Path.prototype.initialize.call(this, options);
\r
5834 this._latlng = L.latLng(latlng);
\r
5835 this._mRadius = radius;
\r
5842 setLatLng: function (latlng) {
\r
5843 this._latlng = L.latLng(latlng);
\r
5844 return this.redraw();
\r
5847 setRadius: function (radius) {
\r
5848 this._mRadius = radius;
\r
5849 return this.redraw();
\r
5852 projectLatlngs: function () {
\r
5853 var lngRadius = this._getLngRadius(),
\r
5854 latlng = this._latlng,
\r
5855 pointLeft = this._map.latLngToLayerPoint([latlng.lat, latlng.lng - lngRadius]);
\r
5857 this._point = this._map.latLngToLayerPoint(latlng);
\r
5858 this._radius = Math.max(this._point.x - pointLeft.x, 1);
\r
5861 getBounds: function () {
\r
5862 var lngRadius = this._getLngRadius(),
\r
5863 latRadius = (this._mRadius / 40075017) * 360,
\r
5864 latlng = this._latlng;
\r
5866 return new L.LatLngBounds(
\r
5867 [latlng.lat - latRadius, latlng.lng - lngRadius],
\r
5868 [latlng.lat + latRadius, latlng.lng + lngRadius]);
\r
5871 getLatLng: function () {
\r
5872 return this._latlng;
\r
5875 getPathString: function () {
\r
5876 var p = this._point,
\r
5879 if (this._checkIfEmpty()) {
\r
5883 if (L.Browser.svg) {
\r
5884 return 'M' + p.x + ',' + (p.y - r) +
\r
5885 'A' + r + ',' + r + ',0,1,1,' +
\r
5886 (p.x - 0.1) + ',' + (p.y - r) + ' z';
\r
5889 r = Math.round(r);
\r
5890 return 'AL ' + p.x + ',' + p.y + ' ' + r + ',' + r + ' 0,' + (65535 * 360);
\r
5894 getRadius: function () {
\r
5895 return this._mRadius;
\r
5898 // TODO Earth hardcoded, move into projection code!
\r
5900 _getLatRadius: function () {
\r
5901 return (this._mRadius / 40075017) * 360;
\r
5904 _getLngRadius: function () {
\r
5905 return this._getLatRadius() / Math.cos(L.LatLng.DEG_TO_RAD * this._latlng.lat);
\r
5908 _checkIfEmpty: function () {
\r
5912 var vp = this._map._pathViewport,
\r
5916 return p.x - r > vp.max.x || p.y - r > vp.max.y ||
\r
5917 p.x + r < vp.min.x || p.y + r < vp.min.y;
\r
5921 L.circle = function (latlng, radius, options) {
\r
5922 return new L.Circle(latlng, radius, options);
\r
5927 * L.CircleMarker is a circle overlay with a permanent pixel radius.
\r
5930 L.CircleMarker = L.Circle.extend({
\r
5936 initialize: function (latlng, options) {
\r
5937 L.Circle.prototype.initialize.call(this, latlng, null, options);
\r
5938 this._radius = this.options.radius;
\r
5941 projectLatlngs: function () {
\r
5942 this._point = this._map.latLngToLayerPoint(this._latlng);
\r
5945 _updateStyle : function () {
\r
5946 L.Circle.prototype._updateStyle.call(this);
\r
5947 this.setRadius(this.options.radius);
\r
5950 setLatLng: function (latlng) {
\r
5951 L.Circle.prototype.setLatLng.call(this, latlng);
\r
5952 if (this._popup && this._popup._isOpen) {
\r
5953 this._popup.setLatLng(latlng);
\r
5958 setRadius: function (radius) {
\r
5959 this.options.radius = this._radius = radius;
\r
5960 return this.redraw();
\r
5963 getRadius: function () {
\r
5964 return this._radius;
\r
5968 L.circleMarker = function (latlng, options) {
\r
5969 return new L.CircleMarker(latlng, options);
\r
5974 * Extends L.Polyline to be able to manually detect clicks on Canvas-rendered polylines.
\r
5977 L.Polyline.include(!L.Path.CANVAS ? {} : {
\r
5978 _containsPoint: function (p, closed) {
\r
5979 var i, j, k, len, len2, dist, part,
\r
5980 w = this.options.weight / 2;
\r
5982 if (L.Browser.touch) {
\r
5983 w += 10; // polyline click tolerance on touch devices
\r
5986 for (i = 0, len = this._parts.length; i < len; i++) {
\r
5987 part = this._parts[i];
\r
5988 for (j = 0, len2 = part.length, k = len2 - 1; j < len2; k = j++) {
\r
5989 if (!closed && (j === 0)) {
\r
5993 dist = L.LineUtil.pointToSegmentDistance(p, part[k], part[j]);
\r
6006 * Extends L.Polygon to be able to manually detect clicks on Canvas-rendered polygons.
\r
6009 L.Polygon.include(!L.Path.CANVAS ? {} : {
\r
6010 _containsPoint: function (p) {
\r
6011 var inside = false,
\r
6016 // TODO optimization: check if within bounds first
\r
6018 if (L.Polyline.prototype._containsPoint.call(this, p, true)) {
\r
6019 // click on polygon border
\r
6023 // ray casting algorithm for detecting if point is in polygon
\r
6025 for (i = 0, len = this._parts.length; i < len; i++) {
\r
6026 part = this._parts[i];
\r
6028 for (j = 0, len2 = part.length, k = len2 - 1; j < len2; k = j++) {
\r
6032 if (((p1.y > p.y) !== (p2.y > p.y)) &&
\r
6033 (p.x < (p2.x - p1.x) * (p.y - p1.y) / (p2.y - p1.y) + p1.x)) {
\r
6045 * Extends L.Circle with Canvas-specific code.
\r
6048 L.Circle.include(!L.Path.CANVAS ? {} : {
\r
6049 _drawPath: function () {
\r
6050 var p = this._point;
\r
6051 this._ctx.beginPath();
\r
6052 this._ctx.arc(p.x, p.y, this._radius, 0, Math.PI * 2, false);
\r
6055 _containsPoint: function (p) {
\r
6056 var center = this._point,
\r
6057 w2 = this.options.stroke ? this.options.weight / 2 : 0;
\r
6059 return (p.distanceTo(center) <= this._radius + w2);
\r
6065 * CircleMarker canvas specific drawing parts.
6068 L.CircleMarker.include(!L.Path.CANVAS ? {} : {
6069 _updateStyle: function () {
6070 L.Path.prototype._updateStyle.call(this);
6076 * L.GeoJSON turns any GeoJSON data into a Leaflet layer.
\r
6079 L.GeoJSON = L.FeatureGroup.extend({
\r
6081 initialize: function (geojson, options) {
\r
6082 L.setOptions(this, options);
\r
6084 this._layers = {};
\r
6087 this.addData(geojson);
\r
6091 addData: function (geojson) {
\r
6092 var features = L.Util.isArray(geojson) ? geojson : geojson.features,
\r
6096 for (i = 0, len = features.length; i < len; i++) {
\r
6097 // Only add this if geometry or geometries are set and not null
\r
6098 feature = features[i];
\r
6099 if (feature.geometries || feature.geometry || feature.features || feature.coordinates) {
\r
6100 this.addData(features[i]);
\r
6106 var options = this.options;
\r
6108 if (options.filter && !options.filter(geojson)) { return; }
\r
6110 var layer = L.GeoJSON.geometryToLayer(geojson, options.pointToLayer, options.coordsToLatLng, options);
\r
6111 layer.feature = L.GeoJSON.asFeature(geojson);
\r
6113 layer.defaultOptions = layer.options;
\r
6114 this.resetStyle(layer);
\r
6116 if (options.onEachFeature) {
\r
6117 options.onEachFeature(geojson, layer);
\r
6120 return this.addLayer(layer);
\r
6123 resetStyle: function (layer) {
\r
6124 var style = this.options.style;
\r
6126 // reset any custom styles
\r
6127 L.Util.extend(layer.options, layer.defaultOptions);
\r
6129 this._setLayerStyle(layer, style);
\r
6133 setStyle: function (style) {
\r
6134 this.eachLayer(function (layer) {
\r
6135 this._setLayerStyle(layer, style);
\r
6139 _setLayerStyle: function (layer, style) {
\r
6140 if (typeof style === 'function') {
\r
6141 style = style(layer.feature);
\r
6143 if (layer.setStyle) {
\r
6144 layer.setStyle(style);
\r
6149 L.extend(L.GeoJSON, {
\r
6150 geometryToLayer: function (geojson, pointToLayer, coordsToLatLng, vectorOptions) {
\r
6151 var geometry = geojson.type === 'Feature' ? geojson.geometry : geojson,
\r
6152 coords = geometry.coordinates,
\r
6154 latlng, latlngs, i, len;
\r
6156 coordsToLatLng = coordsToLatLng || this.coordsToLatLng;
\r
6158 switch (geometry.type) {
\r
6160 latlng = coordsToLatLng(coords);
\r
6161 return pointToLayer ? pointToLayer(geojson, latlng) : new L.Marker(latlng);
\r
6163 case 'MultiPoint':
\r
6164 for (i = 0, len = coords.length; i < len; i++) {
\r
6165 latlng = coordsToLatLng(coords[i]);
\r
6166 layers.push(pointToLayer ? pointToLayer(geojson, latlng) : new L.Marker(latlng));
\r
6168 return new L.FeatureGroup(layers);
\r
6170 case 'LineString':
\r
6171 latlngs = this.coordsToLatLngs(coords, 0, coordsToLatLng);
\r
6172 return new L.Polyline(latlngs, vectorOptions);
\r
6175 if (coords.length === 2 && !coords[1].length) {
\r
6176 throw new Error('Invalid GeoJSON object.');
\r
6178 latlngs = this.coordsToLatLngs(coords, 1, coordsToLatLng);
\r
6179 return new L.Polygon(latlngs, vectorOptions);
\r
6181 case 'MultiLineString':
\r
6182 latlngs = this.coordsToLatLngs(coords, 1, coordsToLatLng);
\r
6183 return new L.MultiPolyline(latlngs, vectorOptions);
\r
6185 case 'MultiPolygon':
\r
6186 latlngs = this.coordsToLatLngs(coords, 2, coordsToLatLng);
\r
6187 return new L.MultiPolygon(latlngs, vectorOptions);
\r
6189 case 'GeometryCollection':
\r
6190 for (i = 0, len = geometry.geometries.length; i < len; i++) {
\r
6192 layers.push(this.geometryToLayer({
\r
6193 geometry: geometry.geometries[i],
\r
6195 properties: geojson.properties
\r
6196 }, pointToLayer, coordsToLatLng, vectorOptions));
\r
6198 return new L.FeatureGroup(layers);
\r
6201 throw new Error('Invalid GeoJSON object.');
\r
6205 coordsToLatLng: function (coords) { // (Array[, Boolean]) -> LatLng
\r
6206 return new L.LatLng(coords[1], coords[0], coords[2]);
\r
6209 coordsToLatLngs: function (coords, levelsDeep, coordsToLatLng) { // (Array[, Number, Function]) -> Array
\r
6210 var latlng, i, len,
\r
6213 for (i = 0, len = coords.length; i < len; i++) {
\r
6214 latlng = levelsDeep ?
\r
6215 this.coordsToLatLngs(coords[i], levelsDeep - 1, coordsToLatLng) :
\r
6216 (coordsToLatLng || this.coordsToLatLng)(coords[i]);
\r
6218 latlngs.push(latlng);
\r
6224 latLngToCoords: function (latlng) {
\r
6225 var coords = [latlng.lng, latlng.lat];
\r
6227 if (latlng.alt !== undefined) {
\r
6228 coords.push(latlng.alt);
\r
6233 latLngsToCoords: function (latLngs) {
\r
6236 for (var i = 0, len = latLngs.length; i < len; i++) {
\r
6237 coords.push(L.GeoJSON.latLngToCoords(latLngs[i]));
\r
6243 getFeature: function (layer, newGeometry) {
\r
6244 return layer.feature ? L.extend({}, layer.feature, {geometry: newGeometry}) : L.GeoJSON.asFeature(newGeometry);
\r
6247 asFeature: function (geoJSON) {
\r
6248 if (geoJSON.type === 'Feature') {
\r
6260 var PointToGeoJSON = {
\r
6261 toGeoJSON: function () {
\r
6262 return L.GeoJSON.getFeature(this, {
\r
6264 coordinates: L.GeoJSON.latLngToCoords(this.getLatLng())
\r
6269 L.Marker.include(PointToGeoJSON);
\r
6270 L.Circle.include(PointToGeoJSON);
\r
6271 L.CircleMarker.include(PointToGeoJSON);
\r
6273 L.Polyline.include({
\r
6274 toGeoJSON: function () {
\r
6275 return L.GeoJSON.getFeature(this, {
\r
6276 type: 'LineString',
\r
6277 coordinates: L.GeoJSON.latLngsToCoords(this.getLatLngs())
\r
6282 L.Polygon.include({
\r
6283 toGeoJSON: function () {
\r
6284 var coords = [L.GeoJSON.latLngsToCoords(this.getLatLngs())],
\r
6287 coords[0].push(coords[0][0]);
\r
6289 if (this._holes) {
\r
6290 for (i = 0, len = this._holes.length; i < len; i++) {
\r
6291 hole = L.GeoJSON.latLngsToCoords(this._holes[i]);
\r
6292 hole.push(hole[0]);
\r
6293 coords.push(hole);
\r
6297 return L.GeoJSON.getFeature(this, {
\r
6299 coordinates: coords
\r
6305 function multiToGeoJSON(type) {
\r
6306 return function () {
\r
6309 this.eachLayer(function (layer) {
\r
6310 coords.push(layer.toGeoJSON().geometry.coordinates);
\r
6313 return L.GeoJSON.getFeature(this, {
\r
6315 coordinates: coords
\r
6320 L.MultiPolyline.include({toGeoJSON: multiToGeoJSON('MultiLineString')});
\r
6321 L.MultiPolygon.include({toGeoJSON: multiToGeoJSON('MultiPolygon')});
\r
6323 L.LayerGroup.include({
\r
6324 toGeoJSON: function () {
\r
6326 var geometry = this.feature && this.feature.geometry,
\r
6330 if (geometry && geometry.type === 'MultiPoint') {
\r
6331 return multiToGeoJSON('MultiPoint').call(this);
\r
6334 var isGeometryCollection = geometry && geometry.type === 'GeometryCollection';
\r
6336 this.eachLayer(function (layer) {
\r
6337 if (layer.toGeoJSON) {
\r
6338 json = layer.toGeoJSON();
\r
6339 jsons.push(isGeometryCollection ? json.geometry : L.GeoJSON.asFeature(json));
\r
6343 if (isGeometryCollection) {
\r
6344 return L.GeoJSON.getFeature(this, {
\r
6345 geometries: jsons,
\r
6346 type: 'GeometryCollection'
\r
6351 type: 'FeatureCollection',
\r
6358 L.geoJson = function (geojson, options) {
\r
6359 return new L.GeoJSON(geojson, options);
\r
6364 * L.DomEvent contains functions for working with DOM events.
\r
6368 /* inspired by John Resig, Dean Edwards and YUI addEvent implementations */
\r
6369 addListener: function (obj, type, fn, context) { // (HTMLElement, String, Function[, Object])
\r
6371 var id = L.stamp(fn),
\r
6372 key = '_leaflet_' + type + id,
\r
6373 handler, originalHandler, newType;
\r
6375 if (obj[key]) { return this; }
\r
6377 handler = function (e) {
\r
6378 return fn.call(context || obj, e || L.DomEvent._getEvent());
\r
6381 if (L.Browser.pointer && type.indexOf('touch') === 0) {
\r
6382 return this.addPointerListener(obj, type, handler, id);
\r
6384 if (L.Browser.touch && (type === 'dblclick') && this.addDoubleTapListener) {
\r
6385 this.addDoubleTapListener(obj, handler, id);
\r
6388 if ('addEventListener' in obj) {
\r
6390 if (type === 'mousewheel') {
\r
6391 obj.addEventListener('DOMMouseScroll', handler, false);
\r
6392 obj.addEventListener(type, handler, false);
\r
6394 } else if ((type === 'mouseenter') || (type === 'mouseleave')) {
\r
6396 originalHandler = handler;
\r
6397 newType = (type === 'mouseenter' ? 'mouseover' : 'mouseout');
\r
6399 handler = function (e) {
\r
6400 if (!L.DomEvent._checkMouse(obj, e)) { return; }
\r
6401 return originalHandler(e);
\r
6404 obj.addEventListener(newType, handler, false);
\r
6406 } else if (type === 'click' && L.Browser.android) {
\r
6407 originalHandler = handler;
\r
6408 handler = function (e) {
\r
6409 return L.DomEvent._filterClick(e, originalHandler);
\r
6412 obj.addEventListener(type, handler, false);
\r
6414 obj.addEventListener(type, handler, false);
\r
6417 } else if ('attachEvent' in obj) {
\r
6418 obj.attachEvent('on' + type, handler);
\r
6421 obj[key] = handler;
\r
6426 removeListener: function (obj, type, fn) { // (HTMLElement, String, Function)
\r
6428 var id = L.stamp(fn),
\r
6429 key = '_leaflet_' + type + id,
\r
6430 handler = obj[key];
\r
6432 if (!handler) { return this; }
\r
6434 if (L.Browser.pointer && type.indexOf('touch') === 0) {
\r
6435 this.removePointerListener(obj, type, id);
\r
6436 } else if (L.Browser.touch && (type === 'dblclick') && this.removeDoubleTapListener) {
\r
6437 this.removeDoubleTapListener(obj, id);
\r
6439 } else if ('removeEventListener' in obj) {
\r
6441 if (type === 'mousewheel') {
\r
6442 obj.removeEventListener('DOMMouseScroll', handler, false);
\r
6443 obj.removeEventListener(type, handler, false);
\r
6445 } else if ((type === 'mouseenter') || (type === 'mouseleave')) {
\r
6446 obj.removeEventListener((type === 'mouseenter' ? 'mouseover' : 'mouseout'), handler, false);
\r
6448 obj.removeEventListener(type, handler, false);
\r
6450 } else if ('detachEvent' in obj) {
\r
6451 obj.detachEvent('on' + type, handler);
\r
6459 stopPropagation: function (e) {
\r
6461 if (e.stopPropagation) {
\r
6462 e.stopPropagation();
\r
6464 e.cancelBubble = true;
\r
6466 L.DomEvent._skipped(e);
\r
6471 disableScrollPropagation: function (el) {
\r
6472 var stop = L.DomEvent.stopPropagation;
\r
6475 .on(el, 'mousewheel', stop)
\r
6476 .on(el, 'MozMousePixelScroll', stop);
\r
6479 disableClickPropagation: function (el) {
\r
6480 var stop = L.DomEvent.stopPropagation;
\r
6482 for (var i = L.Draggable.START.length - 1; i >= 0; i--) {
\r
6483 L.DomEvent.on(el, L.Draggable.START[i], stop);
\r
6487 .on(el, 'click', L.DomEvent._fakeStop)
\r
6488 .on(el, 'dblclick', stop);
\r
6491 preventDefault: function (e) {
\r
6493 if (e.preventDefault) {
\r
6494 e.preventDefault();
\r
6496 e.returnValue = false;
\r
6501 stop: function (e) {
\r
6503 .preventDefault(e)
\r
6504 .stopPropagation(e);
\r
6507 getMousePosition: function (e, container) {
\r
6509 return new L.Point(e.clientX, e.clientY);
\r
6512 var rect = container.getBoundingClientRect();
\r
6514 return new L.Point(
\r
6515 e.clientX - rect.left - container.clientLeft,
\r
6516 e.clientY - rect.top - container.clientTop);
\r
6519 getWheelDelta: function (e) {
\r
6523 if (e.wheelDelta) {
\r
6524 delta = e.wheelDelta / 120;
\r
6527 delta = -e.detail / 3;
\r
6534 _fakeStop: function (e) {
\r
6535 // fakes stopPropagation by setting a special event flag, checked/reset with L.DomEvent._skipped(e)
\r
6536 L.DomEvent._skipEvents[e.type] = true;
\r
6539 _skipped: function (e) {
\r
6540 var skipped = this._skipEvents[e.type];
\r
6541 // reset when checking, as it's only used in map container and propagates outside of the map
\r
6542 this._skipEvents[e.type] = false;
\r
6546 // check if element really left/entered the event target (for mouseenter/mouseleave)
\r
6547 _checkMouse: function (el, e) {
\r
6549 var related = e.relatedTarget;
\r
6551 if (!related) { return true; }
\r
6554 while (related && (related !== el)) {
\r
6555 related = related.parentNode;
\r
6560 return (related !== el);
\r
6563 _getEvent: function () { // evil magic for IE
\r
6564 /*jshint noarg:false */
\r
6565 var e = window.event;
\r
6567 var caller = arguments.callee.caller;
\r
6569 e = caller['arguments'][0];
\r
6570 if (e && window.Event === e.constructor) {
\r
6573 caller = caller.caller;
\r
6579 // this is a horrible workaround for a bug in Android where a single touch triggers two click events
\r
6580 _filterClick: function (e, handler) {
\r
6581 var timeStamp = (e.timeStamp || e.originalEvent.timeStamp),
\r
6582 elapsed = L.DomEvent._lastClick && (timeStamp - L.DomEvent._lastClick);
\r
6584 // are they closer together than 500ms yet more than 100ms?
\r
6585 // Android typically triggers them ~300ms apart while multiple listeners
\r
6586 // on the same event should be triggered far faster;
\r
6587 // or check if click is simulated on the element, and if it is, reject any non-simulated events
\r
6589 if ((elapsed && elapsed > 100 && elapsed < 500) || (e.target._simulatedClick && !e._simulated)) {
\r
6590 L.DomEvent.stop(e);
\r
6593 L.DomEvent._lastClick = timeStamp;
\r
6595 return handler(e);
\r
6599 L.DomEvent.on = L.DomEvent.addListener;
\r
6600 L.DomEvent.off = L.DomEvent.removeListener;
\r
6604 * L.Draggable allows you to add dragging capabilities to any element. Supports mobile devices too.
\r
6607 L.Draggable = L.Class.extend({
\r
6608 includes: L.Mixin.Events,
\r
6611 START: L.Browser.touch ? ['touchstart', 'mousedown'] : ['mousedown'],
\r
6613 mousedown: 'mouseup',
\r
6614 touchstart: 'touchend',
\r
6615 pointerdown: 'touchend',
\r
6616 MSPointerDown: 'touchend'
\r
6619 mousedown: 'mousemove',
\r
6620 touchstart: 'touchmove',
\r
6621 pointerdown: 'touchmove',
\r
6622 MSPointerDown: 'touchmove'
\r
6626 initialize: function (element, dragStartTarget) {
\r
6627 this._element = element;
\r
6628 this._dragStartTarget = dragStartTarget || element;
\r
6631 enable: function () {
\r
6632 if (this._enabled) { return; }
\r
6634 for (var i = L.Draggable.START.length - 1; i >= 0; i--) {
\r
6635 L.DomEvent.on(this._dragStartTarget, L.Draggable.START[i], this._onDown, this);
\r
6638 this._enabled = true;
\r
6641 disable: function () {
\r
6642 if (!this._enabled) { return; }
\r
6644 for (var i = L.Draggable.START.length - 1; i >= 0; i--) {
\r
6645 L.DomEvent.off(this._dragStartTarget, L.Draggable.START[i], this._onDown, this);
\r
6648 this._enabled = false;
\r
6649 this._moved = false;
\r
6652 _onDown: function (e) {
\r
6653 this._moved = false;
\r
6655 if (e.shiftKey || ((e.which !== 1) && (e.button !== 1) && !e.touches)) { return; }
\r
6657 L.DomEvent.stopPropagation(e);
\r
6659 if (L.Draggable._disabled) { return; }
\r
6661 L.DomUtil.disableImageDrag();
\r
6662 L.DomUtil.disableTextSelection();
\r
6664 if (this._moving) { return; }
\r
6666 var first = e.touches ? e.touches[0] : e;
\r
6668 this._startPoint = new L.Point(first.clientX, first.clientY);
\r
6669 this._startPos = this._newPos = L.DomUtil.getPosition(this._element);
\r
6672 .on(document, L.Draggable.MOVE[e.type], this._onMove, this)
\r
6673 .on(document, L.Draggable.END[e.type], this._onUp, this);
\r
6676 _onMove: function (e) {
\r
6677 if (e.touches && e.touches.length > 1) {
\r
6678 this._moved = true;
\r
6682 var first = (e.touches && e.touches.length === 1 ? e.touches[0] : e),
\r
6683 newPoint = new L.Point(first.clientX, first.clientY),
\r
6684 offset = newPoint.subtract(this._startPoint);
\r
6686 if (!offset.x && !offset.y) { return; }
\r
6687 if (L.Browser.touch && Math.abs(offset.x) + Math.abs(offset.y) < 3) { return; }
\r
6689 L.DomEvent.preventDefault(e);
\r
6691 if (!this._moved) {
\r
6692 this.fire('dragstart');
\r
6694 this._moved = true;
\r
6695 this._startPos = L.DomUtil.getPosition(this._element).subtract(offset);
\r
6697 L.DomUtil.addClass(document.body, 'leaflet-dragging');
\r
6698 this._lastTarget = e.target || e.srcElement;
\r
6699 L.DomUtil.addClass(this._lastTarget, 'leaflet-drag-target');
\r
6702 this._newPos = this._startPos.add(offset);
\r
6703 this._moving = true;
\r
6705 L.Util.cancelAnimFrame(this._animRequest);
\r
6706 this._animRequest = L.Util.requestAnimFrame(this._updatePosition, this, true, this._dragStartTarget);
\r
6709 _updatePosition: function () {
\r
6710 this.fire('predrag');
\r
6711 L.DomUtil.setPosition(this._element, this._newPos);
\r
6712 this.fire('drag');
\r
6715 _onUp: function () {
\r
6716 L.DomUtil.removeClass(document.body, 'leaflet-dragging');
\r
6718 if (this._lastTarget) {
\r
6719 L.DomUtil.removeClass(this._lastTarget, 'leaflet-drag-target');
\r
6720 this._lastTarget = null;
\r
6723 for (var i in L.Draggable.MOVE) {
\r
6725 .off(document, L.Draggable.MOVE[i], this._onMove)
\r
6726 .off(document, L.Draggable.END[i], this._onUp);
\r
6729 L.DomUtil.enableImageDrag();
\r
6730 L.DomUtil.enableTextSelection();
\r
6732 if (this._moved && this._moving) {
\r
6733 // ensure drag is not fired after dragend
\r
6734 L.Util.cancelAnimFrame(this._animRequest);
\r
6736 this.fire('dragend', {
\r
6737 distance: this._newPos.distanceTo(this._startPos)
\r
6741 this._moving = false;
\r
6747 L.Handler is a base class for handler classes that are used internally to inject
6748 interaction features like dragging to classes like Map and Marker.
6751 L.Handler = L.Class.extend({
6752 initialize: function (map) {
6756 enable: function () {
6757 if (this._enabled) { return; }
6759 this._enabled = true;
6763 disable: function () {
6764 if (!this._enabled) { return; }
6766 this._enabled = false;
6770 enabled: function () {
6771 return !!this._enabled;
6777 * L.Handler.MapDrag is used to make the map draggable (with panning inertia), enabled by default.
6780 L.Map.mergeOptions({
6783 inertia: !L.Browser.android23,
6784 inertiaDeceleration: 3400, // px/s^2
6785 inertiaMaxSpeed: Infinity, // px/s
6786 inertiaThreshold: L.Browser.touch ? 32 : 18, // ms
6787 easeLinearity: 0.25,
6789 // TODO refactor, move to CRS
6790 worldCopyJump: false
6793 L.Map.Drag = L.Handler.extend({
6794 addHooks: function () {
6795 if (!this._draggable) {
6796 var map = this._map;
6798 this._draggable = new L.Draggable(map._mapPane, map._container);
6800 this._draggable.on({
6801 'dragstart': this._onDragStart,
6802 'drag': this._onDrag,
6803 'dragend': this._onDragEnd
6806 if (map.options.worldCopyJump) {
6807 this._draggable.on('predrag', this._onPreDrag, this);
6808 map.on('viewreset', this._onViewReset, this);
6810 map.whenReady(this._onViewReset, this);
6813 this._draggable.enable();
6816 removeHooks: function () {
6817 this._draggable.disable();
6820 moved: function () {
6821 return this._draggable && this._draggable._moved;
6824 _onDragStart: function () {
6825 var map = this._map;
6828 map._panAnim.stop();
6835 if (map.options.inertia) {
6836 this._positions = [];
6841 _onDrag: function () {
6842 if (this._map.options.inertia) {
6843 var time = this._lastTime = +new Date(),
6844 pos = this._lastPos = this._draggable._newPos;
6846 this._positions.push(pos);
6847 this._times.push(time);
6849 if (time - this._times[0] > 200) {
6850 this._positions.shift();
6851 this._times.shift();
6860 _onViewReset: function () {
6861 // TODO fix hardcoded Earth values
6862 var pxCenter = this._map.getSize()._divideBy(2),
6863 pxWorldCenter = this._map.latLngToLayerPoint([0, 0]);
6865 this._initialWorldOffset = pxWorldCenter.subtract(pxCenter).x;
6866 this._worldWidth = this._map.project([0, 180]).x;
6869 _onPreDrag: function () {
6870 // TODO refactor to be able to adjust map pane position after zoom
6871 var worldWidth = this._worldWidth,
6872 halfWidth = Math.round(worldWidth / 2),
6873 dx = this._initialWorldOffset,
6874 x = this._draggable._newPos.x,
6875 newX1 = (x - halfWidth + dx) % worldWidth + halfWidth - dx,
6876 newX2 = (x + halfWidth + dx) % worldWidth - halfWidth - dx,
6877 newX = Math.abs(newX1 + dx) < Math.abs(newX2 + dx) ? newX1 : newX2;
6879 this._draggable._newPos.x = newX;
6882 _onDragEnd: function (e) {
6883 var map = this._map,
6884 options = map.options,
6885 delay = +new Date() - this._lastTime,
6887 noInertia = !options.inertia || delay > options.inertiaThreshold || !this._positions[0];
6889 map.fire('dragend', e);
6892 map.fire('moveend');
6896 var direction = this._lastPos.subtract(this._positions[0]),
6897 duration = (this._lastTime + delay - this._times[0]) / 1000,
6898 ease = options.easeLinearity,
6900 speedVector = direction.multiplyBy(ease / duration),
6901 speed = speedVector.distanceTo([0, 0]),
6903 limitedSpeed = Math.min(options.inertiaMaxSpeed, speed),
6904 limitedSpeedVector = speedVector.multiplyBy(limitedSpeed / speed),
6906 decelerationDuration = limitedSpeed / (options.inertiaDeceleration * ease),
6907 offset = limitedSpeedVector.multiplyBy(-decelerationDuration / 2).round();
6909 if (!offset.x || !offset.y) {
6910 map.fire('moveend');
6913 offset = map._limitOffset(offset, map.options.maxBounds);
6915 L.Util.requestAnimFrame(function () {
6917 duration: decelerationDuration,
6918 easeLinearity: ease,
6927 L.Map.addInitHook('addHandler', 'dragging', L.Map.Drag);
6931 * L.Handler.DoubleClickZoom is used to handle double-click zoom on the map, enabled by default.
6934 L.Map.mergeOptions({
6935 doubleClickZoom: true
6938 L.Map.DoubleClickZoom = L.Handler.extend({
6939 addHooks: function () {
6940 this._map.on('dblclick', this._onDoubleClick, this);
6943 removeHooks: function () {
6944 this._map.off('dblclick', this._onDoubleClick, this);
6947 _onDoubleClick: function (e) {
6948 var map = this._map,
6949 zoom = map.getZoom() + (e.originalEvent.shiftKey ? -1 : 1);
6951 if (map.options.doubleClickZoom === 'center') {
6954 map.setZoomAround(e.containerPoint, zoom);
6959 L.Map.addInitHook('addHandler', 'doubleClickZoom', L.Map.DoubleClickZoom);
6963 * L.Handler.ScrollWheelZoom is used by L.Map to enable mouse scroll wheel zoom on the map.
6966 L.Map.mergeOptions({
6967 scrollWheelZoom: true
6970 L.Map.ScrollWheelZoom = L.Handler.extend({
6971 addHooks: function () {
6972 L.DomEvent.on(this._map._container, 'mousewheel', this._onWheelScroll, this);
6973 L.DomEvent.on(this._map._container, 'MozMousePixelScroll', L.DomEvent.preventDefault);
6977 removeHooks: function () {
6978 L.DomEvent.off(this._map._container, 'mousewheel', this._onWheelScroll);
6979 L.DomEvent.off(this._map._container, 'MozMousePixelScroll', L.DomEvent.preventDefault);
6982 _onWheelScroll: function (e) {
6983 var delta = L.DomEvent.getWheelDelta(e);
6985 this._delta += delta;
6986 this._lastMousePos = this._map.mouseEventToContainerPoint(e);
6988 if (!this._startTime) {
6989 this._startTime = +new Date();
6992 var left = Math.max(40 - (+new Date() - this._startTime), 0);
6994 clearTimeout(this._timer);
6995 this._timer = setTimeout(L.bind(this._performZoom, this), left);
6997 L.DomEvent.preventDefault(e);
6998 L.DomEvent.stopPropagation(e);
7001 _performZoom: function () {
7002 var map = this._map,
7003 delta = this._delta,
7004 zoom = map.getZoom();
7006 delta = delta > 0 ? Math.ceil(delta) : Math.floor(delta);
7007 delta = Math.max(Math.min(delta, 4), -4);
7008 delta = map._limitZoom(zoom + delta) - zoom;
7011 this._startTime = null;
7013 if (!delta) { return; }
7015 if (map.options.scrollWheelZoom === 'center') {
7016 map.setZoom(zoom + delta);
7018 map.setZoomAround(this._lastMousePos, zoom + delta);
7023 L.Map.addInitHook('addHandler', 'scrollWheelZoom', L.Map.ScrollWheelZoom);
7027 * Extends the event handling code with double tap support for mobile browsers.
\r
7030 L.extend(L.DomEvent, {
\r
7032 _touchstart: L.Browser.msPointer ? 'MSPointerDown' : L.Browser.pointer ? 'pointerdown' : 'touchstart',
\r
7033 _touchend: L.Browser.msPointer ? 'MSPointerUp' : L.Browser.pointer ? 'pointerup' : 'touchend',
\r
7035 // inspired by Zepto touch code by Thomas Fuchs
\r
7036 addDoubleTapListener: function (obj, handler, id) {
\r
7038 doubleTap = false,
\r
7041 pre = '_leaflet_',
\r
7042 touchstart = this._touchstart,
\r
7043 touchend = this._touchend,
\r
7044 trackedTouches = [];
\r
7046 function onTouchStart(e) {
\r
7049 if (L.Browser.pointer) {
\r
7050 trackedTouches.push(e.pointerId);
\r
7051 count = trackedTouches.length;
\r
7053 count = e.touches.length;
\r
7059 var now = Date.now(),
\r
7060 delta = now - (last || now);
\r
7062 touch = e.touches ? e.touches[0] : e;
\r
7063 doubleTap = (delta > 0 && delta <= delay);
\r
7067 function onTouchEnd(e) {
\r
7068 if (L.Browser.pointer) {
\r
7069 var idx = trackedTouches.indexOf(e.pointerId);
\r
7073 trackedTouches.splice(idx, 1);
\r
7077 if (L.Browser.pointer) {
\r
7078 // work around .type being readonly with MSPointer* events
\r
7079 var newTouch = { },
\r
7082 // jshint forin:false
\r
7083 for (var i in touch) {
\r
7085 if (typeof prop === 'function') {
\r
7086 newTouch[i] = prop.bind(touch);
\r
7088 newTouch[i] = prop;
\r
7093 touch.type = 'dblclick';
\r
7098 obj[pre + touchstart + id] = onTouchStart;
\r
7099 obj[pre + touchend + id] = onTouchEnd;
\r
7101 // on pointer we need to listen on the document, otherwise a drag starting on the map and moving off screen
\r
7102 // will not come through to us, so we will lose track of how many touches are ongoing
\r
7103 var endElement = L.Browser.pointer ? document.documentElement : obj;
\r
7105 obj.addEventListener(touchstart, onTouchStart, false);
\r
7106 endElement.addEventListener(touchend, onTouchEnd, false);
\r
7108 if (L.Browser.pointer) {
\r
7109 endElement.addEventListener(L.DomEvent.POINTER_CANCEL, onTouchEnd, false);
\r
7115 removeDoubleTapListener: function (obj, id) {
\r
7116 var pre = '_leaflet_';
\r
7118 obj.removeEventListener(this._touchstart, obj[pre + this._touchstart + id], false);
\r
7119 (L.Browser.pointer ? document.documentElement : obj).removeEventListener(
\r
7120 this._touchend, obj[pre + this._touchend + id], false);
\r
7122 if (L.Browser.pointer) {
\r
7123 document.documentElement.removeEventListener(L.DomEvent.POINTER_CANCEL, obj[pre + this._touchend + id],
\r
7133 * Extends L.DomEvent to provide touch support for Internet Explorer and Windows-based devices.
7136 L.extend(L.DomEvent, {
7139 POINTER_DOWN: L.Browser.msPointer ? 'MSPointerDown' : 'pointerdown',
7140 POINTER_MOVE: L.Browser.msPointer ? 'MSPointerMove' : 'pointermove',
7141 POINTER_UP: L.Browser.msPointer ? 'MSPointerUp' : 'pointerup',
7142 POINTER_CANCEL: L.Browser.msPointer ? 'MSPointerCancel' : 'pointercancel',
7145 _pointerDocumentListener: false,
7147 // Provides a touch events wrapper for (ms)pointer events.
7148 // Based on changes by veproza https://github.com/CloudMade/Leaflet/pull/1019
7149 //ref http://www.w3.org/TR/pointerevents/ https://www.w3.org/Bugs/Public/show_bug.cgi?id=22890
7151 addPointerListener: function (obj, type, handler, id) {
7155 return this.addPointerListenerStart(obj, type, handler, id);
7157 return this.addPointerListenerEnd(obj, type, handler, id);
7159 return this.addPointerListenerMove(obj, type, handler, id);
7161 throw 'Unknown touch event type';
7165 addPointerListenerStart: function (obj, type, handler, id) {
7166 var pre = '_leaflet_',
7167 pointers = this._pointers;
7169 var cb = function (e) {
7171 L.DomEvent.preventDefault(e);
7173 var alreadyInArray = false;
7174 for (var i = 0; i < pointers.length; i++) {
7175 if (pointers[i].pointerId === e.pointerId) {
7176 alreadyInArray = true;
7180 if (!alreadyInArray) {
7184 e.touches = pointers.slice();
7185 e.changedTouches = [e];
7190 obj[pre + 'touchstart' + id] = cb;
7191 obj.addEventListener(this.POINTER_DOWN, cb, false);
7193 // need to also listen for end events to keep the _pointers list accurate
7194 // this needs to be on the body and never go away
7195 if (!this._pointerDocumentListener) {
7196 var internalCb = function (e) {
7197 for (var i = 0; i < pointers.length; i++) {
7198 if (pointers[i].pointerId === e.pointerId) {
7199 pointers.splice(i, 1);
7204 //We listen on the documentElement as any drags that end by moving the touch off the screen get fired there
7205 document.documentElement.addEventListener(this.POINTER_UP, internalCb, false);
7206 document.documentElement.addEventListener(this.POINTER_CANCEL, internalCb, false);
7208 this._pointerDocumentListener = true;
7214 addPointerListenerMove: function (obj, type, handler, id) {
7215 var pre = '_leaflet_',
7216 touches = this._pointers;
7220 // don't fire touch moves when mouse isn't down
7221 if ((e.pointerType === e.MSPOINTER_TYPE_MOUSE || e.pointerType === 'mouse') && e.buttons === 0) { return; }
7223 for (var i = 0; i < touches.length; i++) {
7224 if (touches[i].pointerId === e.pointerId) {
7230 e.touches = touches.slice();
7231 e.changedTouches = [e];
7236 obj[pre + 'touchmove' + id] = cb;
7237 obj.addEventListener(this.POINTER_MOVE, cb, false);
7242 addPointerListenerEnd: function (obj, type, handler, id) {
7243 var pre = '_leaflet_',
7244 touches = this._pointers;
7246 var cb = function (e) {
7247 for (var i = 0; i < touches.length; i++) {
7248 if (touches[i].pointerId === e.pointerId) {
7249 touches.splice(i, 1);
7254 e.touches = touches.slice();
7255 e.changedTouches = [e];
7260 obj[pre + 'touchend' + id] = cb;
7261 obj.addEventListener(this.POINTER_UP, cb, false);
7262 obj.addEventListener(this.POINTER_CANCEL, cb, false);
7267 removePointerListener: function (obj, type, id) {
7268 var pre = '_leaflet_',
7269 cb = obj[pre + type + id];
7273 obj.removeEventListener(this.POINTER_DOWN, cb, false);
7276 obj.removeEventListener(this.POINTER_MOVE, cb, false);
7279 obj.removeEventListener(this.POINTER_UP, cb, false);
7280 obj.removeEventListener(this.POINTER_CANCEL, cb, false);
7290 * L.Handler.TouchZoom is used by L.Map to add pinch zoom on supported mobile browsers.
7293 L.Map.mergeOptions({
7294 touchZoom: L.Browser.touch && !L.Browser.android23,
7295 bounceAtZoomLimits: true
7298 L.Map.TouchZoom = L.Handler.extend({
7299 addHooks: function () {
7300 L.DomEvent.on(this._map._container, 'touchstart', this._onTouchStart, this);
7303 removeHooks: function () {
7304 L.DomEvent.off(this._map._container, 'touchstart', this._onTouchStart, this);
7307 _onTouchStart: function (e) {
7308 var map = this._map;
7310 if (!e.touches || e.touches.length !== 2 || map._animatingZoom || this._zooming) { return; }
7312 var p1 = map.mouseEventToLayerPoint(e.touches[0]),
7313 p2 = map.mouseEventToLayerPoint(e.touches[1]),
7314 viewCenter = map._getCenterLayerPoint();
7316 this._startCenter = p1.add(p2)._divideBy(2);
7317 this._startDist = p1.distanceTo(p2);
7319 this._moved = false;
7320 this._zooming = true;
7322 this._centerOffset = viewCenter.subtract(this._startCenter);
7325 map._panAnim.stop();
7329 .on(document, 'touchmove', this._onTouchMove, this)
7330 .on(document, 'touchend', this._onTouchEnd, this);
7332 L.DomEvent.preventDefault(e);
7335 _onTouchMove: function (e) {
7336 var map = this._map;
7338 if (!e.touches || e.touches.length !== 2 || !this._zooming) { return; }
7340 var p1 = map.mouseEventToLayerPoint(e.touches[0]),
7341 p2 = map.mouseEventToLayerPoint(e.touches[1]);
7343 this._scale = p1.distanceTo(p2) / this._startDist;
7344 this._delta = p1._add(p2)._divideBy(2)._subtract(this._startCenter);
7346 if (this._scale === 1) { return; }
7348 if (!map.options.bounceAtZoomLimits) {
7349 if ((map.getZoom() === map.getMinZoom() && this._scale < 1) ||
7350 (map.getZoom() === map.getMaxZoom() && this._scale > 1)) { return; }
7354 L.DomUtil.addClass(map._mapPane, 'leaflet-touching');
7363 L.Util.cancelAnimFrame(this._animRequest);
7364 this._animRequest = L.Util.requestAnimFrame(
7365 this._updateOnMove, this, true, this._map._container);
7367 L.DomEvent.preventDefault(e);
7370 _updateOnMove: function () {
7371 var map = this._map,
7372 origin = this._getScaleOrigin(),
7373 center = map.layerPointToLatLng(origin),
7374 zoom = map.getScaleZoom(this._scale);
7376 map._animateZoom(center, zoom, this._startCenter, this._scale, this._delta, false, true);
7379 _onTouchEnd: function () {
7380 if (!this._moved || !this._zooming) {
7381 this._zooming = false;
7385 var map = this._map;
7387 this._zooming = false;
7388 L.DomUtil.removeClass(map._mapPane, 'leaflet-touching');
7389 L.Util.cancelAnimFrame(this._animRequest);
7392 .off(document, 'touchmove', this._onTouchMove)
7393 .off(document, 'touchend', this._onTouchEnd);
7395 var origin = this._getScaleOrigin(),
7396 center = map.layerPointToLatLng(origin),
7398 oldZoom = map.getZoom(),
7399 floatZoomDelta = map.getScaleZoom(this._scale) - oldZoom,
7400 roundZoomDelta = (floatZoomDelta > 0 ?
7401 Math.ceil(floatZoomDelta) : Math.floor(floatZoomDelta)),
7403 zoom = map._limitZoom(oldZoom + roundZoomDelta),
7404 scale = map.getZoomScale(zoom) / this._scale;
7406 map._animateZoom(center, zoom, origin, scale);
7409 _getScaleOrigin: function () {
7410 var centerOffset = this._centerOffset.subtract(this._delta).divideBy(this._scale);
7411 return this._startCenter.add(centerOffset);
7415 L.Map.addInitHook('addHandler', 'touchZoom', L.Map.TouchZoom);
7419 * L.Map.Tap is used to enable mobile hacks like quick taps and long hold.
7422 L.Map.mergeOptions({
7427 L.Map.Tap = L.Handler.extend({
7428 addHooks: function () {
7429 L.DomEvent.on(this._map._container, 'touchstart', this._onDown, this);
7432 removeHooks: function () {
7433 L.DomEvent.off(this._map._container, 'touchstart', this._onDown, this);
7436 _onDown: function (e) {
7437 if (!e.touches) { return; }
7439 L.DomEvent.preventDefault(e);
7441 this._fireClick = true;
7443 // don't simulate click or track longpress if more than 1 touch
7444 if (e.touches.length > 1) {
7445 this._fireClick = false;
7446 clearTimeout(this._holdTimeout);
7450 var first = e.touches[0],
7453 this._startPos = this._newPos = new L.Point(first.clientX, first.clientY);
7455 // if touching a link, highlight it
7456 if (el.tagName && el.tagName.toLowerCase() === 'a') {
7457 L.DomUtil.addClass(el, 'leaflet-active');
7460 // simulate long hold but setting a timeout
7461 this._holdTimeout = setTimeout(L.bind(function () {
7462 if (this._isTapValid()) {
7463 this._fireClick = false;
7465 this._simulateEvent('contextmenu', first);
7470 .on(document, 'touchmove', this._onMove, this)
7471 .on(document, 'touchend', this._onUp, this);
7474 _onUp: function (e) {
7475 clearTimeout(this._holdTimeout);
7478 .off(document, 'touchmove', this._onMove, this)
7479 .off(document, 'touchend', this._onUp, this);
7481 if (this._fireClick && e && e.changedTouches) {
7483 var first = e.changedTouches[0],
7486 if (el && el.tagName && el.tagName.toLowerCase() === 'a') {
7487 L.DomUtil.removeClass(el, 'leaflet-active');
7490 // simulate click if the touch didn't move too much
7491 if (this._isTapValid()) {
7492 this._simulateEvent('click', first);
7497 _isTapValid: function () {
7498 return this._newPos.distanceTo(this._startPos) <= this._map.options.tapTolerance;
7501 _onMove: function (e) {
7502 var first = e.touches[0];
7503 this._newPos = new L.Point(first.clientX, first.clientY);
7506 _simulateEvent: function (type, e) {
7507 var simulatedEvent = document.createEvent('MouseEvents');
7509 simulatedEvent._simulated = true;
7510 e.target._simulatedClick = true;
7512 simulatedEvent.initMouseEvent(
7513 type, true, true, window, 1,
7514 e.screenX, e.screenY,
7515 e.clientX, e.clientY,
7516 false, false, false, false, 0, null);
7518 e.target.dispatchEvent(simulatedEvent);
7522 if (L.Browser.touch && !L.Browser.pointer) {
7523 L.Map.addInitHook('addHandler', 'tap', L.Map.Tap);
7528 * L.Handler.ShiftDragZoom is used to add shift-drag zoom interaction to the map
7529 * (zoom to a selected bounding box), enabled by default.
7532 L.Map.mergeOptions({
7536 L.Map.BoxZoom = L.Handler.extend({
7537 initialize: function (map) {
7539 this._container = map._container;
7540 this._pane = map._panes.overlayPane;
7541 this._moved = false;
7544 addHooks: function () {
7545 L.DomEvent.on(this._container, 'mousedown', this._onMouseDown, this);
7548 removeHooks: function () {
7549 L.DomEvent.off(this._container, 'mousedown', this._onMouseDown);
7550 this._moved = false;
7553 moved: function () {
7557 _onMouseDown: function (e) {
7558 this._moved = false;
7560 if (!e.shiftKey || ((e.which !== 1) && (e.button !== 1))) { return false; }
7562 L.DomUtil.disableTextSelection();
7563 L.DomUtil.disableImageDrag();
7565 this._startLayerPoint = this._map.mouseEventToLayerPoint(e);
7568 .on(document, 'mousemove', this._onMouseMove, this)
7569 .on(document, 'mouseup', this._onMouseUp, this)
7570 .on(document, 'keydown', this._onKeyDown, this);
7573 _onMouseMove: function (e) {
7575 this._box = L.DomUtil.create('div', 'leaflet-zoom-box', this._pane);
7576 L.DomUtil.setPosition(this._box, this._startLayerPoint);
7578 //TODO refactor: move cursor to styles
7579 this._container.style.cursor = 'crosshair';
7580 this._map.fire('boxzoomstart');
7583 var startPoint = this._startLayerPoint,
7586 layerPoint = this._map.mouseEventToLayerPoint(e),
7587 offset = layerPoint.subtract(startPoint),
7589 newPos = new L.Point(
7590 Math.min(layerPoint.x, startPoint.x),
7591 Math.min(layerPoint.y, startPoint.y));
7593 L.DomUtil.setPosition(box, newPos);
7597 // TODO refactor: remove hardcoded 4 pixels
7598 box.style.width = (Math.max(0, Math.abs(offset.x) - 4)) + 'px';
7599 box.style.height = (Math.max(0, Math.abs(offset.y) - 4)) + 'px';
7602 _finish: function () {
7604 this._pane.removeChild(this._box);
7605 this._container.style.cursor = '';
7608 L.DomUtil.enableTextSelection();
7609 L.DomUtil.enableImageDrag();
7612 .off(document, 'mousemove', this._onMouseMove)
7613 .off(document, 'mouseup', this._onMouseUp)
7614 .off(document, 'keydown', this._onKeyDown);
7617 _onMouseUp: function (e) {
7621 var map = this._map,
7622 layerPoint = map.mouseEventToLayerPoint(e);
7624 if (this._startLayerPoint.equals(layerPoint)) { return; }
7626 var bounds = new L.LatLngBounds(
7627 map.layerPointToLatLng(this._startLayerPoint),
7628 map.layerPointToLatLng(layerPoint));
7630 map.fitBounds(bounds);
7632 map.fire('boxzoomend', {
7633 boxZoomBounds: bounds
7637 _onKeyDown: function (e) {
7638 if (e.keyCode === 27) {
7644 L.Map.addInitHook('addHandler', 'boxZoom', L.Map.BoxZoom);
7648 * L.Map.Keyboard is handling keyboard interaction with the map, enabled by default.
7651 L.Map.mergeOptions({
7653 keyboardPanOffset: 80,
7654 keyboardZoomOffset: 1
7657 L.Map.Keyboard = L.Handler.extend({
7664 zoomIn: [187, 107, 61, 171],
7665 zoomOut: [189, 109, 173]
7668 initialize: function (map) {
7671 this._setPanOffset(map.options.keyboardPanOffset);
7672 this._setZoomOffset(map.options.keyboardZoomOffset);
7675 addHooks: function () {
7676 var container = this._map._container;
7678 // make the container focusable by tabbing
7679 if (container.tabIndex === -1) {
7680 container.tabIndex = '0';
7684 .on(container, 'focus', this._onFocus, this)
7685 .on(container, 'blur', this._onBlur, this)
7686 .on(container, 'mousedown', this._onMouseDown, this);
7689 .on('focus', this._addHooks, this)
7690 .on('blur', this._removeHooks, this);
7693 removeHooks: function () {
7694 this._removeHooks();
7696 var container = this._map._container;
7699 .off(container, 'focus', this._onFocus, this)
7700 .off(container, 'blur', this._onBlur, this)
7701 .off(container, 'mousedown', this._onMouseDown, this);
7704 .off('focus', this._addHooks, this)
7705 .off('blur', this._removeHooks, this);
7708 _onMouseDown: function () {
7709 if (this._focused) { return; }
7711 var body = document.body,
7712 docEl = document.documentElement,
7713 top = body.scrollTop || docEl.scrollTop,
7714 left = body.scrollLeft || docEl.scrollLeft;
7716 this._map._container.focus();
7718 window.scrollTo(left, top);
7721 _onFocus: function () {
7722 this._focused = true;
7723 this._map.fire('focus');
7726 _onBlur: function () {
7727 this._focused = false;
7728 this._map.fire('blur');
7731 _setPanOffset: function (pan) {
7732 var keys = this._panKeys = {},
7733 codes = this.keyCodes,
7736 for (i = 0, len = codes.left.length; i < len; i++) {
7737 keys[codes.left[i]] = [-1 * pan, 0];
7739 for (i = 0, len = codes.right.length; i < len; i++) {
7740 keys[codes.right[i]] = [pan, 0];
7742 for (i = 0, len = codes.down.length; i < len; i++) {
7743 keys[codes.down[i]] = [0, pan];
7745 for (i = 0, len = codes.up.length; i < len; i++) {
7746 keys[codes.up[i]] = [0, -1 * pan];
7750 _setZoomOffset: function (zoom) {
7751 var keys = this._zoomKeys = {},
7752 codes = this.keyCodes,
7755 for (i = 0, len = codes.zoomIn.length; i < len; i++) {
7756 keys[codes.zoomIn[i]] = zoom;
7758 for (i = 0, len = codes.zoomOut.length; i < len; i++) {
7759 keys[codes.zoomOut[i]] = -zoom;
7763 _addHooks: function () {
7764 L.DomEvent.on(document, 'keydown', this._onKeyDown, this);
7767 _removeHooks: function () {
7768 L.DomEvent.off(document, 'keydown', this._onKeyDown, this);
7771 _onKeyDown: function (e) {
7772 var key = e.keyCode,
7775 if (key in this._panKeys) {
7777 if (map._panAnim && map._panAnim._inProgress) { return; }
7779 map.panBy(this._panKeys[key]);
7781 if (map.options.maxBounds) {
7782 map.panInsideBounds(map.options.maxBounds);
7785 } else if (key in this._zoomKeys) {
7786 map.setZoom(map.getZoom() + this._zoomKeys[key]);
7796 L.Map.addInitHook('addHandler', 'keyboard', L.Map.Keyboard);
7800 * L.Handler.MarkerDrag is used internally by L.Marker to make the markers draggable.
7803 L.Handler.MarkerDrag = L.Handler.extend({
7804 initialize: function (marker) {
7805 this._marker = marker;
7808 addHooks: function () {
7809 var icon = this._marker._icon;
7810 if (!this._draggable) {
7811 this._draggable = new L.Draggable(icon, icon);
7815 .on('dragstart', this._onDragStart, this)
7816 .on('drag', this._onDrag, this)
7817 .on('dragend', this._onDragEnd, this);
7818 this._draggable.enable();
7819 L.DomUtil.addClass(this._marker._icon, 'leaflet-marker-draggable');
7822 removeHooks: function () {
7824 .off('dragstart', this._onDragStart, this)
7825 .off('drag', this._onDrag, this)
7826 .off('dragend', this._onDragEnd, this);
7828 this._draggable.disable();
7829 L.DomUtil.removeClass(this._marker._icon, 'leaflet-marker-draggable');
7832 moved: function () {
7833 return this._draggable && this._draggable._moved;
7836 _onDragStart: function () {
7843 _onDrag: function () {
7844 var marker = this._marker,
7845 shadow = marker._shadow,
7846 iconPos = L.DomUtil.getPosition(marker._icon),
7847 latlng = marker._map.layerPointToLatLng(iconPos);
7849 // update shadow position
7851 L.DomUtil.setPosition(shadow, iconPos);
7854 marker._latlng = latlng;
7857 .fire('move', {latlng: latlng})
7861 _onDragEnd: function (e) {
7864 .fire('dragend', e);
7870 * L.Control is a base class for implementing map controls. Handles positioning.
\r
7871 * All other controls extend from this class.
\r
7874 L.Control = L.Class.extend({
\r
7876 position: 'topright'
\r
7879 initialize: function (options) {
\r
7880 L.setOptions(this, options);
\r
7883 getPosition: function () {
\r
7884 return this.options.position;
\r
7887 setPosition: function (position) {
\r
7888 var map = this._map;
\r
7891 map.removeControl(this);
\r
7894 this.options.position = position;
\r
7897 map.addControl(this);
\r
7903 getContainer: function () {
\r
7904 return this._container;
\r
7907 addTo: function (map) {
\r
7910 var container = this._container = this.onAdd(map),
\r
7911 pos = this.getPosition(),
\r
7912 corner = map._controlCorners[pos];
\r
7914 L.DomUtil.addClass(container, 'leaflet-control');
\r
7916 if (pos.indexOf('bottom') !== -1) {
\r
7917 corner.insertBefore(container, corner.firstChild);
\r
7919 corner.appendChild(container);
\r
7925 removeFrom: function (map) {
\r
7926 var pos = this.getPosition(),
\r
7927 corner = map._controlCorners[pos];
\r
7929 corner.removeChild(this._container);
\r
7932 if (this.onRemove) {
\r
7933 this.onRemove(map);
\r
7939 _refocusOnMap: function () {
\r
7941 this._map.getContainer().focus();
\r
7946 L.control = function (options) {
\r
7947 return new L.Control(options);
\r
7951 // adds control-related methods to L.Map
\r
7954 addControl: function (control) {
\r
7955 control.addTo(this);
\r
7959 removeControl: function (control) {
\r
7960 control.removeFrom(this);
\r
7964 _initControlPos: function () {
\r
7965 var corners = this._controlCorners = {},
\r
7967 container = this._controlContainer =
\r
7968 L.DomUtil.create('div', l + 'control-container', this._container);
\r
7970 function createCorner(vSide, hSide) {
\r
7971 var className = l + vSide + ' ' + l + hSide;
\r
7973 corners[vSide + hSide] = L.DomUtil.create('div', className, container);
\r
7976 createCorner('top', 'left');
\r
7977 createCorner('top', 'right');
\r
7978 createCorner('bottom', 'left');
\r
7979 createCorner('bottom', 'right');
\r
7982 _clearControlPos: function () {
\r
7983 this._container.removeChild(this._controlContainer);
\r
7989 * L.Control.Zoom is used for the default zoom buttons on the map.
\r
7992 L.Control.Zoom = L.Control.extend({
\r
7994 position: 'topleft',
\r
7996 zoomInTitle: 'Zoom in',
\r
7998 zoomOutTitle: 'Zoom out'
\r
8001 onAdd: function (map) {
\r
8002 var zoomName = 'leaflet-control-zoom',
\r
8003 container = L.DomUtil.create('div', zoomName + ' leaflet-bar');
\r
8007 this._zoomInButton = this._createButton(
\r
8008 this.options.zoomInText, this.options.zoomInTitle,
\r
8009 zoomName + '-in', container, this._zoomIn, this);
\r
8010 this._zoomOutButton = this._createButton(
\r
8011 this.options.zoomOutText, this.options.zoomOutTitle,
\r
8012 zoomName + '-out', container, this._zoomOut, this);
\r
8014 this._updateDisabled();
\r
8015 map.on('zoomend zoomlevelschange', this._updateDisabled, this);
\r
8020 onRemove: function (map) {
\r
8021 map.off('zoomend zoomlevelschange', this._updateDisabled, this);
\r
8024 _zoomIn: function (e) {
\r
8025 this._map.zoomIn(e.shiftKey ? 3 : 1);
\r
8028 _zoomOut: function (e) {
\r
8029 this._map.zoomOut(e.shiftKey ? 3 : 1);
\r
8032 _createButton: function (html, title, className, container, fn, context) {
\r
8033 var link = L.DomUtil.create('a', className, container);
\r
8034 link.innerHTML = html;
\r
8036 link.title = title;
\r
8038 var stop = L.DomEvent.stopPropagation;
\r
8041 .on(link, 'click', stop)
\r
8042 .on(link, 'mousedown', stop)
\r
8043 .on(link, 'dblclick', stop)
\r
8044 .on(link, 'click', L.DomEvent.preventDefault)
\r
8045 .on(link, 'click', fn, context)
\r
8046 .on(link, 'click', this._refocusOnMap, context);
\r
8051 _updateDisabled: function () {
\r
8052 var map = this._map,
\r
8053 className = 'leaflet-disabled';
\r
8055 L.DomUtil.removeClass(this._zoomInButton, className);
\r
8056 L.DomUtil.removeClass(this._zoomOutButton, className);
\r
8058 if (map._zoom === map.getMinZoom()) {
\r
8059 L.DomUtil.addClass(this._zoomOutButton, className);
\r
8061 if (map._zoom === map.getMaxZoom()) {
\r
8062 L.DomUtil.addClass(this._zoomInButton, className);
\r
8067 L.Map.mergeOptions({
\r
8071 L.Map.addInitHook(function () {
\r
8072 if (this.options.zoomControl) {
\r
8073 this.zoomControl = new L.Control.Zoom();
\r
8074 this.addControl(this.zoomControl);
\r
8078 L.control.zoom = function (options) {
\r
8079 return new L.Control.Zoom(options);
\r
8085 * L.Control.Attribution is used for displaying attribution on the map (added by default).
\r
8088 L.Control.Attribution = L.Control.extend({
\r
8090 position: 'bottomright',
\r
8091 prefix: '<a href="http://leafletjs.com" title="A JS library for interactive maps">Leaflet</a>'
\r
8094 initialize: function (options) {
\r
8095 L.setOptions(this, options);
\r
8097 this._attributions = {};
\r
8100 onAdd: function (map) {
\r
8101 this._container = L.DomUtil.create('div', 'leaflet-control-attribution');
\r
8102 L.DomEvent.disableClickPropagation(this._container);
\r
8104 for (var i in map._layers) {
\r
8105 if (map._layers[i].getAttribution) {
\r
8106 this.addAttribution(map._layers[i].getAttribution());
\r
8111 .on('layeradd', this._onLayerAdd, this)
\r
8112 .on('layerremove', this._onLayerRemove, this);
\r
8116 return this._container;
\r
8119 onRemove: function (map) {
\r
8121 .off('layeradd', this._onLayerAdd)
\r
8122 .off('layerremove', this._onLayerRemove);
\r
8126 setPrefix: function (prefix) {
\r
8127 this.options.prefix = prefix;
\r
8132 addAttribution: function (text) {
\r
8133 if (!text) { return; }
\r
8135 if (!this._attributions[text]) {
\r
8136 this._attributions[text] = 0;
\r
8138 this._attributions[text]++;
\r
8145 removeAttribution: function (text) {
\r
8146 if (!text) { return; }
\r
8148 if (this._attributions[text]) {
\r
8149 this._attributions[text]--;
\r
8156 _update: function () {
\r
8157 if (!this._map) { return; }
\r
8161 for (var i in this._attributions) {
\r
8162 if (this._attributions[i]) {
\r
8167 var prefixAndAttribs = [];
\r
8169 if (this.options.prefix) {
\r
8170 prefixAndAttribs.push(this.options.prefix);
\r
8172 if (attribs.length) {
\r
8173 prefixAndAttribs.push(attribs.join(', '));
\r
8176 this._container.innerHTML = prefixAndAttribs.join(' | ');
\r
8179 _onLayerAdd: function (e) {
\r
8180 if (e.layer.getAttribution) {
\r
8181 this.addAttribution(e.layer.getAttribution());
\r
8185 _onLayerRemove: function (e) {
\r
8186 if (e.layer.getAttribution) {
\r
8187 this.removeAttribution(e.layer.getAttribution());
\r
8192 L.Map.mergeOptions({
\r
8193 attributionControl: true
\r
8196 L.Map.addInitHook(function () {
\r
8197 if (this.options.attributionControl) {
\r
8198 this.attributionControl = (new L.Control.Attribution()).addTo(this);
\r
8202 L.control.attribution = function (options) {
\r
8203 return new L.Control.Attribution(options);
\r
8208 * L.Control.Scale is used for displaying metric/imperial scale on the map.
8211 L.Control.Scale = L.Control.extend({
8213 position: 'bottomleft',
8217 updateWhenIdle: false
8220 onAdd: function (map) {
8223 var className = 'leaflet-control-scale',
8224 container = L.DomUtil.create('div', className),
8225 options = this.options;
8227 this._addScales(options, className, container);
8229 map.on(options.updateWhenIdle ? 'moveend' : 'move', this._update, this);
8230 map.whenReady(this._update, this);
8235 onRemove: function (map) {
8236 map.off(this.options.updateWhenIdle ? 'moveend' : 'move', this._update, this);
8239 _addScales: function (options, className, container) {
8240 if (options.metric) {
8241 this._mScale = L.DomUtil.create('div', className + '-line', container);
8243 if (options.imperial) {
8244 this._iScale = L.DomUtil.create('div', className + '-line', container);
8248 _update: function () {
8249 var bounds = this._map.getBounds(),
8250 centerLat = bounds.getCenter().lat,
8251 halfWorldMeters = 6378137 * Math.PI * Math.cos(centerLat * Math.PI / 180),
8252 dist = halfWorldMeters * (bounds.getNorthEast().lng - bounds.getSouthWest().lng) / 180,
8254 size = this._map.getSize(),
8255 options = this.options,
8259 maxMeters = dist * (options.maxWidth / size.x);
8262 this._updateScales(options, maxMeters);
8265 _updateScales: function (options, maxMeters) {
8266 if (options.metric && maxMeters) {
8267 this._updateMetric(maxMeters);
8270 if (options.imperial && maxMeters) {
8271 this._updateImperial(maxMeters);
8275 _updateMetric: function (maxMeters) {
8276 var meters = this._getRoundNum(maxMeters);
8278 this._mScale.style.width = this._getScaleWidth(meters / maxMeters) + 'px';
8279 this._mScale.innerHTML = meters < 1000 ? meters + ' m' : (meters / 1000) + ' km';
8282 _updateImperial: function (maxMeters) {
8283 var maxFeet = maxMeters * 3.2808399,
8284 scale = this._iScale,
8285 maxMiles, miles, feet;
8287 if (maxFeet > 5280) {
8288 maxMiles = maxFeet / 5280;
8289 miles = this._getRoundNum(maxMiles);
8291 scale.style.width = this._getScaleWidth(miles / maxMiles) + 'px';
8292 scale.innerHTML = miles + ' mi';
8295 feet = this._getRoundNum(maxFeet);
8297 scale.style.width = this._getScaleWidth(feet / maxFeet) + 'px';
8298 scale.innerHTML = feet + ' ft';
8302 _getScaleWidth: function (ratio) {
8303 return Math.round(this.options.maxWidth * ratio) - 10;
8306 _getRoundNum: function (num) {
8307 var pow10 = Math.pow(10, (Math.floor(num) + '').length - 1),
8310 d = d >= 10 ? 10 : d >= 5 ? 5 : d >= 3 ? 3 : d >= 2 ? 2 : 1;
8316 L.control.scale = function (options) {
8317 return new L.Control.Scale(options);
8322 * L.Control.Layers is a control to allow users to switch between different layers on the map.
\r
8325 L.Control.Layers = L.Control.extend({
\r
8328 position: 'topright',
\r
8332 initialize: function (baseLayers, overlays, options) {
\r
8333 L.setOptions(this, options);
\r
8335 this._layers = {};
\r
8336 this._lastZIndex = 0;
\r
8337 this._handlingClick = false;
\r
8339 for (var i in baseLayers) {
\r
8340 this._addLayer(baseLayers[i], i);
\r
8343 for (i in overlays) {
\r
8344 this._addLayer(overlays[i], i, true);
\r
8348 onAdd: function (map) {
\r
8349 this._initLayout();
\r
8353 .on('layeradd', this._onLayerChange, this)
\r
8354 .on('layerremove', this._onLayerChange, this);
\r
8356 return this._container;
\r
8359 onRemove: function (map) {
\r
8361 .off('layeradd', this._onLayerChange, this)
\r
8362 .off('layerremove', this._onLayerChange, this);
\r
8365 addBaseLayer: function (layer, name) {
\r
8366 this._addLayer(layer, name);
\r
8371 addOverlay: function (layer, name) {
\r
8372 this._addLayer(layer, name, true);
\r
8377 removeLayer: function (layer) {
\r
8378 var id = L.stamp(layer);
\r
8379 delete this._layers[id];
\r
8384 _initLayout: function () {
\r
8385 var className = 'leaflet-control-layers',
\r
8386 container = this._container = L.DomUtil.create('div', className);
\r
8388 //Makes this work on IE10 Touch devices by stopping it from firing a mouseout event when the touch is released
\r
8389 container.setAttribute('aria-haspopup', true);
\r
8391 if (!L.Browser.touch) {
\r
8393 .disableClickPropagation(container)
\r
8394 .disableScrollPropagation(container);
\r
8396 L.DomEvent.on(container, 'click', L.DomEvent.stopPropagation);
\r
8399 var form = this._form = L.DomUtil.create('form', className + '-list');
\r
8401 if (this.options.collapsed) {
\r
8402 if (!L.Browser.android) {
\r
8404 .on(container, 'mouseover', this._expand, this)
\r
8405 .on(container, 'mouseout', this._collapse, this);
\r
8407 var link = this._layersLink = L.DomUtil.create('a', className + '-toggle', container);
\r
8409 link.title = 'Layers';
\r
8411 if (L.Browser.touch) {
\r
8413 .on(link, 'click', L.DomEvent.stop)
\r
8414 .on(link, 'click', this._expand, this);
\r
8417 L.DomEvent.on(link, 'focus', this._expand, this);
\r
8419 //Work around for Firefox android issue https://github.com/Leaflet/Leaflet/issues/2033
\r
8420 L.DomEvent.on(form, 'click', function () {
\r
8421 setTimeout(L.bind(this._onInputClick, this), 0);
\r
8424 this._map.on('click', this._collapse, this);
\r
8425 // TODO keyboard accessibility
\r
8430 this._baseLayersList = L.DomUtil.create('div', className + '-base', form);
\r
8431 this._separator = L.DomUtil.create('div', className + '-separator', form);
\r
8432 this._overlaysList = L.DomUtil.create('div', className + '-overlays', form);
\r
8434 container.appendChild(form);
\r
8437 _addLayer: function (layer, name, overlay) {
\r
8438 var id = L.stamp(layer);
\r
8440 this._layers[id] = {
\r
8446 if (this.options.autoZIndex && layer.setZIndex) {
\r
8447 this._lastZIndex++;
\r
8448 layer.setZIndex(this._lastZIndex);
\r
8452 _update: function () {
\r
8453 if (!this._container) {
\r
8457 this._baseLayersList.innerHTML = '';
\r
8458 this._overlaysList.innerHTML = '';
\r
8460 var baseLayersPresent = false,
\r
8461 overlaysPresent = false,
\r
8464 for (i in this._layers) {
\r
8465 obj = this._layers[i];
\r
8466 this._addItem(obj);
\r
8467 overlaysPresent = overlaysPresent || obj.overlay;
\r
8468 baseLayersPresent = baseLayersPresent || !obj.overlay;
\r
8471 this._separator.style.display = overlaysPresent && baseLayersPresent ? '' : 'none';
\r
8474 _onLayerChange: function (e) {
\r
8475 var obj = this._layers[L.stamp(e.layer)];
\r
8477 if (!obj) { return; }
\r
8479 if (!this._handlingClick) {
\r
8483 var type = obj.overlay ?
\r
8484 (e.type === 'layeradd' ? 'overlayadd' : 'overlayremove') :
\r
8485 (e.type === 'layeradd' ? 'baselayerchange' : null);
\r
8488 this._map.fire(type, obj);
\r
8492 // IE7 bugs out if you create a radio dynamically, so you have to do it this hacky way (see http://bit.ly/PqYLBe)
\r
8493 _createRadioElement: function (name, checked) {
\r
8495 var radioHtml = '<input type="radio" class="leaflet-control-layers-selector" name="' + name + '"';
\r
8497 radioHtml += ' checked="checked"';
\r
8499 radioHtml += '/>';
\r
8501 var radioFragment = document.createElement('div');
\r
8502 radioFragment.innerHTML = radioHtml;
\r
8504 return radioFragment.firstChild;
\r
8507 _addItem: function (obj) {
\r
8508 var label = document.createElement('label'),
\r
8510 checked = this._map.hasLayer(obj.layer);
\r
8512 if (obj.overlay) {
\r
8513 input = document.createElement('input');
\r
8514 input.type = 'checkbox';
\r
8515 input.className = 'leaflet-control-layers-selector';
\r
8516 input.defaultChecked = checked;
\r
8518 input = this._createRadioElement('leaflet-base-layers', checked);
\r
8521 input.layerId = L.stamp(obj.layer);
\r
8523 L.DomEvent.on(input, 'click', this._onInputClick, this);
\r
8525 var name = document.createElement('span');
\r
8526 name.innerHTML = ' ' + obj.name;
\r
8528 label.appendChild(input);
\r
8529 label.appendChild(name);
\r
8531 var container = obj.overlay ? this._overlaysList : this._baseLayersList;
\r
8532 container.appendChild(label);
\r
8537 _onInputClick: function () {
\r
8538 var i, input, obj,
\r
8539 inputs = this._form.getElementsByTagName('input'),
\r
8540 inputsLen = inputs.length;
\r
8542 this._handlingClick = true;
\r
8544 for (i = 0; i < inputsLen; i++) {
\r
8545 input = inputs[i];
\r
8546 obj = this._layers[input.layerId];
\r
8548 if (input.checked && !this._map.hasLayer(obj.layer)) {
\r
8549 this._map.addLayer(obj.layer);
\r
8551 } else if (!input.checked && this._map.hasLayer(obj.layer)) {
\r
8552 this._map.removeLayer(obj.layer);
\r
8556 this._handlingClick = false;
\r
8558 this._refocusOnMap();
\r
8561 _expand: function () {
\r
8562 L.DomUtil.addClass(this._container, 'leaflet-control-layers-expanded');
\r
8565 _collapse: function () {
\r
8566 this._container.className = this._container.className.replace(' leaflet-control-layers-expanded', '');
\r
8570 L.control.layers = function (baseLayers, overlays, options) {
\r
8571 return new L.Control.Layers(baseLayers, overlays, options);
\r
8576 * L.PosAnimation is used by Leaflet internally for pan animations.
8579 L.PosAnimation = L.Class.extend({
8580 includes: L.Mixin.Events,
8582 run: function (el, newPos, duration, easeLinearity) { // (HTMLElement, Point[, Number, Number])
8586 this._inProgress = true;
8587 this._newPos = newPos;
8591 el.style[L.DomUtil.TRANSITION] = 'all ' + (duration || 0.25) +
8592 's cubic-bezier(0,0,' + (easeLinearity || 0.5) + ',1)';
8594 L.DomEvent.on(el, L.DomUtil.TRANSITION_END, this._onTransitionEnd, this);
8595 L.DomUtil.setPosition(el, newPos);
8597 // toggle reflow, Chrome flickers for some reason if you don't do this
8598 L.Util.falseFn(el.offsetWidth);
8600 // there's no native way to track value updates of transitioned properties, so we imitate this
8601 this._stepTimer = setInterval(L.bind(this._onStep, this), 50);
8605 if (!this._inProgress) { return; }
8607 // if we just removed the transition property, the element would jump to its final position,
8608 // so we need to make it stay at the current position
8610 L.DomUtil.setPosition(this._el, this._getPos());
8611 this._onTransitionEnd();
8612 L.Util.falseFn(this._el.offsetWidth); // force reflow in case we are about to start a new animation
8615 _onStep: function () {
8616 var stepPos = this._getPos();
8618 this._onTransitionEnd();
8621 // jshint camelcase: false
8622 // make L.DomUtil.getPosition return intermediate position value during animation
8623 this._el._leaflet_pos = stepPos;
8628 // you can't easily get intermediate values of properties animated with CSS3 Transitions,
8629 // we need to parse computed style (in case of transform it returns matrix string)
8631 _transformRe: /([-+]?(?:\d*\.)?\d+)\D*, ([-+]?(?:\d*\.)?\d+)\D*\)/,
8633 _getPos: function () {
8634 var left, top, matches,
8636 style = window.getComputedStyle(el);
8638 if (L.Browser.any3d) {
8639 matches = style[L.DomUtil.TRANSFORM].match(this._transformRe);
8640 if (!matches) { return; }
8641 left = parseFloat(matches[1]);
8642 top = parseFloat(matches[2]);
8644 left = parseFloat(style.left);
8645 top = parseFloat(style.top);
8648 return new L.Point(left, top, true);
8651 _onTransitionEnd: function () {
8652 L.DomEvent.off(this._el, L.DomUtil.TRANSITION_END, this._onTransitionEnd, this);
8654 if (!this._inProgress) { return; }
8655 this._inProgress = false;
8657 this._el.style[L.DomUtil.TRANSITION] = '';
8659 // jshint camelcase: false
8660 // make sure L.DomUtil.getPosition returns the final position value after animation
8661 this._el._leaflet_pos = this._newPos;
8663 clearInterval(this._stepTimer);
8665 this.fire('step').fire('end');
8672 * Extends L.Map to handle panning animations.
8677 setView: function (center, zoom, options) {
8679 zoom = zoom === undefined ? this._zoom : this._limitZoom(zoom);
8680 center = this._limitCenter(L.latLng(center), zoom, this.options.maxBounds);
8681 options = options || {};
8683 if (this._panAnim) {
8684 this._panAnim.stop();
8687 if (this._loaded && !options.reset && options !== true) {
8689 if (options.animate !== undefined) {
8690 options.zoom = L.extend({animate: options.animate}, options.zoom);
8691 options.pan = L.extend({animate: options.animate}, options.pan);
8694 // try animating pan or zoom
8695 var animated = (this._zoom !== zoom) ?
8696 this._tryAnimatedZoom && this._tryAnimatedZoom(center, zoom, options.zoom) :
8697 this._tryAnimatedPan(center, options.pan);
8700 // prevent resize handler call, the view will refresh after animation anyway
8701 clearTimeout(this._sizeTimer);
8706 // animation didn't start, just reset the map view
8707 this._resetView(center, zoom);
8712 panBy: function (offset, options) {
8713 offset = L.point(offset).round();
8714 options = options || {};
8716 if (!offset.x && !offset.y) {
8720 if (!this._panAnim) {
8721 this._panAnim = new L.PosAnimation();
8724 'step': this._onPanTransitionStep,
8725 'end': this._onPanTransitionEnd
8729 // don't fire movestart if animating inertia
8730 if (!options.noMoveStart) {
8731 this.fire('movestart');
8734 // animate pan unless animate: false specified
8735 if (options.animate !== false) {
8736 L.DomUtil.addClass(this._mapPane, 'leaflet-pan-anim');
8738 var newPos = this._getMapPanePos().subtract(offset);
8739 this._panAnim.run(this._mapPane, newPos, options.duration || 0.25, options.easeLinearity);
8741 this._rawPanBy(offset);
8742 this.fire('move').fire('moveend');
8748 _onPanTransitionStep: function () {
8752 _onPanTransitionEnd: function () {
8753 L.DomUtil.removeClass(this._mapPane, 'leaflet-pan-anim');
8754 this.fire('moveend');
8757 _tryAnimatedPan: function (center, options) {
8758 // difference between the new and current centers in pixels
8759 var offset = this._getCenterOffset(center)._floor();
8761 // don't animate too far unless animate: true specified in options
8762 if ((options && options.animate) !== true && !this.getSize().contains(offset)) { return false; }
8764 this.panBy(offset, options);
8772 * L.PosAnimation fallback implementation that powers Leaflet pan animations
8773 * in browsers that don't support CSS3 Transitions.
8776 L.PosAnimation = L.DomUtil.TRANSITION ? L.PosAnimation : L.PosAnimation.extend({
8778 run: function (el, newPos, duration, easeLinearity) { // (HTMLElement, Point[, Number, Number])
8782 this._inProgress = true;
8783 this._duration = duration || 0.25;
8784 this._easeOutPower = 1 / Math.max(easeLinearity || 0.5, 0.2);
8786 this._startPos = L.DomUtil.getPosition(el);
8787 this._offset = newPos.subtract(this._startPos);
8788 this._startTime = +new Date();
8796 if (!this._inProgress) { return; }
8802 _animate: function () {
8804 this._animId = L.Util.requestAnimFrame(this._animate, this);
8808 _step: function () {
8809 var elapsed = (+new Date()) - this._startTime,
8810 duration = this._duration * 1000;
8812 if (elapsed < duration) {
8813 this._runFrame(this._easeOut(elapsed / duration));
8820 _runFrame: function (progress) {
8821 var pos = this._startPos.add(this._offset.multiplyBy(progress));
8822 L.DomUtil.setPosition(this._el, pos);
8827 _complete: function () {
8828 L.Util.cancelAnimFrame(this._animId);
8830 this._inProgress = false;
8834 _easeOut: function (t) {
8835 return 1 - Math.pow(1 - t, this._easeOutPower);
8841 * Extends L.Map to handle zoom animations.
8844 L.Map.mergeOptions({
8845 zoomAnimation: true,
8846 zoomAnimationThreshold: 4
8849 if (L.DomUtil.TRANSITION) {
8851 L.Map.addInitHook(function () {
8852 // don't animate on browsers without hardware-accelerated transitions or old Android/Opera
8853 this._zoomAnimated = this.options.zoomAnimation && L.DomUtil.TRANSITION &&
8854 L.Browser.any3d && !L.Browser.android23 && !L.Browser.mobileOpera;
8856 // zoom transitions run with the same duration for all layers, so if one of transitionend events
8857 // happens after starting zoom animation (propagating to the map pane), we know that it ended globally
8858 if (this._zoomAnimated) {
8859 L.DomEvent.on(this._mapPane, L.DomUtil.TRANSITION_END, this._catchTransitionEnd, this);
8864 L.Map.include(!L.DomUtil.TRANSITION ? {} : {
8866 _catchTransitionEnd: function (e) {
8867 if (this._animatingZoom && e.propertyName.indexOf('transform') >= 0) {
8868 this._onZoomTransitionEnd();
8872 _nothingToAnimate: function () {
8873 return !this._container.getElementsByClassName('leaflet-zoom-animated').length;
8876 _tryAnimatedZoom: function (center, zoom, options) {
8878 if (this._animatingZoom) { return true; }
8880 options = options || {};
8882 // don't animate if disabled, not supported or zoom difference is too large
8883 if (!this._zoomAnimated || options.animate === false || this._nothingToAnimate() ||
8884 Math.abs(zoom - this._zoom) > this.options.zoomAnimationThreshold) { return false; }
8886 // offset is the pixel coords of the zoom origin relative to the current center
8887 var scale = this.getZoomScale(zoom),
8888 offset = this._getCenterOffset(center)._divideBy(1 - 1 / scale),
8889 origin = this._getCenterLayerPoint()._add(offset);
8891 // don't animate if the zoom origin isn't within one screen from the current center, unless forced
8892 if (options.animate !== true && !this.getSize().contains(offset)) { return false; }
8898 this._animateZoom(center, zoom, origin, scale, null, true);
8903 _animateZoom: function (center, zoom, origin, scale, delta, backwards, forTouchZoom) {
8905 if (!forTouchZoom) {
8906 this._animatingZoom = true;
8909 // put transform transition on all layers with leaflet-zoom-animated class
8910 L.DomUtil.addClass(this._mapPane, 'leaflet-zoom-anim');
8912 // remember what center/zoom to set after animation
8913 this._animateToCenter = center;
8914 this._animateToZoom = zoom;
8916 // disable any dragging during animation
8918 L.Draggable._disabled = true;
8921 L.Util.requestAnimFrame(function () {
8922 this.fire('zoomanim', {
8928 backwards: backwards
8930 // horrible hack to work around a Chrome bug https://github.com/Leaflet/Leaflet/issues/3689
8931 setTimeout(L.bind(this._onZoomTransitionEnd, this), 250);
8935 _onZoomTransitionEnd: function () {
8936 if (!this._animatingZoom) { return; }
8938 this._animatingZoom = false;
8940 L.DomUtil.removeClass(this._mapPane, 'leaflet-zoom-anim');
8942 this._resetView(this._animateToCenter, this._animateToZoom, true, true);
8945 L.Draggable._disabled = false;
8952 Zoom animation logic for L.TileLayer.
8955 L.TileLayer.include({
8956 _animateZoom: function (e) {
8957 if (!this._animating) {
8958 this._animating = true;
8959 this._prepareBgBuffer();
8962 var bg = this._bgBuffer,
8963 transform = L.DomUtil.TRANSFORM,
8964 initialTransform = e.delta ? L.DomUtil.getTranslateString(e.delta) : bg.style[transform],
8965 scaleStr = L.DomUtil.getScaleString(e.scale, e.origin);
8967 bg.style[transform] = e.backwards ?
8968 scaleStr + ' ' + initialTransform :
8969 initialTransform + ' ' + scaleStr;
8972 _endZoomAnim: function () {
8973 var front = this._tileContainer,
8974 bg = this._bgBuffer;
8976 front.style.visibility = '';
8977 front.parentNode.appendChild(front); // Bring to fore
8980 L.Util.falseFn(bg.offsetWidth);
8982 var zoom = this._map.getZoom();
8983 if (zoom > this.options.maxZoom || zoom < this.options.minZoom) {
8984 this._clearBgBuffer();
8987 this._animating = false;
8990 _clearBgBuffer: function () {
8991 var map = this._map;
8993 if (map && !map._animatingZoom && !map.touchZoom._zooming) {
8994 this._bgBuffer.innerHTML = '';
8995 this._bgBuffer.style[L.DomUtil.TRANSFORM] = '';
8999 _prepareBgBuffer: function () {
9001 var front = this._tileContainer,
9002 bg = this._bgBuffer;
9004 // if foreground layer doesn't have many tiles but bg layer does,
9005 // keep the existing bg layer and just zoom it some more
9007 var bgLoaded = this._getLoadedTilesPercentage(bg),
9008 frontLoaded = this._getLoadedTilesPercentage(front);
9010 if (bg && bgLoaded > 0.5 && frontLoaded < 0.5) {
9012 front.style.visibility = 'hidden';
9013 this._stopLoadingImages(front);
9017 // prepare the buffer to become the front tile pane
9018 bg.style.visibility = 'hidden';
9019 bg.style[L.DomUtil.TRANSFORM] = '';
9021 // switch out the current layer to be the new bg layer (and vice-versa)
9022 this._tileContainer = bg;
9023 bg = this._bgBuffer = front;
9025 this._stopLoadingImages(bg);
9027 //prevent bg buffer from clearing right after zoom
9028 clearTimeout(this._clearBgBufferTimer);
9031 _getLoadedTilesPercentage: function (container) {
9032 var tiles = container.getElementsByTagName('img'),
9035 for (i = 0, len = tiles.length; i < len; i++) {
9036 if (tiles[i].complete) {
9043 // stops loading all tiles in the background layer
9044 _stopLoadingImages: function (container) {
9045 var tiles = Array.prototype.slice.call(container.getElementsByTagName('img')),
9048 for (i = 0, len = tiles.length; i < len; i++) {
9051 if (!tile.complete) {
9052 tile.onload = L.Util.falseFn;
9053 tile.onerror = L.Util.falseFn;
9054 tile.src = L.Util.emptyImageUrl;
9056 tile.parentNode.removeChild(tile);
9064 * Provides L.Map with convenient shortcuts for using browser geolocation features.
\r
9068 _defaultLocateOptions: {
\r
9071 maxZoom: Infinity,
\r
9074 enableHighAccuracy: false
\r
9077 locate: function (/*Object*/ options) {
\r
9079 options = this._locateOptions = L.extend(this._defaultLocateOptions, options);
\r
9081 if (!navigator.geolocation) {
\r
9082 this._handleGeolocationError({
\r
9084 message: 'Geolocation not supported.'
\r
9089 var onResponse = L.bind(this._handleGeolocationResponse, this),
\r
9090 onError = L.bind(this._handleGeolocationError, this);
\r
9092 if (options.watch) {
\r
9093 this._locationWatchId =
\r
9094 navigator.geolocation.watchPosition(onResponse, onError, options);
\r
9096 navigator.geolocation.getCurrentPosition(onResponse, onError, options);
\r
9101 stopLocate: function () {
\r
9102 if (navigator.geolocation) {
\r
9103 navigator.geolocation.clearWatch(this._locationWatchId);
\r
9105 if (this._locateOptions) {
\r
9106 this._locateOptions.setView = false;
\r
9111 _handleGeolocationError: function (error) {
\r
9112 var c = error.code,
\r
9113 message = error.message ||
\r
9114 (c === 1 ? 'permission denied' :
\r
9115 (c === 2 ? 'position unavailable' : 'timeout'));
\r
9117 if (this._locateOptions.setView && !this._loaded) {
\r
9121 this.fire('locationerror', {
\r
9123 message: 'Geolocation error: ' + message + '.'
\r
9127 _handleGeolocationResponse: function (pos) {
\r
9128 var lat = pos.coords.latitude,
\r
9129 lng = pos.coords.longitude,
\r
9130 latlng = new L.LatLng(lat, lng),
\r
9132 latAccuracy = 180 * pos.coords.accuracy / 40075017,
\r
9133 lngAccuracy = latAccuracy / Math.cos(L.LatLng.DEG_TO_RAD * lat),
\r
9135 bounds = L.latLngBounds(
\r
9136 [lat - latAccuracy, lng - lngAccuracy],
\r
9137 [lat + latAccuracy, lng + lngAccuracy]),
\r
9139 options = this._locateOptions;
\r
9141 if (options.setView) {
\r
9142 var zoom = Math.min(this.getBoundsZoom(bounds), options.maxZoom);
\r
9143 this.setView(latlng, zoom);
\r
9149 timestamp: pos.timestamp
\r
9152 for (var i in pos.coords) {
\r
9153 if (typeof pos.coords[i] === 'number') {
\r
9154 data[i] = pos.coords[i];
\r
9158 this.fire('locationfound', data);
\r
9163 }(window, document));