8

我正在创建一个常见问题解答页面,通过单击问题来切换答案。问题是h3,答案是几个p元素。像这样:

<h3>The First Question</h3>
<p>Answer Paragraph</p>
<p>Answer Paragraph</p>
<p>Answer Paragraph</p>

<h3>The Second Question</h3>
<p>Answer Paragraph</p>
<p>Answer Paragraph</p>

如何切换p属于某个问题的所有元素?我的 JS 在页面上切换所有以下p元素:

$(document).ready(function(){
    $("p").hide();
    $("h3").click(function(){
        $(this).nextAll("p").toggle();
    });
});

我不能使用div's 或类)。

4

4 回答 4

16

最好的方法是使用 each 并迭代,直到到达下一个应该停止迭代的元素。在 each 期间返回 false 会停止迭代。使用过滤器可以检查迭代中元素的类型并做出适当的响应。

$(function() {
   $("p").hide();
   $("h3").click(function() {
       $(this).nextAll().each( function() {
           if ($(this).filter('h3').length) {
              return false;
           }
           $(this).filter('p').toggle();
       });
   });
});
于 2009-07-03T16:02:34.980 回答
8

我会这样做:

$(function() {
  $("p").hide();
  $("h3").click(function() {
    $(this).nextAll().each(function() {
      if ($(this).is('h3')) {
        return false;
      }
      $(this).toggle();
    });
  });
});

从 each() 返回 false 结束链。

如果可能的话,我还建议更好地构建数据来处理这种情况。例如:

<h3 class="question">Why is there no soup for me?</h3>
<div class="answer">
<p>...</p>
<p>...</p>
<p>...</p>
</div>

然后问题变得微不足道:

$(function() {
  $("div.answer").hide();
  $("h3.question").click(function() {
    $(this).next().toggle();
  });
});
于 2009-07-03T16:00:20.057 回答
1

这是一个不使用 .each() 的有趣解决方案

$("h3").click(function() {

    var idx = $("h3,p").index(this);
    var nextIdx = ($("h3,p").index($(this).nextAll("h3")));
    var nextPs = (nextIdx == -1) ? $("h3,p").length - idx : nextIdx - idx;
    $(this).nextAll("p:lt(" + (nextPs - 1) + ")").toggle();

});

我正在按索引寻找下一个 Ps。不知道这有多实用,但这是一个很好的练习。

于 2009-07-03T17:16:16.883 回答
0

我会推荐jQuery nextUntil();

$(document).ready(function(){
    $("p").hide();
    $("h3").click(function(){
        $("h3").nextUntil("h3").toggle();
    });
});
于 2015-01-09T10:31:22.240 回答