Summary of practical methods for JS beginners to process arrays

Summary of practical methods for JS beginners to process arrays

join() method: connects all elements in an array into a string using a specified separator

Example:

myArr.join('-') // concatenate with '-' symbol

concat() method: merge two or more arrays into one array

Example:

myArr.concat(arr1, arr2, ..., arrN)

Note: This method does not change the existing array, so it can be merged with an empty array to copy the old array without polluting the old array data when operating the new array data.

sort() method: used to sort the elements of an array

If this method is called without parameters, the elements of the array are sorted in alphabetical order, or more precisely, in the order of their character codes. To do this, first convert the array elements to strings (if necessary) so that they can be compared.

Example:

myArr.sort() // Sort alphabeticallymyArr.sort(function(a, b) {
	return a - b
}) // In ascending order, descending order is b - a
// Arrow function writing myArr.sort((a, b) => a - b)

reverse() method: used to reverse the order of elements in an array

Example:

myArr.reverse()

push() / unshift() method: Add one or more elements to the end/beginning of an array and return the new length

Example:

myArr.push(item1, item2, ..., itemN)
myArr.unshift(item1, item2, ..., itemN)

shift() method: delete the first element of an array and return the value of the first element

Example:

myArr.shift()

pop() method: delete an element of an array (the last element by default) and return the value of the element

Example:

myArr.pop() // delete the last element of the array myArr.pop(1) // delete the element with index 1 in the array

splice() method: Add/remove items to/from an array and return the removed items

myArr.splice(index, count, item1, item2, ..., itemN)
// index required. Integer that specifies the position to add/remove items. Use negative numbers to specify the position from the end of the array. // count Required. The number of items to delete. If set to 0, items will not be removed // item1, item2, ..., itemN Optional. Adding new items to the array

forEach() method: The method is used to call each element of the array and pass the element to the callback function (equivalent to the for loop)

Example:

myArr.forEach(function (item, index, arr) {
 if (index === 3) {
 item = 123
 } 
}) // Loop through the array and change the value of the element at index 3 to 123
// Arrow function writing myArr.forEach((v, i, arr) => if (i === 3) { v = 123 })

Note: The following methods will not detect empty arrays and will not change the original array

indexOf() method: Finds whether an element exists in an array and returns the index, otherwise it returns -1

Example:

myArr.indexOf(item)

Note: The indexOf() method is case sensitive!

slice() method: extracts a portion of a string and returns the extracted portion as a new string (shallowly copies the elements of the array)

Example:

const newArr = myArr.slice(0, 1)
// Extract the elements of the array myArr from index 0 to 1 // Parameters:
// begin (optional): index value, accepts negative values, starts extracting elements from the original array from this index, the default value is 0.
// end (optional): index value (not included), negative values ​​are accepted, and the extraction of the original array elements ends before this index. The default value is the end of the array (including the last element)

every() method: used to detect whether the elements in the array meet the specified conditions (provided by the function) (such as whether a certain value is true)

If one element does not meet the condition, the entire expression returns false and stops testing; if all elements meet the condition, it returns true.

Example:

const state = myArr.every(function (item, index, arr) {
 return item > 10
}) // Check if all elements of the array myArr are greater than 10 and return a Boolean value state
// Arrow function writing const state = myArr.every((v, i, arr) => v > 10)

some() method: used to detect whether the elements in the array meet the specified conditions (provided by the function) (such as whether a certain value is true)

If there is an element that satisfies the condition, the entire expression returns true and stops detecting; if there is no element that satisfies the condition, it returns false

Example:

const state = myArr.some(function (item, index, arr) {
 return item > 10
}) // Check if there are elements greater than 10 in the array myArr and return a Boolean value state
// Arrow function const state = myArr.some((v, i, arr) => v > 10)

includes() method: used to determine whether the array contains the specified value. If a matching value is found, it returns true, otherwise it returns false

Note: The includes() method is case sensitive

parameter:
searchvalue: Required, the value to search for

start: optional, set the position to start searching from, default is 0

Example:

const state = myArr.includes(3) // Check if element 3 exists in array myArr and return a Boolean value state
const state = myArr.includes(3, 3) // Check whether element 3 exists in array myArr starting from index 3 and return a Boolean value state

filter() method: Create a new array. The elements in the new array are obtained by checking all the elements that meet the conditions in the specified array.

Example:

const newArr = myArr.filter(function (item, index, arr) {
 return item > 10
}) // Check if all elements in the array myArr are greater than 10 and return a new array newArr
// Arrow function writing const newArr = myArr.filter((v, i, arr) => v > 10)

map() method: Returns a new array in which the elements are the values ​​of the original array elements after calling the function

The map() method processes the elements in the original array in order.

Example:

const newArr = myArr.map(function (item, index, arr) {
 return item * 10
}) // Multiply all elements in the array myArr by 10 and return a new array newArr
// Arrow function writing const newArr = myArr.map((v, i, arr) => v * 10)

Example (type for nested array objects):

const newArr = myArr.map(function (item, index, arr) {
 return {
 id: item.id,
 newItem: '123'
 }
}) // Process the elements or new elements in the object element specified in the array myArr and return a new array newArr
// Arrow function writing const newArr = myArr.map((v, i, arr) => {
 return {
 id: v.id,
 newItem: '123'
 }
})

