安利几个JS开发小技巧
共 2676字,需浏览 6分钟
·
2020-08-26 19:10
1 转换布尔值
除了常规的布尔值true
和false
之外,JavaScript还将所有其他值视为 ‘truthy’ 或**‘falsy’**。
除非另有定义,否则 JavaScript 中的所有值都是'truthy',除了0
,“”
,null
,undefined
,NaN
,当然还有false
,这些都是**'falsy'**
我们可以通过使用负算运算符轻松地在true
和false
之间切换。它也会将类型转换为“boolean”。
const isTrue = !0;
const isFalse = !1;
const alsoFalse = !!0;
console.log(isTrue); // Result: true
console.log(typeof true); // Result: "boolean"
2 转换数字
使用加法运算符+
可以快速实现相反的效果。
let int = "15";
int = +int;
console.log(int); // Result: 15
console.log(typeof int); Result: "number"
这也可以用于将布尔值转换为数字,如下所示
console.log(+true); // Return: 1
console.log(+false); // Return: 0
在某些上下文中,+
将被解释为连接操作符,而不是加法操作符。当这种情况发生时(你希望返回一个整数,而不是浮点数),您可以使用两个波浪号:~~
。
连续使用两个波浪有效地否定了操作,因为— ( — n — 1) — 1 = n + 1 — 1 = n
。换句话说,~—16
等于15
。
const int = ~~"15"
console.log(int); // Result: 15
console.log(typeof int); Result: "number"
虽然我想不出很多用例,但是按位NOT运算符也可以用在布尔值上:~true = \-2
和~false = \-1
。
3转换字符串
要快速地将数字转换为字符串,我们可以使用连接运算符+
后跟一组空引号""
。
const val = 1 + "";
console.log(val); // Result: "1"
console.log(typeof val); // Result: "string"
4浮点数转整数
如果希望将浮点数转换为整数,可以使用Math.floor()
、Math.ceil()
或Math.round()
。但是还有一种更快的方法可以使用|(位或运算符)将浮点数截断为整数。
console.log(23.9 | 0); // Result: 23
console.log(-23.9 | 0); // Result: -23
|的行为取决于处理的是正数还是负数,所以最好只在确定的情况下使用这个快捷方式。
如果n
为正,则n | 0
有效地向下舍入。如果n
为负数,则有效地向上舍入。更准确地说,此操作将删除小数点后面的任何内容,将浮点数截断为整数。
你可以使用~~
来获得相同的舍入效果,如上所述,实际上任何位操作符都会强制浮点数为整数。这些特殊操作之所以有效,是因为一旦强制为整数,值就保持不变。
删除最后一个数字
按位或
运算符还可以用于从整数的末尾删除任意数量的数字。这意味着我们不需要使用这样的代码来在类型之间进行转换。
let str = "1553";
Number(str.substring(0, str.length - 1));
相反,按位或运算符可以这样写:
console.log(1553 / 10 | 0) // Result: 155
console.log(1553 / 100 | 0) // Result: 15
console.log(1553 / 1000 | 0) // Result: 1
5格式化JSON
最后,你之前可能已经使用过JSON.stringify
,但是您是否意识到它还可以帮助你缩进JSON?
stringify()
方法有两个可选参数:一个replacer
函数,可用于过滤显示的JSON和一个空格值。
console.log(JSON.stringify({ alpha: 'A', beta: 'B' }, null, '\t'));
// Result:
// '{
// "alpha": A,
// "beta": B
// }'
6取数组最后一项
数组方法slice()
可以接受负整数,如果提供它,它将接受数组末尾的值,而不是数组开头的值。
let array = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9];
console.log(array.slice(-1)); // Result: [9]
console.log(array.slice(-2)); // Result: [8, 9]
console.log(array.slice(-3)); // Result: [7, 8, 9]
7es6数组去重
Set对象类型是在ES6中引入的,配合展开操作...一起,我们可以使用它来创建一个新数组,该数组只有唯一的值。
const array = [1, 1, 2, 3, 5, 5, 1]
const uniqueArray = [...new Set(array)];
console.log(uniqueArray); // Result: [1, 2, 3, 5]
在ES6之前,隔离惟一值将涉及比这多得多的代码。
此技巧适用于包含基本类型的数组:undefined
,null
,boolean
,string
和number
。(如果你有一个包含对象,函数或其他数组的数组,你需要一个不同的方法!)
8更优雅的运算
从ES7开始,可以使用指数运算符**
作为幂的简写,这比编写Math.pow(2, 3)
更快。这是很简单的东西,但它之所以出现在列表中,是因为没有多少教程更新过这个操作符。
console.log(2 ** 3); // Result: 8
这不应该与通常用于表示指数的^符号相混淆,但在JavaScript中它是按位异或运算符。
在ES7之前,只有以2
为基数的幂才存在简写,使用按位左移操作符<<
Math.pow(2, n);
2 << (n - 1);
2**n;
例如,2 << 3 = 16
等于2 ** 4 = 16
。