Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Javascript - Select first element of child of child of element

I have the following HTML:

<div class="list">
<div class="items">
    <ul>
        <li>IMPORTANT</li>
        <li>...</li>
        <li>...</li>
        <li>...</li>
        <li>...</li>
        <li>...</li>
    </ul>
    <ul>
        ...
    </ul>
</div>

Now I want to select the First "li" in the first "ul" in the div "items" in the div "list" via Javascript.

like image 801
Juggernaut Avatar asked Dec 15 '22 02:12

Juggernaut


2 Answers

You can use any combination of getElementById, getElementsByClassName and getElementsByTagName.

var divs = document.getElementsByClassName('items');
var uls = divs[0].getElementsByTagName('ul');
var lis = uls[0].getElementsByTagName('li');
var li = lis[0];
//// li is now the first list element of the first list inside the first div with the class "items"

It is easier if you give some elements an id, then you can use an getElementById instead of the clunky getElements_ and don't have to deal with arrays:

var div = document.getElementById('items');  // If the right <div> has an id="items"
var uls = div.getElementsByTagName('ul');
var lis = uls[0].getElementsByTagName('li'); // Or instead of uls[0] give the right ul and id
var li = lis[0];                             // Or instead of lis[0] give the right li and id

The easiest solution is probably to use a library like jQuery, in which you can do this with selectors:

var li = $('div.items:first ul:first li:first');

edit: I'd recommend David Thomas's solution if you can't use jQuery and have no problem with excluding older browsers (mainly IE7 or lower).

like image 117
dtech Avatar answered Mar 16 '23 15:03

dtech


If you're targeting modern browsers, I'd suggest:

var importantLi = document.querySelector('.list .items li');

References:

  • document.querySelector() compatibility.
like image 41
David Thomas Avatar answered Mar 16 '23 16:03

David Thomas