find() / findIndex() method: returns the value/index of the first element of the array that passes the test (judgment within the function). If no element meets the conditions, return undefined / -1

Example:

const val = myArr.find(function (item, index, arr) {
 return item > 10
}) // Returns the value val of the first element in the array myArr that is greater than 10, or undefined if there is no element

const val = myArr.findIndex(function (item, index, arr) {
 return item > 10
}) // Returns the index of the first element in the array myArr that is greater than 10, or -1 if there is none

reduce() method: Returns a new array in which the elements are the values ​​of the original array elements after calling the function

This method receives two parameters: the function to be executed, and the initial value passed to the function.

Function to execute (total, currentValue, currentValue, arr):

total: required, initial value, or return value after calculation

currentValue: required, current element;

currentValue: optional, current element index;

arr: optional, the array object to which the current element belongs

Example 1:

const myArr = [1, 2, 3]
const sum = myArr.reduce(function(pre, cur, index, arr) {
 console.log(pre, cur)
 return pre + cur
})
console.log(sum)
// The output values ​​are // 1, 2
// 3, 3
// 6

Example 2 (setting the initial iteration value):

const myArr = [1, 2, 3]
const sum = myArr.reduce(function(pre, cur, index, arr) {
 console.log(pre, cur)
 return prev + cur
}, 2)
console.log(sum)
// The output values ​​are // 2, 1
// 3, 2
// 5, 3
// 8

application:

1. Finding sums and products

const myArr = [1, 2, 3, 4]
const result1 = myArr.reduce(function(pre, cur) {
 return pre + cur
})
const result2 = myArr.reduce(function(pre, cur) {
 return pre * cur
})
console.log(result1) // 6
console.log(result2) // 24

2. Count the number of times each element appears in the array

const myArr = ['liang','qi','qi','liang','ge','liang'] 
const arrResult = myArr.reduce((pre,cur) => {
 if (cur in pre) {
  pre[cur]++
 }else{
  pre[cur] = 1
 }
 return pre
},{})
console.log(arrResult) // Result: {liang: 3, qi: 2, ge: 1}

3. Sum the properties of an object

const myArr = [
 {
  name: 'liangqi',
  height: 55
 },{
  name: 'mingming',
  height: 66
 },{
  name: 'lele',
  height: 77
 }
]
const result = myArr.reduce((a,b) => {
 a = a + b.weigth
 return a
},0)
console.log(result) // Result: 198

Array.of() method: used to convert a set of values ​​into a new array

Example:

Array.of() // []
Array.of(undefined) // [undefined]
Array.of(1) // [1]
Array.of(1, 2) // [1, 2]

flat() method: The array flattening method is also called array flattening, array flattening, and array dimensionality reduction. It is used to convert nested arrays into one-dimensional arrays and return a new array

Example:

const myArr = [1, [2, 3, [4, 5, [12, 3, "zs"], 7, [8, 9, [10, 11, [1, 2, [3, 4]]]]]]]
console.log(myArr.flat(Infinity)) // [1, 2, 3, 4, 5, 12, 3, "zs", 7, 8, 9, 10, 11, 1, 2, 3, 4]

Summarize

This is the end of this article about array processing for JS beginners. For more relevant JS array processing content, please search for previous articles on 123WORDPRESS.COM or continue to browse the related articles below. I hope everyone will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • JS array processing function arrangement
  • How to process NodeList as an Array in JavaScript
  • Introduction to js's processing of ajax returned array
  • Using Javascript array to handle multiple string concatenation issues
  • How to use the reverse() method to process arrays in JavaScript
  • How to use the toSource() method to process arrays in Javascript
  • Sorting method of JavaScript object array
  • js sample code for processing repeated elements in an array

<<:  About Vue virtual dom problem

>>:  Detailed Introduction to the MySQL Keyword Distinct

Recommend

How to assign default values ​​to fields when querying MySQL

need When querying a field, you need to give the ...

Mysql sql slow query monitoring script code example

1. Modify my.cnf #The overall effect is that both...

Detailed graphic explanation of how to clear the keep-alive cache

Table of contents Opening scene Direct rendering ...

Vue2.0 implements adaptive resolution

This article shares the specific code of Vue2.0 t...

How to call a piece of HTML code together on multiple HTML pages

Method 1: Use script method: Create a common head...

ffmpeg Chinese parameter description and usage examples

1. When ffmpeg pushes video files, the encoding f...

JS version of the picture magnifying glass effect

This article shares the specific code of JS to ac...

How to deploy DoNetCore to Alibaba Cloud with Nginx

Basic environment configuration Please purchase t...

A brief understanding of the three principles of adding MySQL indexes

1. The Importance of Indexes Indexes are used to ...

How to solve the front-end cross-domain problem using Nginx proxy

Preface Nginx (pronounced "engine X") i...

Windows 2019 Activation Tutorial (Office2019)

A few days ago, I found that the official version...

Detailed explanation of the WeChat applet request pre-processing method

question Because some of our pages request data i...