In JavaScript, you can create an array using the JavaScript native array functions explained
constructor, or using the array direct variable []
, the latter is the preferred method. The JavaScript native array functions explained
object inherits from Object.prototype
, and executing the typeof
operator on the array returns object
instead of array
. However, [] instanceof JavaScript native array functions explained
also returns true
. In other words, the implementation of array-like objects is more complicated, such as strings
objects, arguments
objects, arguments
objects are not instances of JavaScript native array functions explained
, But it has the length
attribute and can get the value through the index, so it can be looped like an array.
In this article, I will review some of the array prototype methods and explore their uses.
Loop:
.forEach
Judgment:
.some
and.every
Distinguish between
.join
and.concat
Implementation of stack and queue :
.pop
,.push
,.shift
, and.unshift
models Mapping:
.map
Query:
.filter
Sort:
. sort
Calculation:
.reduce
and.reduceRight
Copy:
.slice
Powerful
.splice
Find:
.indexOf
Operator:
in
come closer
.reverse
Loop:.forEach
This is the simplest method in JavaScript, but IE7 and IE8 do not support this method. .forEach
has a callback function as a parameter. When traversing the array, it will be called for each array element. The callback function accepts three parameters:
value
: The current elementindex
: The index of the current elementarray
: JavaScript native array functions explained to be traversed
Additionally, an optional second parameter can be passed as the context for each function call (this
).
['_', 't', 'a', 'n', 'i', 'f', ']'].forEach(function (value, index, array) { this.push(String.fromCharCode(value.charCodeAt() + index + 2)) }, out = [])out.join('')// <- 'awesome'123456
.join
will be mentioned later. In this example, it is used to splice different elements in the array. The effect is similar to out[0] + '' + out[1] + '' + out[2] + '' + out[n]
.
Cannot interrupt the .forEach
loop, and throwing an exception is not a wise choice. Fortunately we have another way to interrupt operations.
Judgment: .some
and .every
If you have used enumerations in .NET, these two methods are the same as .Any(x => x.IsAwesome)
, .All(x => x.IsAwesome)
are similar. The parameters of
and .forEach
are similar and require a callback function containing three parameters: value
, index
, and array
. And there is also an optional second context parameter. MDN describes .some as follows:
some
will execute the callback function for each element in the array until the callback function returnstrue
. If the target element is found,some
returnstrue
immediately, otherwise some returns false. The callback function is only executed for array indexes with assigned values; it is not called for deleted or unassigned elements.
max = -Infinity satisfied = [10, 12, 10, 8, 5, 23].some(function (value, index, array) { if (value > max) max = value return value < 10}) console.log(max)// <- 12satisfied// <- true1234567891011
Note that when the value of the callback function , the function loop is interrupted. The operating principle of <code>.every
is similar to .some
, but the callback function returns false instead of true.
Distinguish between .join
and .concat
##.join and
.concat are often confused.
.join(separator) Use
separator as the separator to splice array elements and return the string form. If
separator is not provided, the default
will be used. ,.
.concat will create a new array as a shallow copy of the source array.
.concat
Common usage:
array.concat(val, val2, val3, valn).concat
Returns a new array
array.concat()
Without parameters, returns the shallow representation of the source array copy.
Shallow copy means that the new array and the original array maintain the same object reference, which is usually a good thing. For example:
var a = { foo: 'bar' } var b = [1, 2, 3, a] var c = b.concat() console.log(b === c)// <- falseb[3] === a && c[3] === a// <- true123456789
栈和队列的实现:.pop
, .push
, .shift
和 .unshift
每个人都知道.push
可以再数组末尾添加元素,但是你知道可以使用[].push('a', 'b', 'c', 'd', 'z')
一次性添加多个元素吗? .pop
方法是.push
的反操作,它返回被删除的数组末尾元素。如果数组为空,将返回void 0 (undefined)
,使用.pop
和.push
可以创建LIFO (last in first out)
栈。
function Stack () { this._stack = [] } Stack.prototype.next = function () { return this._stack.pop() } Stack.prototype.add = function () { return this._stack.push.apply(this._stack, arguments) } stack = new Stack() stack.add(1,2,3) stack.next()// <- 31234567891011121314151617
相反,可以使用.shift
和 .unshift
创建FIFO (first in first out)
队列。
function Queue () { this._queue = [] } Queue.prototype.next = function () { return this._queue.shift() } Queue.prototype.add = function () { return this._queue.unshift.apply(this._queue, arguments) } queue = new Queue() queue.add(1,2,3) queue.next()// <- 1Using .shift (or .pop) is an easy way to loop through a set of array elements, while draining the array in the process. list = [1,2,3,4,5,6,7,8,9,10]while (item = list.shift()) { console.log(item) } list// <- []123456789101112131415161718192021222324252627
模型映射:.map
.map
为数组中的每个元素提供了一个回调方法,并返回有调用结果构成的新数组。回调函数只对已经指定值的数组索引执行;它不会对已删除的或未指定值的元素调用。
JavaScript native array functions explained.prototype.map
和上面提到的.forEach
、.some
和 .every
有相同的参数格式:.map(fn(value, index, array), thisArgument)
values = [void 0, null, false, ''] values[7] = void 0result = values.map(function(value, index, array){ console.log(value) return value })// <- [undefined, null, false, '', undefined × 3, undefined]12345678
undefined × 3
很好地解释了.map
不会对已删除的或未指定值的元素调用,但仍然会被包含在结果数组中。.map
在创建或改变数组时非常有用,看下面的示例:
// casting[1, '2', '30', '9'].map(function (value) { return parseInt(value, 10) })// 1, 2, 30, 9[97, 119, 101, 115, 111, 109, 101].map(String.fromCharCode).join('')// <- 'awesome'// a commonly used pattern is mapping to new objectsitems.map(function (item) { return { id: item.id, name: computeName(item) } })12345678910111213141516
查询:.filter
filter
对每个数组元素执行一次回调函数,并返回一个由回调函数返回true
的元素组成的新数组。回调函数只会对已经指定值的数组项调用。
通常用法:.filter(fn(value, index, array), thisArgument)
,跟C#中的LINQ表达式和SQL中的where
语句类似,.filter
只返回在回调函数中返回true
值的元素。
[void 0, null, false, '', 1].filter(function (value) { return value })// <- [1][void 0, null, false, '', 1].filter(function (value) { return !value })// <- [void 0, null, false, '']123456789
排序:.sort(compareFunction)
如果没有提供
compareFunction
,元素会被转换成字符串并按照字典排序。例如,”80”排在”9”之前,而不是在其后。
跟大多数排序函数类似,JavaScript native array functions explained.prototype.sort(fn(a,b))
需要一个包含两个测试参数的回调函数,其返回值如下:
a在b之前则返回值小于0
a和b相等则返回值是0
a在b之后则返回值小于0
[9,80,3,10,5,6].sort()// <- [10, 3, 5, 6, 80, 9][9,80,3,10,5,6].sort(function (a, b) { return a - b })// <- [3, 5, 6, 9, 10, 80]1234567
计算:.reduce
和.reduceRight
这两个函数比较难理解,.reduce
会从左往右遍历数组,而.reduceRight
则从右往左遍历数组,二者典型用法:.reduce(callback(previousValue,currentValue, index, array), initialValue)
。 previousValue
是最后一次调用回调函数的返回值,initialValue
则是其初始值,currentValue
是当前元素值,index
是当前元素索引,array
是调用.reduce
的数组。
一个典型的用例,使用.reduce
的求和函数。
JavaScript native array functions explained.prototype.sum = function () { return this.reduce(function (partial, value) { return partial + value }, 0) }; [3,4,5,6,10].sum()// <- 2812345678
如果想把数组拼接成一个字符串,可以用.join
实现。然而,若数组值是对象,.join
就不会按照我们的期望返回值了,除非对象有合理的valueOf
或toString
方法,在这种情况下,可以用.reduce
实现:
function concat (input) { return input.reduce(function (partial, value) { if (partial) { partial += ', ' } return partial + value }, '') } concat([ { name: 'George' }, { name: 'Sam' }, { name: 'Pear' } ])// <- 'George, Sam, Pear'123456789101112131415
复制:.slice
和.concat
类似,调用没有参数的.slice()
方法会返回源数组的一个浅拷贝。.slice
有两个参数:一个是开始位置和一个结束位置。 JavaScript native array functions explained.prototype.slice
能被用来将类数组对象转换为真正的数组。
JavaScript native array functions explained.prototype.slice.call({ 0: 'a', 1: 'b', length: 2 }) // <- ['a', 'b']12
这对.concat
不适用,因为它会用数组包裹类数组对象。
JavaScript native array functions explained.prototype.concat.call({ 0: 'a', 1: 'b', length: 2 }) // <- [{ 0: 'a', 1: 'b', length: 2 }]12
此外,.slice
的另一个通常用法是从一个参数列表中删除一些元素,这可以将类数组对象转换为真正的数组。
function format (text, bold) { if (bold) { text = '<b>' + text + '</b>' } var values = JavaScript native array functions explained.prototype.slice.call(arguments, 2) values.forEach(function (value) { text = text.replace('%s', value) }) return text}format('some%sthing%s %s', true, 'some', 'other', 'things')// <- <b>somesomethingother things</b>123456789101112131415
强大的.splice
.splice
是我最喜欢的原生数组函数,只需要调用一次,就允许你删除元素、插入新的元素,并能同时进行删除、插入操作。需要注意的是,不同于`.concat
和.slice
,这个函数会改变源数组。
var source = [1,2,3,8,8,8,8,8,9,10,11,12,13] var spliced = source.splice(3, 4, 4, 5, 6, 7) console.log(source)// <- [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12 ,13]spliced// <- [8, 8, 8, 8]12345678
正如你看到的,.splice
会返回删除的元素。如果你想遍历已经删除的数组时,这会非常方便。
var source = [1,2,3,8,8,8,8,8,9,10,11,12,13]var spliced = source.splice(9) spliced.forEach(function (value) { console.log('removed', value) })// <- removed 10// <- removed 11// <- removed 12// <- removed 13console.log(source)// <- [1, 2, 3, 8, 8, 8, 8, 8, 9]12345678910111213
查找:.indexOf
利用.indexOf
可以在数组中查找一个元素的位置,没有匹配元素则返回-1
。我经常使用.indexOf
的情况是当我有比较时,例如:a === 'a' || a === 'b' || a === 'c'
,或者只有两个比较,此时,可以使用.indexOf
:['a', 'b', 'c'].indexOf(a) !== -1
。
注意,如果提供的引用相同,.indexOf
也能查找对象。第二个可选参数用于指定开始查找的位置。
var a = { foo: 'bar' } var b = [a, 2] console.log(b.indexOf(1))// <- -1console.log(b.indexOf({ foo: 'bar' }))// <- -1console.log(b.indexOf(a))// <- 0console.log(b.indexOf(a, 1))// <- -1b.indexOf(2, 1)// <- 11234567891011121314151617
如果你想从后向前搜索,可以使用.lastIndexOf
。
操作符:in
在面试中新手容易犯的错误是混淆.indexOf
和in
操作符:
var a = [1, 2, 5]1 in a// <- true, but because of the 2!5 in a// <- false1234567
问题是in
操作符是检索对象的键而非值。当然,这在性能上比.indexOf快得多。
var a = [3, 7, 6]1 in a === !!a[1]// <- true1234
走近.reverse
该方法将数组中的元素倒置。
var a = [1, 1, 7, 8]a.reverse()// [8, 7, 1, 1]1234
.reverse
会修改数组本身。
译文出处:http://www.ido321.com/1568.html
本文根据@Nicolas Bevacqua的《Fun with JavaScript Native JavaScript native array functions explained Functions》所译,整个译文带有我自己的理解与思想,如果译得不好或有不对之处还请同行朋友指点。如需转载此译文,需注明英文出处:http://modernweb.com/2013/11/25/fun-with-javascript-native-array-functions/。
The above is the detailed content of JavaScript native array functions explained. For more information, please follow other related articles on the PHP Chinese website!

Different JavaScript engines have different effects when parsing and executing JavaScript code, because the implementation principles and optimization strategies of each engine differ. 1. Lexical analysis: convert source code into lexical unit. 2. Grammar analysis: Generate an abstract syntax tree. 3. Optimization and compilation: Generate machine code through the JIT compiler. 4. Execute: Run the machine code. V8 engine optimizes through instant compilation and hidden class, SpiderMonkey uses a type inference system, resulting in different performance performance on the same code.

JavaScript's applications in the real world include server-side programming, mobile application development and Internet of Things control: 1. Server-side programming is realized through Node.js, suitable for high concurrent request processing. 2. Mobile application development is carried out through ReactNative and supports cross-platform deployment. 3. Used for IoT device control through Johnny-Five library, suitable for hardware interaction.

I built a functional multi-tenant SaaS application (an EdTech app) with your everyday tech tool and you can do the same. First, what’s a multi-tenant SaaS application? Multi-tenant SaaS applications let you serve multiple customers from a sing

This article demonstrates frontend integration with a backend secured by Permit, building a functional EdTech SaaS application using Next.js. The frontend fetches user permissions to control UI visibility and ensures API requests adhere to role-base

JavaScript is the core language of modern web development and is widely used for its diversity and flexibility. 1) Front-end development: build dynamic web pages and single-page applications through DOM operations and modern frameworks (such as React, Vue.js, Angular). 2) Server-side development: Node.js uses a non-blocking I/O model to handle high concurrency and real-time applications. 3) Mobile and desktop application development: cross-platform development is realized through ReactNative and Electron to improve development efficiency.

The latest trends in JavaScript include the rise of TypeScript, the popularity of modern frameworks and libraries, and the application of WebAssembly. Future prospects cover more powerful type systems, the development of server-side JavaScript, the expansion of artificial intelligence and machine learning, and the potential of IoT and edge computing.

JavaScript is the cornerstone of modern web development, and its main functions include event-driven programming, dynamic content generation and asynchronous programming. 1) Event-driven programming allows web pages to change dynamically according to user operations. 2) Dynamic content generation allows page content to be adjusted according to conditions. 3) Asynchronous programming ensures that the user interface is not blocked. JavaScript is widely used in web interaction, single-page application and server-side development, greatly improving the flexibility of user experience and cross-platform development.

Python is more suitable for data science and machine learning, while JavaScript is more suitable for front-end and full-stack development. 1. Python is known for its concise syntax and rich library ecosystem, and is suitable for data analysis and web development. 2. JavaScript is the core of front-end development. Node.js supports server-side programming and is suitable for full-stack development.


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

MinGW - Minimalist GNU for Windows
This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.

DVWA
Damn Vulnerable Web App (DVWA) is a PHP/MySQL web application that is very vulnerable. Its main goals are to be an aid for security professionals to test their skills and tools in a legal environment, to help web developers better understand the process of securing web applications, and to help teachers/students teach/learn in a classroom environment Web application security. The goal of DVWA is to practice some of the most common web vulnerabilities through a simple and straightforward interface, with varying degrees of difficulty. Please note that this software

EditPlus Chinese cracked version
Small size, syntax highlighting, does not support code prompt function

SublimeText3 Linux new version
SublimeText3 Linux latest version

SublimeText3 Chinese version
Chinese version, very easy to use