Arrays in es6 can be traversed using for of. The "for...of" statement creates a loop to iterate iterable objects. ES6 introduces the "for...of" loop to replace "for...in" and forEach() and supports the new iteration protocol. ; The "for...of" statement allows developers to traverse iterable data structures such as Arrays, Strings, Maps, and Sets.
The operating environment of this tutorial: Windows 7 system, ECMAScript version 6, Dell G3 computer.
What is a for...of loop
The for...of
statement creates a loop to iterate over an iterable object. The for...of
loop was introduced in ES6 to replace for...in
and forEach()
and supports the new iteration protocol. for...of
Allows you to traverse iterable data structures such as Arrays, Strings, Maps, Sets, etc.
Syntax
for (variable of iterable) { statement }
- variable: The attribute value of each iteration is assigned to this variable.
- iterable: An object that has enumerable properties and can be iterated.
Use Cases
Let’s explore some use cases.
Arrays(array)
Arrays(array) is a list-like object. There are various methods on the array prototype that allow operations on it, such as modification and traversal. The following for...of
operation performed on an array:
// array-example.js const iterable = ['mini', 'mani', 'mo']; for (const value of iterable) { console.log(value); } // Output: // mini // mani // mo
The result is to print out each value in the iterable
array.
Demo: https://jsbin.com/dimahag/edit?js,console
Maps(mapping)
Map object is to save key-value(key value) right. Objects and primitive values can be used as keys or values. Map object iterates elements based on how they were inserted. In other words, the for...of
loop will return a key-value array for each iteration.
// map-example.js const iterable = new Map([['one', 1], ['two', 2]]); for (const [key, value] of iterable) { console.log(`Key: ${key} and Value: ${value}`); } // Output: // Key: one and Value: 1 // Key: two and Value: 2
Demo: https://jsbin.com/lofewiw/edit?js,console
Set(set)
Set(set) object allows you to store any type Unique values that can be primitive values or objects. A Set object is simply a collection of values. Iteration of Set elements is based on their insertion order. A value in a Set can only occur once. If you create a Set with multiple identical elements, it is still considered a single element.
// set-example.js const iterable = new Set([1, 1, 2, 2, 1]); for (const value of iterable) { console.log(value); } // Output: // 1 // 2
Although our Set has multiple 1
and 2
, the output is only 1
and 2
.
Demo: https://jsbin.com/fajozob/edit?js,console
String(String)
String is used to store data in text form.
// string-example.js const iterable = 'javascript'; for (const value of iterable) { console.log(value); } // Output: // "j" // "a" // "v" // "a" // "s" // "c" // "r" // "i" // "p" // "t"
Here, iterate over the string and print out the characters at each index.
Demo: https://jsbin.com/rixakeg/edit?js,console
Arguments Object(parameter object)
Consider a parameter object as a class An array-like object and corresponds to the arguments passed to the function. Here is a use case:
// arguments-example.js function args() { for (const arg of arguments) { console.log(arg); } } args('a', 'b', 'c'); // Output: // a // b // c
You may be thinking, what happened?! As mentioned before, when calling a function, arguments
will receive the incoming args()
Any parameters of the function. So, if we pass 20 arguments to the args()
function, we will print out 20 arguments.
Demo: https://jsbin.com/ciqabov/edit?js,console
Generators
A generator is a function that can exit the function , and re-enter the function later.
// generator-example.js function* generator(){ yield 1; yield 2; yield 3; }; for (const g of generator()) { console.log(g); } // Output: // 1 // 2 // 3
function*
defines a generator function that returns a generator object. For more information about the generator, click here.
Demo: https://jsbin.com/faviyi/edit?js,console
Exit iteration
JavaScript provides four known methods for terminating loop execution : break
, continue
, return
and throw
. Let's look at an example:
const iterable = ['mini', 'mani', 'mo']; for (const value of iterable) { console.log(value); break; } // Output: // mini
In this example, we use the break
keyword to terminate the loop after one execution, so only mini
is printed.
Demo: https://jsbin.com/tisuken/edit?js,console
Normal objects are not iterable
for...of
Loops only work with iteration. And ordinary objects are not iterable. Let's take a look:
const obj = { fname: 'foo', lname: 'bar' }; for (const value of obj) { // TypeError: obj[Symbol.iterator] is not a function console.log(value); }
Here, we define a normal object obj
, and when we try for...of
to operate on it, An error will be reported: TypeError: obj[Symbol.iterator] is not a function
.
Demo: https://jsbin.com/sotidu/edit?js,console
我们可以通过将类数组(array-like)对象转换为数组来绕过它。该对象将具有一个 length
属性,其元素必须可以被索引。我们来看一个例子:
// object-example.js const obj = { length: 3, 0: 'foo', 1: 'bar', 2: 'baz' }; const array = Array.from(obj); for (const value of array) { console.log(value); } // Output: // foo // bar // baz
Array.from()
方法可以让我通过类数组(array-like)或可迭代对象来创建一个新的 Array(数组) 实例。
Demo: https://jsbin.com/miwofin/edit?js,console
For…of vs For…in
for...in
循环将遍历对象的所有可枚举属性。
//for-in-example.js Array.prototype.newArr = () => {}; Array.prototype.anotherNewArr = () => {}; const array = ['foo', 'bar', 'baz']; for (const value in array) { console.log(value); } // Outcome: // 0 // 1 // 2 // newArr // anotherNewArr
for...in
不仅枚举上面的数组声明,它还从构造函数的原型中查找继承的非枚举属性,在这个例子中,newArr
和 anotherNewArr
也会打印出来。
Demo: https://jsbin.com/quxojof/edit?js,console
for...of
更多用于特定于集合(如数组和对象),但不包括所有对象。
注意:任何具有 Symbol.iterator
属性的元素都是可迭代的。
Array.prototype.newArr = () => {}; const array = ['foo', 'bar', 'baz']; for (const value of array) { console.log(value); } // Outcome: // foo // bar // baz
for...in
不考虑构造函数原型的不可枚举属性。它只需要查找可枚举属性并将其打印出来。
Demo: https://jsbin.com/sakado/edit?js,console
小结
了解 for...of
循环的使用可以在开发过程中节省大量的时间。 希望本文帮助你在JavaScript开发中了解和编写更好的循环结构。 让你快乐编码!
完整的示例代码:https://github.com/codediger/javascript-for-of-loop
【相关推荐:javascript视频教程、编程视频】
The above is the detailed content of Can arrays in ES6 be traversed using for of?. For more information, please follow other related articles on the PHP Chinese website!

去掉重复并排序的方法:1、使用“Array.from(new Set(arr))”或者“[…new Set(arr)]”语句,去掉数组中的重复元素,返回去重后的新数组;2、利用sort()对去重数组进行排序,语法“去重数组.sort()”。

本篇文章给大家带来了关于JavaScript的相关知识,其中主要介绍了关于Symbol类型、隐藏属性及全局注册表的相关问题,包括了Symbol类型的描述、Symbol不会隐式转字符串等问题,下面一起来看一下,希望对大家有帮助。

怎么制作文字轮播与图片轮播?大家第一想到的是不是利用js,其实利用纯CSS也能实现文字轮播与图片轮播,下面来看看实现方法,希望对大家有所帮助!

本篇文章给大家带来了关于JavaScript的相关知识,其中主要介绍了关于对象的构造函数和new操作符,构造函数是所有对象的成员方法中,最早被调用的那个,下面一起来看一下吧,希望对大家有帮助。

本篇文章给大家带来了关于JavaScript的相关知识,其中主要介绍了关于面向对象的相关问题,包括了属性描述符、数据描述符、存取描述符等等内容,下面一起来看一下,希望对大家有帮助。

方法:1、利用“点击元素对象.unbind("click");”方法,该方法可以移除被选元素的事件处理程序;2、利用“点击元素对象.off("click");”方法,该方法可以移除通过on()方法添加的事件处理程序。

本篇文章给大家带来了关于JavaScript的相关知识,其中主要介绍了关于BOM操作的相关问题,包括了window对象的常见事件、JavaScript执行机制等等相关内容,下面一起来看一下,希望对大家有帮助。

本篇文章整理了20+Vue面试题分享给大家,同时附上答案解析。有一定的参考价值,有需要的朋友可以参考一下,希望对大家有所帮助。


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

Dreamweaver Mac version
Visual web development tools

MantisBT
Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.

Notepad++7.3.1
Easy-to-use and free code editor

SAP NetWeaver Server Adapter for Eclipse
Integrate Eclipse with SAP NetWeaver application server.

SublimeText3 Mac version
God-level code editing software (SublimeText3)
