jQuery.fn是什么意思?
2022-08-29 22:42:19
这里是什么意思?fn
jQuery.fn.jquery
在 jQuery 中,该属性只是该属性的别名。fn
prototype
标识符(或)只是一个构造函数,使用它创建的所有实例都继承自构造函数的原型。jQuery
$
一个简单的构造函数:
function Test() {
this.a = 'a';
}
Test.prototype.b = 'b';
var test = new Test();
test.a; // "a", own property
test.b; // "b", inherited property
一个类似于jQuery架构的简单结构:
(function() {
var foo = function(arg) { // core constructor
// ensure to use the `new` operator
if (!(this instanceof foo))
return new foo(arg);
// store an argument for this example
this.myArg = arg;
//..
};
// create `fn` alias to `prototype` property
foo.fn = foo.prototype = {
init: function () {/*...*/}
//...
};
// expose the library
window.foo = foo;
})();
// Extension:
foo.fn.myPlugin = function () {
alert(this.myArg);
return this; // return `this` for chainability
};
foo("bar").myPlugin(); // alerts "bar"
fn
字面意思是jquery。prototype
这行代码在源代码中:
jQuery.fn = jQuery.prototype = {
//list of functions available to the jQuery api
}
但背后的真正工具是它的可用性,可以将您自己的功能挂钩到jQuery中。请记住,jquery 将是函数的父作用域,因此将引用 jquery 对象。fn
this
$.fn.myExtension = function(){
var currentjQueryObject = this;
//work with currentObject
return this;//you can include this if you would like to support chaining
};
这里有一个简单的例子。假设我想做两个扩展,一个放置蓝色边框,一个将文本着色为蓝色,我希望它们链接起来。
jsFiddle Demo
$.fn.blueBorder = function(){
this.each(function(){
$(this).css("border","solid blue 2px");
});
return this;
};
$.fn.blueText = function(){
this.each(function(){
$(this).css("color","blue");
});
return this;
};
现在,您可以将它们用于这样的类:
$('.blue').blueBorder().blueText();
(我知道这最好用css来完成,例如应用不同的类名,但请记住,这只是一个演示来展示这个概念)
这个答案有一个完全成熟的扩展的好例子。