6

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

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

解释:

当我调用 时$("#any").myPlugin(),我的插件会在里面初始化创建一个div和一些a。单击 ana.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"));

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

4

2 回答 2

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"));

你可以在这里试一试,根本问题是你试图从循环中返回一个值.each(),这是行不通的。而是从与选择器匹配的第一个对象中获取数据(#someElement在示例中)。还.data()存储其他东西,所以你需要给你的值一个键,就像我'index'在上面的版本中使用的一样。

于 2010-09-02T15:10:59.747 回答
1

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

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

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

您可以考虑将其更改为

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

编辑:经过进一步研究,我认为问题在于,当您设置数据时,您永远不会根据.data() 方法的文档给它一个键

使用以下方式存储数据:

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

并像这样检索它:

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

在这里查看工作小提琴-> http://jsfiddle.net/7MAUv/

于 2010-09-02T14:41:59.347 回答