服务器之家:专注于VPS、云服务器配置技术及软件下载分享
分类导航

PHP教程|ASP.NET教程|Java教程|ASP教程|编程技术|正则表达式|C/C++|IOS|C#|Swift|Android|VB|R语言|JavaScript|易语言|vb.net|

服务器之家 - 编程语言 - 编程技术 - 十个前端开发人员必须知道的关于“[].reduce”的进阶技巧

十个前端开发人员必须知道的关于“[].reduce”的进阶技巧

2022-10-18 18:02web前端开发 编程技术

作为一个前端开发者,一定会大量使用reduce函数,它是一个强大而有用的数组API,但是,今天我想给大家分享10个关于它的进阶技巧和窍门,加油!

作为一个前端开发者,一定会大量使用reduce函数,它是一个强大而有用的数组API,但是,今天我想给大家分享10个关于它的进阶技巧和窍门,加油!

十个前端开发人员必须知道的关于“[].reduce”的进阶技巧

1.作为加法器和累加器

使用“reduce”,我们可以轻松实现多个数相加或累加的功能。

// adderconst sum = (...nums) =>  return nums.reduce((sum, num) =>};console.log(sum(1, 2, 3, 4, 10)); // 20// accumulatorconst accumulator = (...nums) =>  return nums.reduce((acc, num) =>};console.log(accumulator(1, 2, 3)); // 6

2.计算一个数组的最大值和最小值

有多少种方法可以得到数组的最大值或最小值?

1).使用 Math.max 和 Math.min

我们不得不承认,使用 Math 的 API 是最简单的方法。

const array = [-1, 10, 6, 5];const max = Math.max(...array); // 10const min = Math.min(...array); // -1

2).使用减少

是的,只需一行代码,你就可以实现与 Math 的 API 相同的效果。

const array = [-1, 10, 6, 5];const max = array.reduce((max, num) => (max > num ? max : num));const min = array.reduce((min, num) => (min < num ? min : num));

3).格式化搜索参数

获取链接上的搜索参数是我们经常要处理的事情。如何解析它们?

例如:

// url https://qianlongo.github.io/vue-demos/dist/index.html?name=fatfish&age=100#/home// format the search parameters{  "name": "fatfish",  "age": "100"}

1).正常方式

这是大多数人使用它的方式。

const parseQuery = () const search = window.location.search; let query = {}; search .slice(1)    .split("&")(it) => const [key, value] = it.split("="); query[key] = decodeURIComponent(value);    }); return query;};

2).使用reduce

Reduce 实际上可以做到这一点,而且看起来更简单。

const parseQuery = () const search = window.location.search; return search .replace(/(^\?)|(&$)/g, "")    .split("&")(query, it) => const [key, value] = it.split("="); query[key] = decodeURIComponent(value); return query;    }, {});};

它是如何工作的?

/ url https://qianlongo.github.io/vue-demos/dist/index.html?name=fatfish&age=100#/home// 1. First get the search parameterconst search = window.location.search; // ?name=fatfish&age=100// 2. Remove the beginning "?" or ending "&".search.replace(/(^\?)|(&$)/g, "");// ?name=fatfish&age=100 => name=fatfish&age=100// 3. Use reduce to collect parameters// ...

4.反序列化搜索参数

当我们要跳转到某个链接并为其添加一些搜索参数时,手动拼接的方式不是很方便。

如果要串联的参数很多,那将是一场灾难。

const searchObj = {name: "fatfish",age: 100, // ...};const link = `https://medium.com/?name=${searchObj.name}&age=${searchObj.age}`;// https://medium.com/?name=fatfish&age=100

幸运的是,“reduce”可以帮助我们轻松解决这个问题。

const stringifySearch = (search = {}) => return Object.entries(search)    .reduce((t, v) => `${t}${v[0]}=${encodeURIComponent(v[1])}&`, Object.keys(search).length ? "?" : "" )    .replace(/&$/, "");};const search = stringifySearch({name: "fatfish",age: 100,});const link = `https://medium.com/${search}`;console.log(link); // https://medium.com/?name=fatfish&age=100

