C-Sharp | Java | Python | Swift | GO | WPF | Ruby | Scala | F# | JavaScript | SQL | PHP | Angular | HTML
JavaScript Set entries() methodThe JavaScript Set entries() method returns an object of new set iterator. This object contains an array of [value, value] for each element. It maintains an insertion order. Unlike Map, the Set object doesn't use key externally. To keep the values unique it uses the key internally. Thus, Set considers the value of element as a key. In array[value, value], the first value represents the key whereas the second value represents the value of element.Syntax
The entries() method is represented by the following syntax: setObj.entries() Return Value
A new object of set iterator that contains an array of [value, value] for each element. JavaScript Set entries() method example
Here, we will understand entries() method through various examples. Example 1Let's see a simple example of entries() method.
<script>
var set = new Set();
set.add("jQuery");
set.add("AngularJS");
set.add("Bootstrap");
var itr=set.entries();
for(i=0;i<set.size;i++)
{
document.writeln(itr.next().value+"<br>");
}
</script>
Output: jQuery,jQuery AngularJS,AngularJS Bootstrap,Bootstrap Example 2Let's see the same example in a different way.
<script>
var set = new Set();
set.add("jQuery");
set.add("AngularJS");
set.add("Bootstrap");
var itr=set.entries();
for(let elements of itr)
{
document.writeln(elements+"<br>");
}
</script>
Output: jQuery,jQuery AngularJS,AngularJS Bootstrap,Bootstrap
Next TopicJavaScript Set forEach() Method
|