I want to iterate a result of query selector.
Html code
<nav id="navigation">
<a href="#" tabindex="1" class="active_nav">nav1</a>
<a href="#" tabindex="2">nav2</a>
<a href="#"tabindex="3">nav3</a>
</nav>
when I use javascript
alert($("#navigation >a")[0]);
the result is the tag a
href attribute
I don't know why.
Use $.each
$("#navigation > a").each(function() {
console.log(this.href)
});
$('#navigation > a')[0]
^ ^---- Selects the 1st dom object from the jQuery object
| that is nothing but the index of the element among
| the list of elements
|------- Gives you children of nav(3 anchor tags in this case) which is a
jQuery object that contains the list of matched elements
Use first()
like this:
var element = $("#navigation>a").first();
console.log(element);
Reference
If you want to iterate all <a>
tags, you can use each function
$('#navigation >a').each(function() {
alert(this.href);
});
and if you only want to get the first <a>
tag then use .eq()
alert($('#navigation >a').eq(0).attr('href');
In jQuery, when you use index like [0]
, it means you are access the DOM element. That is why
$("#navigation >a")[0]
returns <a>
tag.
In order to iterate a jQuery selector result, use each
$("#navigation >a").each(function(index, elem){
});
You can use jQuery built-in each()
for this iteration like this:
$("#navigation>a").each(function(index){
console.log("I am " + index + "th element.");
//and you can access this element by $(this)
});
Try using
console.log($("#navigation >a"))
instead, so you can see all the results in the console ( cmd + alt + i in chrome)