I need to know how many <div>
elements are in each <li>
. So something like that:
<ul>
<li>
<div> Some image 1 </div>
<div> Some image 2 </div>
<div> Some image 3 </div>
</li>
<li>
<div> Some image 4 </div>
<div> Some image 5 </div>
</li>
<li>
<div> Some image 6 </div>
<div> Some image 7 </div>
<div> Some image 8 </div>
<div> Some image 9 </div>
</li>
</ul>
The output of the function:
First <li> has 3 <div>
Second <li> has 2 <div>
Third <li> has 4 <div>
I need to know how many <div>
elements are in each <li>
. So something like that:
<ul>
<li>
<div> Some image 1 </div>
<div> Some image 2 </div>
<div> Some image 3 </div>
</li>
<li>
<div> Some image 4 </div>
<div> Some image 5 </div>
</li>
<li>
<div> Some image 6 </div>
<div> Some image 7 </div>
<div> Some image 8 </div>
<div> Some image 9 </div>
</li>
</ul>
The output of the function:
First <li> has 3 <div>
Second <li> has 2 <div>
Third <li> has 4 <div>
Share
Improve this question
edited Jun 21, 2012 at 13:40
Ry-♦
225k56 gold badges493 silver badges499 bronze badges
asked Jun 21, 2012 at 13:34
Curious ProgrammerCurious Programmer
1271 gold badge3 silver badges13 bronze badges
3
-
Is the literal output
First
,Second
etc.. required? – Esailija Commented Jun 21, 2012 at 13:43 - @Esailija. If it does, it won't be DRY, unless you use a non-DRY plugin... And I ain't gonna write it all... – gdoron Commented Jun 21, 2012 at 13:47
- No, I nee to know amount to make if statements – Curious Programmer Commented Jun 21, 2012 at 13:47
4 Answers
Reset to default 6var lengths = $('li').map(function(){
return $(this).find('div').length;
}).get();
Live DEMO
Comments:
// Make an array when the input for every iteration is a <li>
$('li').map(
// Every element in the array is the amount <div>s inside the current <li>
return $(this).find('div').length;
// Produce the arry.
.get();
If you want to produce something similar to what you want easily:
$('li').each(function() {
var length = $(this).find('div').length;
$('<div> ' + length + ' li has ' + length + 'divs </div>').appendTo('#output');
});
Live DEMO
Output:
3 li has 3divs
2 li has 2divs
4 li has 4divs
Given a jQuery object representing your <li>
, item
, you can find out the number of <div>
s that it contains just by doing:
item.find('div').length
But if you'd like a function with that exact output, you'll need a number → English library. Or, if you'll have exactly three, get your <ul>
as list
and do this:
var items = list.find('li');
'First <li> has ' + items.eq(0).find('div').length + ' <div>';
'Second <li> has ' + items.eq(1).find('div').length + ' <div>';
'Third <li> has ' + items.eq(2).find('div').length + ' <div>';
$('li').each(function() {
console.log($('div', this).length);
});
jsFiddle example.
$('li').each(function(i){
console.log('<li> ' + i + ' has ' + $(this).children('div').length + 'divs');
});