views:

96

answers:

1

given a parent, how can i get its descendants so that their hiearchy is kept.

parent > des1 > des2 > des3

parent.find('*') simply returns not in order. it gives

find('des1, des2. des3')

what i expect was

find('des1 des2 des3')
+1  A: 

There are lots of ways to traverse using jQuery. Here's one approach. I'm using the following markup:

<div id="demoParent">
  <div id="des1">
    <div id="des2"> 
      <div id="des3">
        hello world
      </div>
    </div>
  </div>
</div>

I use this recursive function to traverse down and return a string with the hierarchy:

function getHierarchy(selector) {
    // temp variable to hold the hierarchy as an array
    var hierarchy = [];
    // if selector element has a :first-child...
    while ($(selector).children(':first-child').length > 0) {
     // then push it into the array and then traverse into the :first-child
     hierarchy.push($(selector).children(':first-child').attr('id'));
     selector = $(selector).children(':first-child');
    }
    // when there are no more :first-child elements, return string
    // formatted like elemA > elemB > elemC > elemD
    return hierarchy.join(' > ');
}

When I call this code like this: alert(getHierarchy('#demoParent'));

I get this result as an alert: des1 > des2 > des3

artlung