5. 展平多层嵌套数组

你知道如何展平多层嵌套数组吗?

const array = [1, [2, [3, [4, [5]]]]];// expected output [ 1, 2, 3, 4, 5 ]const flatArray = array.flat(Infinity); // [1, 2, 3, 4, 5]

“flat”是一个非常强大的API。而使用reduce可以实现和flat一样的功能

const flat = (array) => { return array.reduce(    (acc, it) => acc.concat(Array.isArray(it) ? flat(it) : it),    []  );};const array = [1, [2, [3, [4, [5]]]]];const flatArray = flat(array); // [1, 2, 3, 4, 5]

6.模拟平面特征的功能

虽然,我们已经实现了扁平化深度嵌套数组的功能,但是,如何才能完全实现扁平化的功能呢?

// Expand one layer by defaultArray.prototype.flat2 = function (n = 1) {  const len = this.length  let count = 0  let current = this  if (!len || n === 0) {    return current  }  // Confirm whether there are array items in current  const hasArray = () current.some((it) => Array.isArray(it))  // Expand one layer after each cycle  while (count++ < n && hasArray()) {(result, it) =>      result = result.concat(it)      return result    }, [])  }  return current}const array = [ 1, [ 2, [ 3, [ 4, [ 5 ] ] ] ] ]// Expand one layerconsole.log(array.flat()) // [ 1, 2, [ 3, [ 4, [ 5 ] ] ] ] console.log(array.flat2()) // [ 1, 2, [ 3, [ 4, [ 5 ] ] ] ] // Expand allconsole.log(array.flat(Infinity))console.log(array.flat2(Infinity))

太好了,我们做到了。

7. 保持数组唯一

reduce 也很容易保持数组的唯一性。

const array = [ 1, 2, 1, 2, -1, 10, 11 ]const uniqueArray1 = [ ...new Set(array) ]const uniqueArray2 = array.reduce((acc, it) => acc.includes(it) ? acc : [ ...acc, it ], [])

8.统计数组成员的个数

如何计算数组中每个成员的个数?

为什么使用map而不是boject?

const count = (array) => return array.reduce((acc, it) => (acc.set(it, (acc.get(it) || 0) + 1), acc), new Map())}const array = [ 1, 2, 1, 2, -1, 0, '0', 10, '10' ]console.log(count(array))

9.获取一个对象的多个属性

现在,我们来看看在工作中会遇到的一个场景。

// There is an object with many propertiesconst obj = {  a: 1,  b: 2,  c: 3,  d: 4,  e: 5  // ...}// We just want to get some properties above it to create a new objectconst newObj = {  a: obj.a,  b: obj.b,  c: obj.c,  d: obj.d  // ...}// Do you think this is too inefficient?

使用reduce来解决它。

const getObjectKeys = (obj = {}, keys = []) => return Object.keys(obj).reduce((acc, key) =>}const obj = {a: 1,b: 2,c: 3,d: 4,e: 5 // ...}const newObj = getObjectKeys(obj, [ 'a', 'b', 'c', 'd' ])console.log(newObj)

10.反转字符串

const reverseString = (string) => return string.split("").reduceRight((acc, s) =>}const string = 'fatfish'console.log(reverseString(string)) // hsiftaf

写在最后

以上就是我跟你分享的10个关于reduce的知识技巧,希望你你能从中学到一些新的东西,也希望对你有用,如果你觉得有帮助我话,请点赞我,关注我,并将这篇文章与你的开发者朋友一起来分享它。

最后,感谢你的阅读,编程愉快。

原文地址:https://mp.weixin.qq.com/s?__biz=MjM5MDA2MTI1MA==&mid=2649133039&idx=1&sn=6c846f494857d49e4effa37fddd47210&chksm=be58a842892f21549f50c8d6f12e07b2bc1ae1b9bd814b8b1a9a2cad9c43ded705f97f9cd0ee

延伸 · 阅读

精彩推荐