我正在创作一个实例化地图的插件。然后地图将提供移动到地球上另一个地方的功能。
该脚本使地图很好。但是,我无法“修复”元素上的函数,以供回调中的另一个插件使用。
这是我尝试过的方法;在插件中:
(function($){
$.fn.mapDo(options){
map = new BlahMap(this.get(0));
this.moveTheMap = function(place){
map.moveItToThat(place);
}; // nope.
}
})(jQuery);
然后,在视图中:
$(map).mapDo();
$(otherElement).otherControl({
callback: function(place){
$(map).moveTheMap(place); // moveTheMap is not there on $(map)!
}
};
如果可能,如何向地图jQuery或DOM元素添加函数?如果没有,我该如何提供这种功能呢?
更重要的是,我是否通过这种方式将事情分开?我有点像Javascript的新手,这些任务通常是如何在保持组件分开的情况下完成的?
虽然这是我对它的抨击,但更普遍的是,我一直在努力从jQuery插件输出内容的概念,同时保持可链接性。在这种情况下,我要做的是输出来自插件的回调,该回调将在执行后期对被调用元素起作用。
答案 0 :(得分:1)
您可以使用map
方法存储.data
。
(function($){
$.fn.mapDo = funciont(options) {
this.data('map', new BlahMap(this.get(0)));
return this;
};
$.fn.moveTheMap = function(place) {
var map = this.data('map');
if (map) {
map.moveItToThat(place);
}
return this;
};
})(jQuery);
答案 1 :(得分:1)
插件通常只向jQuery原型添加一个方法,并且对插件的实例的方法调用是用字符串完成的。
(function($) {
$.fn.mapDo = function(options) {
var args = [].slice.call(arguments, 1); //Get all the arguments starting from 2nd argument as an array
return this.each(function() {
var $this = $(this),
instance = $this.data("map-instance");
if (!instance) {
$this.data("map-instance", (instance = new BlahMap(this, options)));
}
if (typeof options == "string") {
instance[options].apply(instance, args);
}
});
};
})(jQuery);
$(elem).mapDo( "moveTheMap", place ); //This would also instantiate the plugin if it wasn't instantiated
这是jsfiddle显示它的实际效果: