今天我要分享的是10个超棒的JavaScript简写方法,可以加快开发速度,让你的开发工作事半功倍哦。

开始吧!

1. 合并数组

普通写法:

我们通常使用Array中的concat()方法合并两个数组。用concat()方法来合并两个或多个数组,不会更改现有的数组,而是返回一个新的数组。请看一个简单的例子:

let apples = ['', ''];
let fruits = ['', '', ''].concat(apples); console.log( fruits );
//=> ["", "", "", "", ""]

简写方法:

我们可以通过使用ES6扩展运算符(...)来减少代码,如下所示:

let apples = ['', ''];
let fruits = ['', '', '', ...apples]; // <-- here console.log( fruits );
//=> ["", "", "", "", ""]

得到的输出与普通写法相同。

2. 合并数组(在开头位置)

普通写法:

假设我们想将apples数组中的所有项添加到Fruits数组的开头,而不是像上一个示例中那样放在末尾。我们可以使用Array.prototype.unshift()来做到这一点:

let apples = ['', ''];
let fruits = ['', '', '']; // Add all items from apples onto fruits at start
Array.prototype.unshift.apply(fruits, apples) console.log( fruits );
//=> ["", "", "", "", ""]

现在红苹果和绿苹果会在开头位置合并而不是末尾。

简写方法:

我们依然可以使用ES6扩展运算符(...)缩短这段长代码,如下所示:

let apples = ['', ''];
let fruits = [...apples, '', '', '']; // <-- here console.log( fruits );
//=> ["", "", "", "", ""]

3. 克隆数组

普通写法:

我们可以使用Array中的slice()方法轻松克隆数组,如下所示:

let fruits = ['', '', '', ''];
let cloneFruits = fruits.slice(); console.log( cloneFruits );
//=> ["", "", "", ""]

简写方法:

我们可以使用ES6扩展运算符(...)像这样克隆一个数组:

let fruits = ['', '', '', ''];
let cloneFruits = [...fruits]; // <-- here console.log( cloneFruits );
//=> ["", "", "", ""]

4. 解构赋值

普通写法:

在处理数组时,我们有时需要将数组“解包”成一堆变量,如下所示:

let apples = ['', ''];
let redApple = apples[0];
let greenApple = apples[1]; console.log( redApple ); //=>
console.log( greenApple ); //=>

简写方法:

我们可以通过解构赋值用一行代码实现相同的结果:

let apples = ['', ''];
let [redApple, greenApple] = apples; // <-- here console.log( redApple ); //=>
console.log( greenApple ); //=>

5. 模板字面量

普通写法:

通常,当我们必须向字符串添加表达式时,我们会这样做:

// Display name in between two strings
let name = 'Palash';
console.log('Hello, ' + name + '!');
//=> Hello, Palash! // Add & Subtract two numbers
let num1 = 20;
let num2 = 10;
console.log('Sum = ' + (num1 + num2) + ' and Subtract = ' + (num1 - num2));
//=> Sum = 30 and Subtract = 10

简写方法:

