1

我正在尝试构建一个函数,该函数将在脚本后面提到的特定 div 向下和向上滑动,这是代码:

<!DOCTYPE html>
<html>
<head>
  <style>
  div { background:yellow; border:1px solid #AAA; width:80px; height:80px; margin:0 5px; float:left; }
  div.colored { background:green; }
  </style>
  <script src="http://code.jquery.com/jquery-latest.js"></script>
</head>
<body>
  <button id="run">Run</button>

  <div></div>
  <div id="mover"></div>
  <div></div>
<script>

   $("button#run").click(function(){
    $("div:animated").toggleClass("colored");
   });

   function animateIt() {
    return $(this).slideToggle(5000, animateIt);
   }

    $("div#mover").animateIt();

</script>

</body>
</html>

但它给了我这个错误“Uncaught TypeError: Object [object Object] has no method 'animateIt'”

这是一个小提琴

提前致谢。什叶派...

4

2 回答 2

3

animateIt不是 jQuery 方法。将其作为常规函数调用,并传入元素:

function animateIt ( $element ) {
   $element.slideToggle(5000, function (){
      animateIt($element);
   });
}

animateIt( $("div#mover") );​

这是你的小提琴,更新:http: //jsfiddle.net/ZcQM7/2/


如果你想让它成为一个 jQuery 方法,你必须把它变成一个插件:

$.fn.animateIt = function () {
    var $this = this;
    this.slideToggle(5000, function () {
       $this.animateIt();
    });
};

$("div#mover").animateIt();​

这是你的小提琴,还有另一个更新:http: //jsfiddle.net/ZcQM7/1/

于 2013-01-02T21:08:25.000 回答
1

animateIt()是您在代码中声明的函数,不属于 jQuery。

你应该直接调用它:

function animateIt() {
   return $("#mover").slideToggle(5000, animateIt);
}

animateIt();
于 2013-01-02T21:08:47.097 回答