How To Use the Widget Factory 使用widget factory创建插件
To start, we'll create a progress bar that just lets us set the progress once. 创建一个基于widget factory的插件progress bar
As we can see below, this is done by calling jQuery.widget()
with two parameters: the name of the plugin to create, and an object literal containing functions to support our plugin.
When our plugin gets called, it will create a new plugin instance and all functions will be executed within the context of that instance.
This is different from a standard jQuery plugin in two important ways.
First, the context is an object, not a DOM element.
Second, the context is always a single object, never a collection.
$.widget( "custom.progressbar", {
_create: function() {
var progress = this.options.value + "%";
this.element
.addClass( "progressbar" )
.text( progress );
}
});
The name of the plugin must contain a namespace, in this case we've used the custom
namespace.
You can only create namespaces that are one level deep, therefore, custom.progressbar
is a valid plugin name whereas very.custom.progressbar
is not.
We can also see that the widget factory has provided two properties for us.
this.element
is a jQuery object containing exactly one element.
If our plugin is called on a jQuery object containing multiple elements, a separate plugin instance will be created for each element, and each instance will have its own this.element
.
The second property, this.options
, is a hash containing key/value pairs for all of our plugin's options. These options can be passed to our plugin as shown here.
$( "<div></div>" )
.appendTo( "body" )
.progressbar({ value: 20 });
When we call jQuery.widget()
it extends jQuery by adding a function to jQuery.fn
(the system for creating a standard plugin).
The name of the function it adds is based on the name you pass to jQuery.widget()
, without the namespace - in our case "progressbar".
The options passed to our plugin are the values that get set in this.options
inside of our plugin instance.
As shown below, we can specify default values for any of our options.
When designing your API, you should figure out the most common use case for your plugin so that you can set appropriate default values and make all options truly optional.
$.widget( "custom.progressbar", { // Default options.
options: {
value: 0
},
_create: function() {
var progress = this.options.value + "%";
this.element
.addClass( "progressbar" )
.text( progress );
}
});
Calling Plugin Methods
Now that we can initialize our progress bar, we'll add the ability to perform actions by calling methods on our plugin instance.
To define a plugin method, we just include the function in the object literal that we pass to jQuery.widget()
.
We can also define "private" methods by prepending an underscore to the function name.
带下划线的是私有方法
$.widget( "custom.progressbar", { options: {
value: 0
}, _create: function() {
var progress = this.options.value + "%";
this.element
.addClass( "progressbar" )
.text( progress );
}, // Create a public method.
value: function( value ) { // No value passed, act as a getter.
if ( value === undefined ) {
return this.options.value;
} // Value passed, act as a setter.
this.options.value = this._constrain( value );
var progress = this.options.value + "%";
this.element.text( progress );
}, // Create a private method.
_constrain: function( value ) {
if ( value > 100 ) {
value = 100;
}
if ( value < 0 ) {
value = 0;
}
return value;
}
});
To call a method on a plugin instance, you pass the name of the method to the jQuery plugin.
If you are calling a method that accepts parameters, you simply pass those parameters after the method name.
Note: Executing methods by passing the method name to the same jQuery function that was used to initialize the plugin may seem odd.
This is done to prevent pollution of the jQuery namespace while maintaining the ability to chain method calls.
Later in this article we'll see alternative uses that may feel more natural.
var bar = $( "<div></div>" )
.appendTo( "body" )
.progressbar({ value: 20 }); // Get the current value.
alert( bar.progressbar( "value" ) ); // Update the value.
bar.progressbar( "value", 50 ); // Get the current value again.
alert( bar.progressbar( "value" ) );
Working with Options
One of the methods that are automatically available to our plugin is the option()
method.
The option()
method allows you to get and set options after initialization.
This method works exactly like jQuery's .css()
and .attr()
methods:
You can pass just a name to use it as a getter, a name and value to use it as a single setter, or a hash of name/value pairs to set multiple values.
When used as a getter, the plugin will return the current value of the option that corresponds to the name that was passed in.
When used as a setter, the plugin's _setOption
method will be called for each option that is being set.
We can specify a _setOption
method in our plugin to react to option changes.
For actions to perform independent of the number of options changed, we can override _setOptions()
.
$.widget( "custom.progressbar", {
options: {
value: 0
},
_create: function() {
this.options.value = this._constrain(this.options.value);
this.element.addClass( "progressbar" );
this.refresh();
},
_setOption: function( key, value ) {
if ( key === "value" ) {
value = this._constrain( value );
}
this._super( key, value );
},
_setOptions: function( options ) {
this._super( options );
this.refresh();
},
refresh: function() {
var progress = this.options.value + "%";
this.element.text( progress );
},
_constrain: function( value ) {
if ( value > 100 ) {
value = 100;
}
if ( value < 0 ) {
value = 0;
}
return value;
}
});
Adding Callbacks
One of the easiest ways to make your plugin extensible is to add callbacks so users can react when the state of your plugin changes.
We can see below how to add a callback to our progress bar to signify when the progress has reached 100%.
The _trigger()
method takes three parameters: the name of the callback, a jQuery event object that initiated the callback, and a hash of data relevant to the event.
The callback name is the only required parameter, but the others can be very useful for users who want to implement custom functionality on top of your plugin.
For example, if we were building a draggable plugin, we could pass the mousemove event when triggering a drag callback; this would allow users to react to the drag based on the x/y coordinates provided by the event object.
Note that the original event passed to _trigger()
must be a jQuery event, not a native browser event.
$.widget( "custom.progressbar", {
options: {
value: 0
},
_create: function() {
this.options.value = this._constrain(this.options.value);
this.element.addClass( "progressbar" );
this.refresh();
},
_setOption: function( key, value ) {
if ( key === "value" ) {
value = this._constrain( value );
}
this._super( key, value );
},
_setOptions: function( options ) {
this._super( options );
this.refresh();
},
refresh: function() {
var progress = this.options.value + "%";
this.element.text( progress );
if ( this.options.value == 100 ) {
this._trigger( "complete", null, { value: 100 } );
}
},
_constrain: function( value ) {
if ( value > 100 ) {
value = 100;
}
if ( value < 0 ) {
value = 0;
}
return value;
}
});
Callback functions are essentially just additional options, so you can get and set them just like any other option.
Whenever a callback is executed, a corresponding event is triggered as well.
The event type is determined by concatenating the plugin name and the callback name.
The callback and event both receive the same two parameters: an event object and a hash of data relevant to the event, as we'll see below.
Your plugin may have functionality that you want to allow the user to prevent.
The best way to support this is by creating cancelable callbacks. Users can cancel a callback, or its associated event, the same way they cancel any native event, by calling event.preventDefault()
or returning false
.
If the user cancels the callback, the _trigger()
method will return false
so you can implement the appropriate functionality within your plugin.
bind的时候事件名字由plugin name和事件名字组合,在调用this._trigger( "complete", null, { value: 100 } );方法的时候,会自动组合plugin name和事件名字,然后找到对应的方法
var bar = $( "<div></div>" )
.appendTo( "body" )
.progressbar({
complete: function( event, data ) {
alert( "Callbacks are great!" );
}
})
.bind( "progressbarcomplete", function( event, data ) {
alert( "Events bubble and support many handlers for extreme flexibility." );
alert( "The progress bar value is " + data.value );
}); bar.progressbar( "option", "value", 100 );
Looking Under the Hood
Now that we've seen how to build a plugin using the widget factory, let's take a look at how it actually works.
When you call jQuery.widget()
, it creates a constructor for your plugin and sets the object literal that you pass in as the prototype for your plugin instances.
All of the functionality that automatically gets added to your plugin comes from a base widget prototype, which is defined as jQuery.Widget.prototype
.
When a plugin instance is created, it is stored on the original DOM element using jQuery.data
, with the plugin name as the key.
plugin创建完成后,存储在html元素的jQuery的data里面
Because the plugin instance is directly linked to the DOM element, you can access the plugin instance directly instead of going through the exposed plugin method if you want.
This will allow you to call methods directly on the plugin instance instead of passing method names as strings and will also give you direct access to the plugin's properties.
下面的示例,直接调用了bar元素,然后调用插件的option方法
var bar = $( "<div></div>" )
.appendTo( "body" )
.progressbar()
.data( "custom-progressbar" ); // Call a method directly on the plugin instance.
bar.option( "value", 50 ); // Access properties on the plugin instance.
alert( bar.options.value );
You can also create an instance without going through the plugin method, by calling the constructor directly, with the options and element arguments:
var bar = $.custom.progressbar( {}, $( "<div></div>" ).appendTo( "body") ); // Same result as before.
alert( bar.options.value );
Extending a Plugin's Prototype
One of the biggest benefits of having a constructor and prototype for a plugin is the ease of extending the plugin.
By adding or modifying methods on the plugin's prototype, we can modify the behavior of all instances of our plugin.
For example, if we wanted to add a method to our progress bar to reset the progress to 0% we could add this method to the prototype and it would instantly be available to be called on any plugin instance.
$.custom.progressbar.prototype.reset = function() {
this._setOption( "value", 0 );
};
For more information on extending widgets, including how to build entirely new widgets on top of existing ones, see Extending Widgets with the Widget Factory.
Cleaning Up
In some cases, it will make sense to allow users to apply and then later unapply your plugin.You can accomplish this via the _destroy()
method. Within the _destroy()
method, you should undo anything your plugin may have done during initialization or later use. _destroy()
is called by the destroy()
method, which is automatically called if the element that your plugin instance is tied to is removed from the DOM, so this can be used for garbage collection as well.
That base destroy()
method also handles some general cleanup operations, like removing the instance reference from the widget's DOM element, unbinding all events in the widget's namespace from the element, and unbinding generally all events that were added using _bind()
.
$.widget( "custom.progressbar", {
options: {
value: 0
},
_create: function() {
this.options.value = this._constrain(this.options.value);
this.element.addClass( "progressbar" );
this.refresh();
},
_setOption: function( key, value ) {
if ( key === "value" ) {
value = this._constrain( value );
}
this._super( key, value );
},
_setOptions: function( options ) {
this._super( options );
this.refresh();
},
refresh: function() {
var progress = this.options.value + "%";
this.element.text( progress );
if ( this.options.value == 100 ) {
this._trigger( "complete", null, { value: 100 } );
}
},
_constrain: function( value ) {
if ( value > 100 ) {
value = 100;
}
if ( value < 0 ) {
value = 0;
}
return value;
},
_destroy: function() {
this.element
.removeClass( "progressbar" )
.text( "" );
}
});
Closing Comments
The widget factory is only one way of creating stateful plugins.
There are a few different models that can be used and each has their own advantages and disadvantages.
The widget factory solves lots of common problems for you and can greatly improve productivity, it also greatly improves code reuse, making it a great fit for jQuery UI as well as many other stateful plugins.
You may have noticed that in this article we used the custom
namespace.
The ui
namespace is reserved for official jQuery UI plugins.
When building your own plugins, you should create your own namespace.
This makes it clear where the plugin came from and if it is part of a larger collection.
How To Use the Widget Factory 使用widget factory创建插件的更多相关文章
- 使用 jQuery UI Widget Factory 编写有状态的插件(Stateful Plugins)
使用 jQuery UI Widget Factory 编写有状态的插件(Stateful Plugins) Note 这一章节的内容是基于 Scott Gonzalez 一篇博客 Building ...
- Android开发之创建App Widget和更新Widget内容
App WidgetsApp Widgets are miniature application views that can be embedded in other applications (s ...
- QT+常见控件+tab Widget 和Stacked Widget
首先:这里介绍以下tab Widget 和Stacked Widget 之间的区别和使用的方法: tab Widget控件可以直接的进行切换,Stacked Widget却不可以直接在界面上进行切换, ...
- Design Pattern ——Factory Method&Abstract Factory
今天开始复习设计模式.设计模式相关的资料有很多,概念性的东西就画个图就可以了.把关注点放在例子上,设计模式还是要使用中才有感受. 从Factory Method&Abstract Factor ...
- 设计模式 - Abstract Factory模式(abstract factory pattern) 详细说明
Abstract Factory模式(abstract factory pattern) 详细说明 本文地址: http://blog.csdn.net/caroline_wendy/article/ ...
- 抽象工厂(Abstract Factory),工厂方法(Factory Method),单例模式(Singleton Pattern)
在谈工厂之前,先阐述一个观点:那就是在实际程序设计中,为了设计灵活的多态代码,代码中尽量不使用new去实例化一个对象,那么不使用new去实例化对象,剩下可用的方法就可以选择使用工厂方法,原型复制等去实 ...
- 设计模式02: Abstract Factory 抽象工厂(创建型模式)
Abstract Factory 抽象工厂(创建型模式) 常见的对象创建方法: //创建一个Road对象 Road road=new Road(); new的问题: -实现依赖 ...
- ThinkPHP3.2.2 Widget扩展以及widget demo实例
Widget扩展一般用于页面组件的扩展. 先说明Widget被调用的方法,你只需要在你的模板文件中使用这样的语法:{:W("Demo/demo_widget_method",arr ...
- yii2 Nav::widget() 和 Menu::widget()
Nav::widget http://www.yiiframework.com/doc-2.0/yii-bootstrap-nav.html Menu::widget() http://www.yi ...
随机推荐
- 打印 PRINT
打印 PRINT 字符串和数值类型 可以直接输出. print(1) #out:1 print('a') #out:a 变量 无论什么类型,数值,字符串,列表,字典...都可以直接输出 n = 1 s ...
- nrm安装与配置
nrm安装与配置:https://blog.csdn.net/anway12138/article/details/79455224
- lb开金矿 QDUOJ 数论
lb开金矿 QDUOJ 数论 原题链接,点我进去 题意 大家都知道lb有n个小弟(编号从2到n+1),他们可以按照规则传递信息:某天编号为i的小弟收到信息后,那么第二天他会给编号为j的小弟传达信息,其 ...
- CDQ分治总结
\(CDQ\)分治小结 标签:知识点总结 阅读体验:https://zybuluo.com/Junlier/note/1326395 身为一个资深菜鸡 \(CDQ\)分治一开始学了一晚上,后来某一天又 ...
- PythonDay06
第六章 今日内容 小数据池 深浅拷贝 集合 小数据池 == is id == 判断两个值是否相等 is --- 是 判断两个值的内存地址是否相等 代码块:一个py文件,一个函数,一个模块,终端中每一行 ...
- QRCode.js一个生成二维码的javascript库
前言 最近在开发中遇到一个需求:将后端返回的链接转换成二维码,那么如何来实现呢?我们可以使用QRCode.js来解决这一问题 什么是 QRCode.js? QRCode.js 是一个用于生成二维码的 ...
- Spring基础13——Spring表达式语言:SpEL
1.SpEL简介 Spring表达式语言(简称SpEL):是一个支持运行时查询和操作对象图的强大的表达式语言.语法上类似于EL:SpEL使用#{...}作为界定符,所有在大框号中的字符都将被认为是Sp ...
- select case语句 is和to用法
在select case 语句中可以使用关系运算符大于>小于<等于=等关系运算符,需要用关键字IS和TO.用个例子来说明: Private Sub Command1_Click() Dim ...
- boost::regex
https://blog.51cto.com/liam2199/2108548 正则表达式
- Kali Linux的发展史,专为数字取证和渗透测试而设计
Kali Linux拥有非常强大的网络功能,Kali Linux是一个Debian衍生的Linux发行版,专为数字取证和渗透测试而设计.它是由OffensiveSecurityLtd维护和资助,是由M ...