1

我正在研究星级选项。我有一个包含隐藏输入和五个图像的跨度。当其中一个图像悬停在上面时,该图像和左侧的每个兄弟图像都设置为图像的突出显示版本,而右侧的每个兄弟图像都变暗。

的HTML

<span>
 <input type="hidden" value="1" class="starCount">
 <img src="star-on.jpg" alt="Rating:1 Star" class="rating"><!--
 --><img src="star-off.jpg" alt="Rating:2 Stars" class="rating"><!--
 --><img src="star-off.jpg" alt="Rating:3 Stars" class="rating"><!--
 --><img src="star-off.jpg" alt="Rating:4 Stars" class="rating"><!--
 --><img src="star-off.jpg" alt="Rating:5 Stars" class="rating">
</span>

jQuery

click: (function(){
  // Set the hidden input value to which rating you clicked
  $(this).siblings(".starCount:eq(0)").val($(this).index());
}),
mouseover: (function(){
  // Highlight the star being hovered + all stars to the left
  $(this).attr("src","star-on.jpg");
  $(this).prevAll(".rating").attr("src","star-on.jpg");
  $(this).nextAll(".rating").attr("src","star-off.jpg");
}),
mouseout:(function(){
  // Reset highlighted stars to the value of the hidden input

  // Get the position of the hovered element
  var stars = parseInt($(this).siblings(".starCount:eq(0)").val());

  if($(this).index() != stars){
    // Highlight this element and everything to it's left
    $(this).siblings(".rating:lt("+(stars-1)+")").attr("src","star-on.jpg");

    // Dim everything to the right
    /* -- Note this line: It works, but is where my question derives from -- */
    $(this).siblings(".rating:eq("+(stars-1)+")").nextAll().attr("src","star-off.jpg");
  }
})

我的问题是我必须如何完成“调光”部分。这适用于 [this element] + 以前的兄弟姐妹:

$(this).siblings(".rating:lt("+(stars-1)+")").attr("src","star-on.jpg");

为什么这对之后的所有内容都不起作用:

$(this).siblings(".rating:gt("+(stars-1)+")").attr("src","star-off.jpg");

我只是注意到我没有解释使用 GT 选择器时什么不起作用。这是我如何重现我的问题。见http://jsfiddle.net/SNmcB/1/

  • 点击第三颗星。
  • 将鼠标悬停在星号 1 上并退出;它重置回选择的 3。
  • 点击第一颗星。
  • 将鼠标悬停在星号 4 或 5 上并退出;您悬停的星星仍然突出显示。
  • 如果我使用 nextAll() 方法而不是 GT,则不会发生这种行为。
4

1 回答 1

1

第一颗星的兄弟姐妹是:2 3 4 5

没有 gt() 选择器可以选择它。

第二颗星的兄弟姐妹是:1 3 4 5 gt 参数需要为 0。

明星#3

兄弟姐妹:1 2 4 5

所需索引:1

明星#4

兄弟姐妹:1 2 3 5

所需索引:2

明星#5

兄弟姐妹:1 2 3 4

所需指数:3

所以以下应该工作:

if (stars === 1) {
    $(this).nextAll().attr("src","star-off.jpg");
} else {
    $(this).siblings(".rating:gt("+(stars - 2)+")").attr("src","star-off.jpg");
}
于 2012-04-13T13:36:16.443 回答