1

我将如何修改我的插件以允许在通话中加载事件?现在插件在页面加载时加载,我希望它与 .blur() 或我想分配的任何事件一起使用。任何帮助,将不胜感激:

// The Plugin
(function($) {
  $.fn.required = function() {
    return this.each(function() {

      var $this = $(this), $li = $this.closest("li");
      if(!$this.val() || $this.val() == "- Select One -") {
        console.log('test');
        if (!$this.next(".validationError").length) {
          $li.addClass("errorBg");
          $this.after('<span class="validationError">err msg</span>');
        }
      } else if($this.val() && /required/.test($this.next().text()) === true) {
        $li.removeClass("errorBg");
        $this.next().remove();
      }

    });
  }
})(jQuery);

// The Event Call
$("[name$='_required']").required().blur();

它不适用于 blur(),它在文档加载时触发插件而不是 .blur() 事件。

4

2 回答 2

1

在 Javascript 中,当您将函数名放在()函数名之后时,它会立即执行。所以当解释器遇到 时("[name$='_required']").required().blur();,它required立即执行,然后将返回值附加到blur()(这似乎不是您想要的)。尝试这样做:

$("[name$='_required']").required.blur();

这应该绑定 to 的实际函数对象requiredblur()使其在该事件上执行。

于 2009-12-31T01:15:25.753 回答
1
(function($) { 
    $.fn.required = function() { 
        var handler = function() {
            var $this = $(this), $li = $this.closest("li"); 
            if(!$this.val() || $this.val() == "- Select One -") { 
              console.log('test'); 
              if (!$this.next(".validationError").length) { 
                $li.addClass("errorBg"); 
                $this.after('<span class="validationError">err msg</span>'); 
              } 
            } else if($this.val() && /required/.test($this.next().text()) === true) { 
              $li.removeClass("errorBg"); 
              $this.next().remove(); 
            } 
        };
        return this.each(function() {
            // Attach handler to blur event for each matched element:
            $(this).blur(handler);
        })
    } 
})(jQuery); 

// Set up plugin on $(document).ready:
$(function() {
    $("[name$='_required']").required();
})
于 2009-12-31T01:43:09.877 回答