私はそれを呼び出すオブジェクトに追加の関数/メソッドを提供するjQueryプラグインを作成しようとしています。私がオンラインで読んだすべてのチュートリアル(過去2時間の閲覧)には、多くてもオプションを追加する方法が含まれていますが、追加機能は含まれていません。
私がやろうとしていることは次のとおりです。
//そのdivのプラグインを呼び出して、divをメッセージコンテナーにフォーマットします
$("#mydiv").messagePlugin();
$("#mydiv").messagePlugin().saySomething("hello");
またはそれらの線に沿って何か。要約すると、プラグインを呼び出し、そのプラグインに関連付けられた関数を呼び出します。私はこれを行う方法を見つけることができないようで、多くのプラグインがそれを行うのを見たことがあります。
プラグインに関してこれまでのところ私が持っているものは次のとおりです。
jQuery.fn.messagePlugin = function() {
return this.each(function(){
alert(this);
});
//i tried to do this, but it does not seem to work
jQuery.fn.messagePlugin.saySomething = function(message){
$(this).html(message);
}
};
どうすればそのようなことを達成できますか?
ありがとうございました!
2013年11月18日更新:Hariの以下のコメントと賛成票の正解を変更しました。
JQueryプラグインオーサリングページ( http://docs.jquery.com/Plugins/Authoring )によると、jQueryおよびjQuery.fn名前空間を濁らないようにすることが最善です。彼らはこの方法を提案しています:
(function( $ ){
var methods = {
init : function(options) {
},
show : function( ) { },// IS
hide : function( ) { },// GOOD
update : function( content ) { }// !!!
};
$.fn.tooltip = function(methodOrOptions) {
if ( methods[methodOrOptions] ) {
return methods[ methodOrOptions ].apply( this, Array.prototype.slice.call( arguments, 1 ));
} else if ( typeof methodOrOptions === 'object' || ! methodOrOptions ) {
// Default to "init"
return methods.init.apply( this, arguments );
} else {
$.error( 'Method ' + methodOrOptions + ' does not exist on jQuery.tooltip' );
}
};
})( jQuery );
基本的に、関数を配列(ラッピング関数にスコープ)に保存し、渡されたパラメーターが文字列の場合はエントリをチェックし、パラメーターがオブジェクト(またはnull)の場合はデフォルトメソッド(ここでは「init」)に戻ります。
その後、次のようにメソッドを呼び出すことができます...
$('div').tooltip(); // calls the init method
$('div').tooltip({ // calls the init method
foo : 'bar'
});
$('div').tooltip('hide'); // calls the hide method
$('div').tooltip('update', 'This is the new tooltip content!'); // calls the update method
Javascriptの「引数」変数は、渡されるすべての引数の配列であるため、関数パラメーターの任意の長さで機能します。
追加のメソッドを使用してプラグインを作成するために使用したパターンを次に示します。次のように使用します。
$('selector').myplugin( { key: 'value' } );
または、メソッドを直接呼び出すには、
$('selector').myplugin( 'mymethod1', 'argument' );
例:
;(function($) {
$.fn.extend({
myplugin: function(options,arg) {
if (options && typeof(options) == 'object') {
options = $.extend( {}, $.myplugin.defaults, options );
}
// this creates a plugin for each element in
// the selector or runs the function once per
// selector. To have it do so for just the
// first element (once), return false after
// creating the plugin to stop the each iteration
this.each(function() {
new $.myplugin(this, options, arg );
});
return;
}
});
$.myplugin = function( elem, options, arg ) {
if (options && typeof(options) == 'string') {
if (options == 'mymethod1') {
myplugin_method1( arg );
}
else if (options == 'mymethod2') {
myplugin_method2( arg );
}
return;
}
...normal plugin actions...
function myplugin_method1(arg)
{
...do method1 with this and arg
}
function myplugin_method2(arg)
{
...do method2 with this and arg
}
};
$.myplugin.defaults = {
...
};
})(jQuery);
このアプローチはどうですか:
jQuery.fn.messagePlugin = function(){
var selectedObjects = this;
return {
saySomething : function(message){
$(selectedObjects).each(function(){
$(this).html(message);
});
return selectedObjects; // Preserve the jQuery chainability
},
anotherAction : function(){
//...
return selectedObjects;
}
};
}
// Usage:
$('p').messagePlugin().saySomething('I am a Paragraph').css('color', 'red');
選択したオブジェクトはmessagePluginクロージャーに保存され、その関数はプラグインに関連付けられた関数を含むオブジェクトを返します。各関数では、現在選択されているオブジェクトに対して目的のアクションを実行できます。
コードをテストして再生できます here 。
編集:jQueryの連鎖性の力を維持するためにコードを更新しました。
現在選択されている答えの問題は、あなたがしていると思うように、セレクターのすべての要素に対してカスタムプラグインの新しいインスタンスを実際に作成していないことです...実際には、単一のインスタンスを作成して渡すだけですスコープとしてのセレクター自体。
詳細な説明については、 this fiddle をご覧ください。
代わりに、 jQuery.each を使用してセレクターをループし、セレクターのすべての要素に対してカスタムプラグインの新しいインスタンスをインスタンス化する必要があります。
方法は次のとおりです。
(function($) {
var CustomPlugin = function($el, options) {
this._defaults = {
randomizer: Math.random()
};
this._options = $.extend(true, {}, this._defaults, options);
this.options = function(options) {
return (options) ?
$.extend(true, this._options, options) :
this._options;
};
this.move = function() {
$el.css('margin-left', this._options.randomizer * 100);
};
};
$.fn.customPlugin = function(methodOrOptions) {
var method = (typeof methodOrOptions === 'string') ? methodOrOptions : undefined;
if (method) {
var customPlugins = [];
function getCustomPlugin() {
var $el = $(this);
var customPlugin = $el.data('customPlugin');
customPlugins.Push(customPlugin);
}
this.each(getCustomPlugin);
var args = (arguments.length > 1) ? Array.prototype.slice.call(arguments, 1) : undefined;
var results = [];
function applyMethod(index) {
var customPlugin = customPlugins[index];
if (!customPlugin) {
console.warn('$.customPlugin not instantiated yet');
console.info(this);
results.Push(undefined);
return;
}
if (typeof customPlugin[method] === 'function') {
var result = customPlugin[method].apply(customPlugin, args);
results.Push(result);
} else {
console.warn('Method \'' + method + '\' not defined in $.customPlugin');
}
}
this.each(applyMethod);
return (results.length > 1) ? results : results[0];
} else {
var options = (typeof methodOrOptions === 'object') ? methodOrOptions : undefined;
function init() {
var $el = $(this);
var customPlugin = new CustomPlugin($el, options);
$el.data('customPlugin', customPlugin);
}
return this.each(init);
}
};
})(jQuery);
作業フィドル 。
最初のフィドルでは、すべてのdivが常に正確に同じピクセル数だけ右に移動されることに気付くでしょう。これは、セレクターのすべての要素に対してoneオプションオブジェクトのみが存在するためです。
上記の手法を使用すると、2番目のフィドルでは、各divが位置合わせされず、ランダムに移動します(ランダマイザーは89行目で常に1に設定されているため、最初のdivは除きます)。これは、セレクターのすべての要素に対して新しいカスタムプラグインインスタンスを適切にインスタンス化しているためです。すべての要素には独自のオプションオブジェクトがあり、セレクターではなく、カスタムプラグイン自体のインスタンスに保存されます。
つまり、最初のフィドルのように、新しいjQueryセレクターからDOMの特定の要素でインスタンス化されたカスタムプラグインのメソッドにアクセスでき、それらをキャッシュする必要はありません。
たとえば、これは2番目のフィドルの手法を使用して、すべてのオプションオブジェクトの配列を返します。最初はundefinedを返します。
$('div').customPlugin();
$('div').customPlugin('options'); // would return an array of all options objects
これは、最初のフィドルでオプションオブジェクトにアクセスする必要があり、それらの配列ではなく、単一のオブジェクトのみを返す方法です。
var divs = $('div').customPlugin();
divs.customPlugin('options'); // would return a single options object
$('div').customPlugin('options');
// would return undefined, since it's not a cached selector
現在選択されている回答からではなく、上記のテクニックを使用することをお勧めします。
jQueryは Widget Factory の導入によりこれを非常に簡単にしました。
例:
$.widget( "myNamespace.myPlugin", {
options: {
// Default options
},
_create: function() {
// Initialization logic here
},
// Create a public method.
myPublicMethod: function( argument ) {
// ...
},
// Create a private method.
_myPrivateMethod: function( argument ) {
// ...
}
});
初期化:
$('#my-element').myPlugin();
$('#my-element').myPlugin( {defaultValue:10} );
メソッド呼び出し:
$('#my-element').myPlugin('myPublicMethod', 20);
(これが jQuery UI ライブラリの構築方法です。)
より簡単なアプローチは、ネストされた関数を使用することです。次に、オブジェクト指向の方法でそれらをチェーンできます。例:
jQuery.fn.MyPlugin = function()
{
var _this = this;
var a = 1;
jQuery.fn.MyPlugin.DoSomething = function()
{
var b = a;
var c = 2;
jQuery.fn.MyPlugin.DoSomething.DoEvenMore = function()
{
var d = a;
var e = c;
var f = 3;
return _this;
};
return _this;
};
return this;
};
そして、これはそれを呼び出す方法です:
var pluginContainer = $("#divSomeContainer");
pluginContainer.MyPlugin();
pluginContainer.MyPlugin.DoSomething();
pluginContainer.MyPlugin.DoSomething.DoEvenMore();
しかし注意してください。ネストされた関数は、作成されるまで呼び出すことはできません。したがって、これを行うことはできません。
var pluginContainer = $("#divSomeContainer");
pluginContainer.MyPlugin();
pluginContainer.MyPlugin.DoSomething.DoEvenMore();
pluginContainer.MyPlugin.DoSomething();
DoEvenMore関数を作成するために必要なDoSomething関数がまだ実行されていないため、DoEvenMore関数は存在しません。ほとんどのjQueryプラグインでは、ここで示したように、実際には2つのレベルではなく、1つのレベルのネストされた関数しかありません。
ネストされた関数を作成するときは、親関数内の他のコードが実行される前に、親関数の先頭でこれらの関数を定義するようにしてください。
最後に、「this」メンバーは「_this」という変数に格納されていることに注意してください。ネストされた関数の場合、呼び出し元クライアントのインスタンスへの参照が必要な場合は「_this」を返す必要があります。ネストされた関数で「this」を返すことはできません。jQueryインスタンスではなく、関数への参照を返すためです。 jQuery参照を返すことにより、戻り時に組み込みのjQueryメソッドをチェーンできます。
jQuery Plugin Boilerplate から取得しました
jQuery Plugin Boilerplate、reprise でも説明されています
// jQuery Plugin Boilerplate
// A boilerplate for jumpstarting jQuery plugins development
// version 1.1, May 14th, 2011
// by Stefan Gabos
// remember to change every instance of "pluginName" to the name of your plugin!
(function($) {
// here we go!
$.pluginName = function(element, options) {
// plugin's default options
// this is private property and is accessible only from inside the plugin
var defaults = {
foo: 'bar',
// if your plugin is event-driven, you may provide callback capabilities
// for its events. execute these functions before or after events of your
// plugin, so that users may customize those particular events without
// changing the plugin's code
onFoo: function() {}
}
// to avoid confusions, use "plugin" to reference the
// current instance of the object
var plugin = this;
// this will hold the merged default, and user-provided options
// plugin's properties will be available through this object like:
// plugin.settings.propertyName from inside the plugin or
// element.data('pluginName').settings.propertyName from outside the plugin,
// where "element" is the element the plugin is attached to;
plugin.settings = {}
var $element = $(element), // reference to the jQuery version of DOM element
element = element; // reference to the actual DOM element
// the "constructor" method that gets called when the object is created
plugin.init = function() {
// the plugin's final properties are the merged default and
// user-provided options (if any)
plugin.settings = $.extend({}, defaults, options);
// code goes here
}
// public methods
// these methods can be called like:
// plugin.methodName(arg1, arg2, ... argn) from inside the plugin or
// element.data('pluginName').publicMethod(arg1, arg2, ... argn) from outside
// the plugin, where "element" is the element the plugin is attached to;
// a public method. for demonstration purposes only - remove it!
plugin.foo_public_method = function() {
// code goes here
}
// private methods
// these methods can be called only from inside the plugin like:
// methodName(arg1, arg2, ... argn)
// a private method. for demonstration purposes only - remove it!
var foo_private_method = function() {
// code goes here
}
// fire up the plugin!
// call the "constructor" method
plugin.init();
}
// add the plugin to the jQuery.fn object
$.fn.pluginName = function(options) {
// iterate through the DOM elements we are attaching the plugin to
return this.each(function() {
// if plugin has not already been attached to the element
if (undefined == $(this).data('pluginName')) {
// create a new instance of the plugin
// pass the DOM element and the user-provided options as arguments
var plugin = new $.pluginName(this, options);
// in the jQuery version of the element
// store a reference to the plugin object
// you can later access the plugin and its methods and properties like
// element.data('pluginName').publicMethod(arg1, arg2, ... argn) or
// element.data('pluginName').settings.propertyName
$(this).data('pluginName', plugin);
}
});
}
})(jQuery);
遅すぎますが、いつか誰かを助けることができるかもしれません。
私は同じような状況で、いくつかのメソッドでjQueryプラグインを作成し、いくつかの記事とタイヤを読んだ後、jQueryプラグインボイラープレートを作成しました( https://github.com/acanimal/jQuery-Plugin-Boilerplate )。
さらに、タグを管理するプラグインを開発し( https://github.com/acanimal/tagger.js )、jQueryプラグインの作成を段階的に説明する2つのブログ記事を書きました( http://acuriousanimal.com/blog/2013/01/15/things-i-learned-creating-a-jquery-plugin-part-i/ )。
できるよ:
(function ($) {
var YourPlugin = function (element, option) {
var defaults = {
//default value
}
this.option = $.extend({}, defaults, option);
this.$element = $(element);
this.init();
}
YourPlugin.prototype = {
init: function () {
},
show: function() {
},
//another functions
}
$.fn.yourPlugin = function (option) {
var arg = arguments,
options = typeof option == 'object' && option;;
return this.each(function () {
var $this = $(this),
data = $this.data('yourPlugin');
if (!data) $this.data('yourPlugin', (data = new YourPlugin(this, options)));
if (typeof option === 'string') {
if (arg.length > 1) {
data[option].apply(data, Array.prototype.slice.call(arg, 1));
} else {
data[option]();
}
}
});
};
});
このようにして、プラグインオブジェクトはデータ値として要素に保存されます。
//Initialization without option
$('#myId').yourPlugin();
//Initialization with option
$('#myId').yourPlugin({
//your option
});
//call show method
$('#myId').yourPlugin('show');
トリガーの使用はどうですか?誰かがそれらを使用して欠点を知っていますか?利点は、すべての内部変数がトリガーを介してアクセス可能であり、コードが非常に簡単であることです。
jsfiddle を参照してください。
<div id="mydiv">This is the message container...</div>
<script>
var mp = $("#mydiv").messagePlugin();
// the plugin returns the element it is called on
mp.trigger("messagePlugin.saySomething", "hello");
// so defining the mp variable is not needed...
$("#mydiv").trigger("messagePlugin.repeatLastMessage");
</script>
jQuery.fn.messagePlugin = function() {
return this.each(function() {
var lastmessage,
$this = $(this);
$this.on('messagePlugin.saySomething', function(e, message) {
lastmessage = message;
saySomething(message);
});
$this.on('messagePlugin.repeatLastMessage', function(e) {
repeatLastMessage();
});
function saySomething(message) {
$this.html("<p>" + message + "</p>");
}
function repeatLastMessage() {
$this.append('<p>Last message was: ' + lastmessage + '</p>');
}
});
}
ここで、引数を持つ単純なプラグインを作成する手順を提案したいと思います。
JS
(function($) {
$.fn.myFirstPlugin = function( options ) {
// Default params
var params = $.extend({
text : 'Default Title',
fontsize : 10,
}, options);
return $(this).text(params.text);
}
}(jQuery));
ここでは、params
というデフォルトオブジェクトを追加し、extend
関数を使用してオプションのデフォルト値を設定しています。したがって、空の引数を渡すと、代わりにデフォルト値が設定され、そうでない場合は設定されます。
HTML
$('.cls-title').myFirstPlugin({ text : 'Argument Title' });
これが私の最低限のバージョンです。前に投稿したものと同様に、次のように呼び出します。
$('#myDiv').MessagePlugin({ yourSettings: 'here' })
.MessagePlugin('saySomething','Hello World!');
-またはインスタンスに直接アクセスする@ plugin_MessagePlugin
$elem = $('#myDiv').MessagePlugin();
var instance = $elem.data('plugin_MessagePlugin');
instance.saySomething('Hello World!');
MessagePlugin.js
;(function($){
function MessagePlugin(element,settings){ // The Plugin
this.$elem = element;
this._settings = settings;
this.settings = $.extend(this._default,settings);
}
MessagePlugin.prototype = { // The Plugin prototype
_default: {
message: 'Generic message'
},
initialize: function(){},
saySomething: function(message){
message = message || this._default.message;
return this.$elem.html(message);
}
};
$.fn.MessagePlugin = function(settings){ // The Plugin call
var instance = this.data('plugin_MessagePlugin'); // Get instance
if(instance===undefined){ // Do instantiate if undefined
settings = settings || {};
this.data('plugin_MessagePlugin',new MessagePlugin(this,settings));
return this;
}
if($.isFunction(MessagePlugin.prototype[settings])){ // Call method if argument is name of method
var args = Array.prototype.slice.call(arguments); // Get the arguments as Array
args.shift(); // Remove first argument (name of method)
return MessagePlugin.prototype[settings].apply(instance, args); // Call the method
}
// Do error handling
return this;
}
})(jQuery);
これを試してください:
$.fn.extend({
"calendar":function(){
console.log(this);
var methods = {
"add":function(){console.log("add"); return this;},
"init":function(){console.log("init"); return this;},
"sample":function(){console.log("sample"); return this;}
};
methods.init(); // you can call any method inside
return methods;
}});
$.fn.calendar() // caller or
$.fn.calendar().sample().add().sample() ......; // call methods
以下は、デバッグ用の警告メソッドを持つ小さなプラグインです。このコードをjquery.debug.jsファイルに保存します:JS:
jQuery.fn.warning = function() {
return this.each(function() {
alert('Tag Name:"' + $(this).prop("tagName") + '".');
});
};
HTML:
<html>
<head>
<title>The jQuery Example</title>
<script type = "text/javascript"
src = "http://ajax.googleapis.com/ajax/libs/jquery/2.1.3/jquery.min.js"></script>
<script src = "jquery.debug.js" type = "text/javascript"></script>
<script type = "text/javascript" language = "javascript">
$(document).ready(function() {
$("div").warning();
$("p").warning();
});
</script>
</head>
<body>
<p>This is paragraph</p>
<div>This is division</div>
</body>
</html>
これは、実際にdefineProperty
を使用して「いい」方法で動作するようにできます。ここで「いい」とは、()
を使用してプラグインの名前空間を取得したり、関数名を文字列で渡す必要がないことを意味します。
互換性nit:defineProperty
は、IE8以下などの古いブラウザでは機能しません。 注意:$.fn.color.blue.apply(foo, args)
は動作しません。foo.color.blue.apply(foo, args)
を使用する必要があります。
function $_color(color)
{
return this.css('color', color);
}
function $_color_blue()
{
return this.css('color', 'blue');
}
Object.defineProperty($.fn, 'color',
{
enumerable: true,
get: function()
{
var self = this;
var ret = function() { return $_color.apply(self, arguments); }
ret.blue = function() { return $_color_blue.apply(self, arguments); }
return ret;
}
});
$('#foo').color('#f00');
$('#bar').color.blue();
次のプラグイン構造は、jQuery -data()
- methodを使用して、内部プラグインメソッド/ -settingsへのパブリックインターフェイスを提供します(jQueryチェーン機能を維持します) :
(function($, window, undefined) {
$.fn.myPlugin = function(options) {
// settings, e.g.:
var settings = $.extend({
elementId: null,
shape: "square",
color: "aqua",
borderWidth: "10px",
borderColor: "DarkGray"
}, options);
// private methods, e.g.:
var setBorder = function(color, width) {
settings.borderColor = color;
settings.borderWidth = width;
drawShape();
};
var drawShape = function() {
$('#' + settings.elementId).attr('class', settings.shape + " " + "center");
$('#' + settings.elementId).css({
'background-color': settings.color,
'border': settings.borderWidth + ' solid ' + settings.borderColor
});
$('#' + settings.elementId).html(settings.color + " " + settings.shape);
};
return this.each(function() { // jQuery chainability
// set stuff on ini, e.g.:
settings.elementId = $(this).attr('id');
drawShape();
// PUBLIC INTERFACE
// gives us stuff like:
//
// $("#...").data('myPlugin').myPublicPluginMethod();
//
var myPlugin = {
element: $(this),
// access private plugin methods, e.g.:
setBorder: function(color, width) {
setBorder(color, width);
return this.element; // To ensure jQuery chainability
},
// access plugin settings, e.g.:
color: function() {
return settings.color;
},
// access setting "shape"
shape: function() {
return settings.shape;
},
// inspect settings
inspectSettings: function() {
msg = "inspecting settings for element '" + settings.elementId + "':";
msg += "\n--- shape: '" + settings.shape + "'";
msg += "\n--- color: '" + settings.color + "'";
msg += "\n--- border: '" + settings.borderWidth + ' solid ' + settings.borderColor + "'";
return msg;
},
// do stuff on element, e.g.:
change: function(shape, color) {
settings.shape = shape;
settings.color = color;
drawShape();
return this.element; // To ensure jQuery chainability
}
};
$(this).data("myPlugin", myPlugin);
}); // return this.each
}; // myPlugin
}(jQuery));
次の構文を使用して、内部プラグインメソッドを呼び出して、プラグインデータまたは関連要素にアクセスまたは変更できます。
$("#...").data('myPlugin').myPublicPluginMethod();
myPublicPluginMethod()
jQuery-chainabilityの実装内から現在の要素(this)を返す限り、次のように動作します:
$("#...").data('myPlugin').myPublicPluginMethod().css("color", "red").html("....");
次に例を示します(詳細については、このfiddleをチェックアウトしてください):
// initialize plugin on elements, e.g.:
$("#shape1").myPlugin({shape: 'square', color: 'blue', borderColor: 'SteelBlue'});
$("#shape2").myPlugin({shape: 'rectangle', color: 'red', borderColor: '#ff4d4d'});
$("#shape3").myPlugin({shape: 'circle', color: 'green', borderColor: 'LimeGreen'});
// calling plugin methods to read element specific plugin settings:
console.log($("#shape1").data('myPlugin').inspectSettings());
console.log($("#shape2").data('myPlugin').inspectSettings());
console.log($("#shape3").data('myPlugin').inspectSettings());
// calling plugin methods to modify elements, e.g.:
// (OMG! And they are chainable too!)
$("#shape1").data('myPlugin').change("circle", "green").fadeOut(2000).fadeIn(2000);
$("#shape1").data('myPlugin').setBorder('LimeGreen', '30px');
$("#shape2").data('myPlugin').change("rectangle", "red");
$("#shape2").data('myPlugin').setBorder('#ff4d4d', '40px').css({
'width': '350px',
'font-size': '2em'
}).slideUp(2000).slideDown(2000);
$("#shape3").data('myPlugin').change("square", "blue").fadeOut(2000).fadeIn(2000);
$("#shape3").data('myPlugin').setBorder('SteelBlue', '30px');
// etc. ...
Jquery標準に従って、次のようにプラグインを作成できます。
(function($) {
//methods starts here....
var methods = {
init : function(method,options) {
this.loadKeywords.settings = $.extend({}, this.loadKeywords.defaults, options);
methods[method].apply( this, Array.prototype.slice.call( arguments, 1 ));
$loadkeywordbase=$(this);
},
show : function() {
//your code here.................
},
getData : function() {
//your code here.................
}
} // do not put semi colon here otherwise it will not work in ie7
//end of methods
//main plugin function starts here...
$.fn.loadKeywords = function(options,method) {
if (methods[method]) {
return methods[method].apply(this, Array.prototype.slice.call(
arguments, 1));
} else if (typeof method === 'object' || !method) {
return methods.init.apply(this, arguments);
} else {
$.error('Method ' + method + ' does not ecw-Keywords');
}
};
$.fn.loadKeywords.defaults = {
keyName: 'Messages',
Options: '1',
callback: '',
};
$.fn.loadKeywords.settings = {};
//end of plugin keyword function.
})(jQuery);
このプラグインを呼び出す方法は?
1.$('your element').loadKeywords('show',{'callback':callbackdata,'keyName':'myKey'}); // show() will be called
参照: リンク
これはあなたを助けるかもしれないと思う...
(function ( $ ) {
$.fn.highlight = function( options ) {
// This is the easiest way to have default options.
var settings = $.extend({
// These are the defaults.
color: "#000",
backgroundColor: "yellow"
}, options );
// Highlight the collection based on the settings variable.
return this.css({
color: settings.color,
backgroundColor: settings.backgroundColor
});
};
}( jQuery ));
上記の例では、単純なjqueryhighlightプラグインを作成しました。独自のjQueryプラグインの作成方法について説明した記事を共有しましたBasicからAdvanceへ。私はあなたがそれをチェックアウトすべきだと思う... http://mycodingtricks.com/jquery/how-to-create-your-own-jquery-plugin/
ここに私がそれをする方法があります:
(function ( $ ) {
$.fn.gridview = function( options ) {
..........
..........
var factory = new htmlFactory();
factory.header(...);
........
};
}( jQuery ));
var htmlFactory = function(){
//header
this.header = function(object){
console.log(object);
}
}