Home > Software design >  JavaScript - Using QuerySelector on multi-nested lists
JavaScript - Using QuerySelector on multi-nested lists

Time:07-12

If I have a nested list like this:

<div >
    <ul>
        <li><a href="#number-one">Number 1</a></li>
        <li><a href="#number-two">Number 2</a></li>
        <ul>
            <li><a href="#number-three">Number 3</a></li>
            <li><a href="#number-four">Number 4</a></li>
        </ul>
        <li><a href="#number-five">Number 5</a></li>
    </ul>
</div>

I want to be able to get the href values from every one of these links using querySelector.

Something like this only returns the links in the top level :

const getNav = document.querySelector('.nav li');

How can I get all of the href values from every link in a nested list?

CodePudding user response:

In one line with querySelectorAll & map :

[...document.querySelectorAll('.nav li a')].map(({href})=>href)

Gives result:

['https://stackoverflow.com/questions/72943233/javas…ng-queryselector-on-multi-nested-lists#number-one', 'https://stackoverflow.com/questions/72943233/javas…ng-queryselector-on-multi-nested-lists#number-two', 'https://stackoverflow.com/questions/72943233/javas…-queryselector-on-multi-nested-lists#number-three', 'https://stackoverflow.com/questions/72943233/javas…g-queryselector-on-multi-nested-lists#number-four', 'https://stackoverflow.com/questions/72943233/javas…g-queryselector-on-multi-nested-lists#number-five']

live example

console.log([...document.querySelectorAll('.nav li a')].map(({href})=>href))
<div >
    <ul>
        <li><a href="#number-one">Number 1</a></li>
        <li><a href="#number-two">Number 2</a></li>
        <ul>
            <li><a href="#number-three">Number 3</a></li>
            <li><a href="#number-four">Number 4</a></li>
        </ul>
        <li><a href="#number-five">Number 5</a></li>
    </ul>
</div>

CodePudding user response:

querySelector only returns one element, in this case you will get the first li element after the nav class. To get all li you can use: querySelectorAll - as it return an array matching your select options. MDN DOCS

To get an attribute you'll use: element.getAttribute('href')

MDN DOCS

Example:

let elements = document.querySelectorAll('.nav li a')
elements.forEach(el => { 
 // logic goes here 
 let href = el.getAttribute('href')
})

CodePudding user response:

You can use this code to get every href values.

const getNav = document.querySelectorAll('.nav li a');
   
    getNav.forEach(element=>{
        console.log(element.getAttribute("href"))
    })

querySelectorAll gets all of the a elements that are in .nav li then by a foreach loop you'll be able to get all href values of them.

  • Related