我有这样的HTML代码:
<div>
<a>Link A1</a>
<a>Link A2</a>
<a>Link A3</a>
</div>
<div>
<a>Link B1</a>
<a>Link B2</a>
<a>Link B3</a>
</div>
当用户点击上面的HTML链接时,我想获取相应<a>
元素的jQuery对象,然后操纵它的兄弟。除了为每个<a>
元素创建一个ID,并将该ID传递给onclick事件处理程序之外,我想不出任何其他方法。我真的不想使用ID。
有什么建议吗?
答案 0 :(得分:67)
幸运的是,jQuery选择器可以让你更自由:
$("div a").click( function(event)
{
var clicked = $(this); // jQuery wrapper for clicked element
// ... click-specific code goes here ...
});
...会将指定的回调附加到<a>
中包含的每个<div>
。
答案 1 :(得分:9)
当jQuery click事件调用您的事件处理程序时,它会将“this”设置为单击的对象。要将其转换为jQuery对象,只需将其传递给“$”函数:$(this)
。因此,要获得下一个兄弟元素,您可以在单击处理程序中执行此操作:
var nextSibling = $(this).next();
编辑阅读Kevin的评论后,我意识到我可能会误解你的想法。如果你想做他要求的事情,即选择另一个div中的相应链接,你可以使用$(this).index()
来获得点击链接的位置。然后,您可以通过其位置选择另一个div中的链接,例如使用“eq”方法。
var $clicked = $(this);
var linkIndex = $clicked.index();
$clicked.parent().next().children().eq(linkIndex);
如果您希望能够双向进行,您将需要一些方法来确定您所在的div,以便您知道在“parent()”之后是否需要“next()”或“prev()”< / p>
答案 2 :(得分:5)
您会发现siblings()和parent()方法在这里很有用。
// assuming A1 is clicked
$('div a').click(function(e) {
$(this); // A1
$(this).parent(); // the div containing A1
$(this).siblings(); // A2 and A3
});
将这些方法与andSelf()结合使用,可以操作所需元素的任意组合。
编辑:Mark留下的关于Shog9答案的事件授权的评论非常好。在jQuery中完成此操作的最简单方法是使用live()方法。
// assuming A1 is clicked
$('div a').live('click', function(e) {
$(this); // A1
$(this).parent(); // the div containing A1
$(this).siblings(); // A2 and A3
});
我认为它实际上将事件绑定到根元素,但效果是一样的。它不仅更灵活,而且在很多情况下也提高了性能。请务必阅读文档以避免任何问题。
答案 3 :(得分:1)
我认为将 .children()与 $(this)结合使用只会返回所选项目的子项
考虑以下事项:
$("div li").click(function() {
$(this).children().css('background','red');
});
这将仅更改所点击的li的背景
答案 4 :(得分:0)
要选择兄弟姐妹,您需要以下内容:
$(this).next();
所以,Shog9的评论不正确。首先,您需要在div click函数之外命名变量“clicked”,否则,在点击发生后它会丢失。
var clicked;
$("div a").click(function(){
clicked = $(this).next();
// Do what you need to do to the newly defined click here
});
// But you can also access the "clicked" element here