Step1:
Welcome to designers dairy, here we are going to discuss about jquery foreach and $.each
Learn how to loop through elements, arrays and objects with jQuery using the $.each() function, jQuery’s foreach equivalent.
jQuery’s foreach equivalent can be very useful for many situations. These examples will get you started and teach you how you can loop through arrays, objects and all kinds of HTML elements.
Step2:
Loop through an Array with jQuery foreach
With most languages you are probably going to need to loop through an array at some point, this is where foreach often becomes very useful. Below is some example jQuery that will loop through an array and output each entry to the console.
$(function () { var myArray = ["one", "two", "three", "four", "five"]; $.each(myArray, function (index, value) { console.log(value); }); });
The output of the above will be:
one two three four five
Step3:
Loop through Objects with jQuery foreach
As well as arrays, you will often want to loop through objects, or arrays of objects, especially when working with JSON data. The following code is an example of looping through some JSON objects.
$(function () { | |
var myObjects = [ | |
{ | |
id: 1, | |
firstname: "Gandalf", | |
lastname: "Greyhaem" | |
}, | |
{ | |
id: 2, | |
firstname: "Bilbo", | |
lastname: "Baggins" | |
}, | |
{ | |
id: 3, | |
firstname: "Frodo", | |
lastname: "Baggins" | |
} | |
]; | |
$.each(myObjects, function () { | |
console.log("ID: " + this.id); | |
console.log("First Name: " + this.firstname); | |
console.log("Last Name: " + this.lastname); | |
console.log(" "); | |
}); | |
}) |
ID: 1 First Name: Gandalf Last Name: Greyhaem ID: 2 First Name: Bilbo Last Name: baggins ID: 3 First Name: Frodo Last Name: Baggins
Step4:
Loop through a list with jQuery foreach
The ability to be able to loop through elements in a list can be very useful for all kinds of tasks. The code below will loop through every <li> element that has a parent with the .myList class.
$(function () { | |
$('.myList li').each(function () { | |
$(this).css("color", "green"); | |
}); | |
}); |
Step5:
Loop through other HTML elements with jQuery foreach
As-well as list elements there are benefits to being able to loop through all kinds of HTML elements. Below are a range of examples to demonstrate a few things that are possible.
$(function () { | |
//Loop through all links on the page | |
$('a').each(function(){ | |
//Disable the link | |
$(this).prop("href", "#"); | |
}); | |
//Loop through all elements with the class .hide | |
$('.hide').each(function(){ | |
//Hide it | |
$(this).hide(); //Alternative would be $(this).css("display", "none"); | |
}); | |
//Find all pre tags an add a class to them | |
$('pre').each(function(){ | |
$(this).addClass("prettyprint"); | |
}); | |
}); |
So, there you have a load of examples that should get you started. There are many ways you can utilise the jQuery $.each method.