0

我的第一个插件使用适当的架构完成,但我被困在如何将事件侦听器应用于 $(window).scroll 以将 globalMessage 固定到窗口顶部。可以在此处查看完整的插件:https ://gist.github.com/937792 ,但相关位是下面的 init。

设置修改目标元素的 css 属性的窗口事件侦听器的最佳方法是什么?

(function($){

    var methods = {
        init: function(options) {

            var $this = this;
            var opts = $.extend({}, $.fn.globalMessage.defaults, options);
            var data = $this.data('globalMessage');

            // init global data
            if ( ! data ) {
                $this.data('globalMessage', {
                    settings : opts
                });

                $(window).bind("scroll.globalMessage", function() {

                    // ----------
                    // HOW TO ACCESS both $this (defined outside this context)
                    // and the scrollTop value to change top css val?
                    //-----------
                    $this.css("top", $(window).scrollTop());

                });

                $this.bind('click.globalMessage', methods.hide);

            }

            return $this;
        },
        ...[other funcs]...
    }

    ...[main entry point etc]...

})(jQuery);
4

2 回答 2

0

以正确的方式将变量传递给事件:

$(window).bind("scroll.globalMessage", {foo:'bar'}, function(e) {
   alert(e.data.foo); // alert 'bar'
});
于 2011-04-22T22:45:57.087 回答
0

如果您考虑一下,您的对象this的上下文中没有。methods所以你需要通过init()调用传递它:

(function($){

    var methods = {
        init: function(sel, options) {

            var $this = $(sel);

然后,当您调用插件时,传递this给您的init()方法:

$.fn.yourPlugin = function(method) {
    if (!this.length) {
        return this;
    }
    if (methods[method]) {
        return methods[method].apply(this, Array.prototype.slice.call(arguments, 1));
    } else if (typeof method === 'object' || !method) {
        return methods.init(this, arguments);
    } else {
        $.error('Method ' +  method + ' does not exist on jQuery.yourPlugin');
    }
};

我唯一要注意的是,在$this设置变量时,它实际上是一个 jQuery 对象,而不是特定元素。所以我用过:

(function($){

    var methods = {
        init: function(sel, options) {

            var $sel = $(sel);

而且,就$this在事件处理程序中使用而言,您需要重新定义它:

$(window).bind("scroll.globalMessage", function() {
    $this = $('#the_selector_for_your_element'); // Maybe $(this)?
    $this.css("top", $(window).scrollTop());
});
于 2011-04-22T22:19:19.843 回答