通过模板字面量,我们可以使用反引号(),这样我们就可以将表达式包装在${...}`中,然后嵌入到字符串,如下所示:

// Display name in between two strings
let name = 'Palash';
console.log(`Hello, ${name}!`); // <-- No need to use + var + anymore
//=> Hello, Palash! // Add two numbers
let num1 = 20;
let num2 = 10;
console.log(`Sum = ${num1 + num2} and Subtract = ${num1 - num2}`);
//=> Sum = 30 and Subtract = 10

6. For循环

普通写法:

我们可以使用for循环像这样循环遍历一个数组:

let fruits = ['', '', '', ''];

// Loop through each fruit
for (let index = 0; index < fruits.length; index++) {
console.log( fruits[index] ); // <-- get the fruit at current index
} //=>
//=>
//=>
//=>

简写方法:

我们可以使用for...of语句实现相同的结果,而代码要少得多,如下所示:

let fruits = ['', '', '', ''];

// Using for...of statement
for (let fruit of fruits) {
console.log( fruit );
} //=>
//=>
//=>
//=>

7. 箭头函数

普通写法:

要遍历数组,我们还可以使用Array中的forEach()方法。但是需要写很多代码,虽然比最常见的for循环要少,但仍然比for...of语句多一点:

let fruits = ['', '', '', ''];

// Using forEach method
fruits.forEach(function(fruit){
console.log( fruit );
}); //=>
//=>
//=>
//=>

简写方法:

但是使用箭头函数表达式,允许我们用一行编写完整的循环代码,如下所示:

let fruits = ['', '', '', ''];
fruits.forEach(fruit => console.log( fruit )); // <-- Magic //=>
//=>
//=>
//=>

大多数时候我使用的是带箭头函数的forEach循环,这里我把for...of语句和forEach循环都展示出来,方便大家根据自己的喜好使用代码。

8. 在数组中查找对象

普通写法:

要通过其中一个属性从对象数组中查找对象的话,我们通常使用for循环:

let inventory = [
{name: 'Bananas', quantity: 5},
{name: 'Apples', quantity: 10},
{name: 'Grapes', quantity: 2}
]; // Get the object with the name `Apples` inside the array
function getApples(arr, value) {
for (let index = 0; index < arr.length; index++) { // Check the value of this object property `name` is same as 'Apples'
if (arr[index].name === 'Apples') { //=> // A match was found, return this object
return arr[index];
}
}
} let result = getApples(inventory);
console.log( result )
//=> { name: "Apples", quantity: 10 }

简写方法:

哇!上面我们写了这么多代码来实现这个逻辑。但是使用Array中的find()方法和箭头函数=>,允许我们像这样一行搞定:

// Get the object with the name `Apples` inside the array
function getApples(arr, value) {
return arr.find(obj => obj.name === 'Apples'); // <-- here
} let result = getApples(inventory);
console.log( result )
//=> { name: "Apples", quantity: 10 }

9. 将字符串转换为整数

普通写法:

parseInt()函数用于解析字符串并返回整数:

let num = parseInt("10")

console.log( num )         //=> 10
console.log( typeof num ) //=> "number"

简写方法:

我们可以通过在字符串前添加+前缀来实现相同的结果,如下所示:

let num = +"10";

console.log( num )           //=> 10
console.log( typeof num ) //=> "number"
console.log( +"10" === 10 ) //=> true

10. 短路求值

普通写法:

如果我们必须根据另一个值来设置一个值不是falsy值,一般会使用if-else语句,就像这样:

function getUserRole(role) {
let userRole; // If role is not falsy value
// set `userRole` as passed `role` value
if (role) {
userRole = role;
} else { // else set the `userRole` as USER
userRole = 'USER';
} return userRole;
} console.log( getUserRole() ) //=> "USER"
console.log( getUserRole('ADMIN') ) //=> "ADMIN"

简写方法:

但是使用短路求值(||),我们可以用一行代码执行此操作,如下所示:

function getUserRole(role) {
return role || 'USER'; // <-- here
} console.log( getUserRole() ) //=> "USER"
console.log( getUserRole('ADMIN') ) //=> "ADMIN"

基本上,expression1 || expression2被评估为表达式。因此,这就意味着如果第一部分为真,则不必费心求值表达式的其余部分。

补充几点

箭头函数

如果你不需要this上下文,则在使用箭头函数时代码还可以更短:

let fruits = ['', '', '', ''];
fruits.forEach(console.log);

在数组中查找对象

你可以使用对象解构和箭头函数使代码更精简:

// Get the object with the name `Apples` inside the array
const getApples = array => array.find(({ name }) => name === "Apples"); let result = getApples(inventory);
console.log(result);
//=> { name: "Apples", quantity: 10 }

短路求值替代方案

const getUserRole1 = (role = "USER") => role;
const getUserRole2 = role => role ?? "USER";
const getUserRole3 = role => role ? role : "USER";

最后,我想借用一段话来作结尾:

代码之所以是我们的敌人,是因为我们中的许多程序员写了很多很多的狗屎代码。如果我们没有办法摆脱,那么最好尽全力保持代码简洁。

如果你喜欢写代码——真的,真的很喜欢写代码——你代码写得越少,说明你的爱意越深。

欢迎关注我的公众号:前端新世界

只关注前端技术,每日分享 JS / CSS 技术教程;Vue、React、jQuery等前端开发组件

10 个超棒的 JavaScript 简写技巧的更多相关文章

  1. 10个超棒jQuery表单操作代码片段

    jQuery绝对是一个伟大的开源javascript类库,是帮助我们快速和高效开发前端应用的利器.可能大家在日常的开发过程中常常会处理表单相关的javascript,在今天这篇代码片段分享文章中,这里 ...

  2. 不可错过的10个超棒jQuery表单操作代码片段

    jQuery 绝对是一个伟大的开源javascript类库,是帮助我们快速和高效开发前端应用的利器.可能大家在日常的开发过程中常常会处理表单相关的 javascript,在今天这篇代码片段分享文章中, ...

  3. JavaScript简写技巧总结

    在日常工作中,JavaScript一些常用的简写技巧,将直接影响到我们的开发效率,现将常用技巧整理如下: 1. 空(null, undefined)验证     当我们创建了一个新的变量,我们通常会去 ...

  4. JavaScript 简写技巧

    1. 声明变量 //普通写法 let x; let y = 20; //简写 let x, y = 20; 2. 给多个变量赋值 //普通写法 let a, b, c; a = 5; b = 8; c ...

  5. 推荐 10 个超棒的 CSS3 代码生成工具

    新的在线工具和 WebApp 帮助开发者快速地创建网站而不用写代码.前端开发已经在框架和代码库方面有了很大的进展. 但是许多开发者已经忘记了代码生成器在构建网站时的价值.下面的资源是完全免费的 Web ...

  6. 4月超棒的JavaScript游戏开发框架推荐(1) – 51CTO.COM

    基于JavaScript开发的游戏是唯一一个能够跨桌面,Web和移动三种平台的.… 查阅全文 ›

  7. GitHub开源的10个超棒后台管理面板

    目录1.AdminLTE 2.vue-Element-Admin 3.tabler 4.Gentelella 5.ng2-admin 6.ant-design-pro 7.blur-admin 8.i ...

  8. [CSS工具推荐]0001.推荐 10 个超棒的 CSS3 代码生成工具

    引言:新的在线工具和 WebApp 帮助开发者快速地创建网站而不用写代码.前端开发已经在框架和代码库方面有了很大的进展. 现在许多开发者已经忘记了代码生成器在构建网站时的价值.下面的资源是完全免费的 ...

  9. 超棒的javascript移动触摸设备开发类库-QUOjs

    开发手机端网站.少不了手势事件? 手势事件怎么写? 手势事件怎么去判断? 对于新手来说.真的很Dan碎! 下面为大家推荐一款插件QUOjs 官方网站http://quojs.tapquo.com/ 这 ...

随机推荐

  1. Gym 100008E Harmonious Matrices 高斯消元

    POJ 1222 高斯消元更稳 看这个就懂了 #include <bits/stdc++.h> using namespace std; const int maxn = 2000; in ...

  2. 升级IDEA后Lombok不能用了,如何解决?

    今天到工作室比较晚,在电脑前吃着早饭,看到提示IDEA提示升级,寻思已经有好久没有升过级了.一样等着,就升级下吧. 升级完毕重启之后,突然发现好多错误,原来的应用也没法启动了.仔细一看报错信息,是由于 ...

  3. 学习django的日子

    bilibii这个网站是个学习者网站,里面有很多学习视频

  4. 第一章 - Java与线程

    目录 01.Java和线程 02.Java与协程 03.CPU缓存结构和java内存模型 04.管程-悲观锁和锁优化 05.乐观锁 - 无锁方案 06.线程安全 07.线程池 08.JUC 09.高并 ...

  5. SpringMVC(11)表单标签

    本篇我们来学习Spring MVC表单标签的使用,借助于Spring MVC提供的表单标签可以让我们在视图上展示WebModel中的数据更加轻松. 一.首先我们先做一个简单了例子来对Spring MV ...

  6. easyswoole实现线上更新代码

    众所周知,easyswoole作为常驻内存的框架,修改代码并不能直接生效,而是需要重启服务,那么,当你的easyswoole项目上线之后,该如何保证旧请求的同时去更新代码呢? nginx reload ...

  7. ESP32-OTA升级

    基于ESP-IDF4.1 1 #include <string.h> 2 #include "freertos/FreeRTOS.h" 3 #include " ...

  8. Min25 筛学习笔记

    仅仅是 \(min25\) 筛最基本的方法,没有任何推式子的例题.(想了想还是加两道吧qwq) 这里解决的是 \(Luogu\) 那道模板题. min25 基本方法: 最基础的是两个式子: \[G(n ...

  9. endless 如何实现不停机重启 Go 程序?

    转载请声明出处哦~,本篇文章发布于luozhiyun的博客:https://www.luozhiyun.com/archives/584 前几篇文章讲解了如何实现一个高效的 HTTP 服务,这次我们来 ...

  10. 【LeetCode】930. 和相同的二元子数组

    930. 和相同的二元子数组 知识点:数组:前缀和: 题目描述 给你一个二元数组 nums ,和一个整数 goal ,请你统计并返回有多少个和为 goal 的 非空 子数组. 子数组 是数组的一段连续 ...