编写一个返回值的jQuery插件

时间:2010-09-02 14:35:26

标签: jquery jquery-plugins chaining jquery-chaining

我正在编写一个jQuery插件,在某些情况下会存储一些数据。

我想以非常灵活的方式编写它,我可以更改输入参数以获取插件存储的某些值。

解释

当我致电$("#any").myPlugin()时,我的插件会初始化内部创建div和一些a。 点击a将使用.index()方法存储.data()。 如果我致电$("#any").myPlugin("getSelection"),那么我希望将值存储在.data()

我尝试了什么:

(function ($) {
    $.fn.myPlugin = function (action) {
        if (action == null) action = "initialize";

        return this.each(function ($this) {
            $this = $(this);

            if (action == "initialize") {
                $this.html('<div></div>');
                var div = $("div", $this);

                div.append('<a>A</a>').append('<a>B</a>').append('<a>C</a>');

                div.children("a").each(function (i) {
                    $(this).click(function (event) {
                        // Here I store the index.
                        $this.data($(this).index());
                        event.preventDefault();
                        return false;
                    });
                });

                return $this;
            } else if (action == "getSelection") {
                // With this action, I tried to get the stored value.
                return $this.data("selectedValue");
            }
        });
    };
})(jQuery);

创建元素的简单调用:

$("#someElement").myPlugin();

在这里,我试图获得索引,没有成功:

alert($("#someElement").myPlugin("getSelection"));

那么,有可能做我正在尝试的事情吗?

2 个答案:

答案 0 :(得分:12)

您需要更改一下订单,如下所示:

(function ($) {
    $.fn.myPlugin = function (action) {
        action = action || "initialize";

        if (action == "getSelection") {
          return this.data('index');
        }

        return this.each(function ($this) {
            $this = $(this);

            if (action == "initialize") {
                $this.html('<div></div>');
                var div = $("div", $this);

                div.append('<a>A</a>').append('<a>B</a>').append('<a>C</a>');

                div.children("a").each(function (i) {
                    $(this).click(function (event) {
                        // Here I store the index.
                        $this.data('index', $(this).index());
                        event.preventDefault();
                        return false;
                    });
                });

                return $this;
            }
        });
    };
})(jQuery);

你可以像这样得到点击的索引:

alert($("#someElement").myPlugin("getSelection"));

You can give it a try here,根本问题是你试图从.each()循环中返回单个值,这不起作用。这样就可以从匹配选择器的第一个对象中获取数据(示例中为#someElement)。另外.data()存储其他内容,因此您需要为您的值提供密钥,就像我在上面的版本中使用'index'一样。

答案 1 :(得分:1)

我相信这条线是你的问题开始的地方

if (action == null) action = "initialize";

就像你在没有指定参数的情况下调用插件一样,动作将是未定义的(非空)。

您可以考虑将此更改为

if (!(action)) action = "initialize";

编辑:进一步观察,我认为问题在于,当您设置数据时,根据Documentation of .data() method

,您永远不会给它一个密钥

使用以下方式存储数据:

$this.data("selectedValue",$(this).index());

并像这样检索它:

$('#plugin-container').data("selectedValue")

在这里看到工作小提琴 - &gt; http://jsfiddle.net/7MAUv/