1. 全部替换
( ?* \: }/ `$ l- I4 I7 i1 e 我们都知道 string.Replace() 函数仅能替换掉第一个匹配项。你可以通过在正则表达式的末尾添加 /g 来替换所有出现的内容。
, J4 Z- u( Z3 S3 ~/ K" O. Uvar example = "potato potato";
console.log(example.replace(/pot/, "tom"));
// "tomato potato"
console.log(example.replace(/pot/g, "tom"));
// "tomato tomato" 2. 提取唯一值
; f0 S+ e2 n: t. S5 J 通过使用 Set 对象和 ... 运算符能够使用唯一值创建一个新数组。
3 ~+ [5 B& f" `, G0 H: avar entries = [1, 2, 2, 3, 4, 5, 6, 6, 7, 7, 8, 4, 2, 1]
var unique_entries = [...new Set(entries)];
console.log(unique_entries);
// [1, 2, 3, 4, 5, 6, 7, 8] 3. 将数字转换为字符串9 u/ L4 H r+ K. R9 x" q# c* [
只需要用 + 运算符带和一个空字符串即可。' ~2 _9 b2 f# y6 W- l
var converted_number = 5 + "";
console.log(converted_number);
// 5
console.log(typeof converted_number);
// string 4.将字符串转换为数字
! I. C7 y0 ], V6 r6 {% h5 ^! `4 n 只需要用 + 运算符即可。但是要注意:它仅适用于“字符串数字”。9 h, F/ Y8 q7 U r/ o
the_string = "123";
console.log(+the_string);
// 123the_string = "hello";
console.log(+the_string);
// NaN 5. 随机排列数组中的元素
) t( T' a8 a2 B2 t, ?4 f0 E 这样最适合洗牌了:3 n8 d7 v6 }! {: S& O2 w
var my_list = [1, 2, 3, 4, 5, 6, 7, 8, 9];
console.log(my_list.sort(function() {
return Math.random() - 0.5
}));
// [4, 8, 2, 9, 1, 3, 6, 5, 7] 6.展平多维数组' V V% l+ j( A$ f( T7 }% ?1 S9 S
只需使用 ... 运算符。- @' h" @5 X: X5 s+ O! ]
var entries = [1, [2, 5], [6, 7], 9];
var flat_entries = [].concat(...entries);
// [1, 2, 5, 6, 7, 9] 7. 条件短路
$ }2 j$ c8 Q. N0 C) o 只需要举个例子就明白了:
6 y2 W) ^$ O. R$ _2 S! Z2 kif (available) {
addToCart();
} 通过简单地使用变量和函数来简化代码:
+ ?5 l( F; D) }; Davailable && addToCart() 8. 动态属性名
4 y. g3 I/ f+ ?9 R, h 一直以来,我以为必须先声明一个对象,然后才能分配动态属性,但是...1 q, D, g; C" i
const dynamic = 'flavour';
var item = {
name: 'Coke',
[dynamic]: 'Cherry'
}
console.log(item);
// { name: "Coke", flavour: "Cherry" } 9. 用 length 调整货清空数组3 h& k. l( q. |# U& c# l& B
如果要调整数组的大小:
9 O! j7 l# v9 x- {var entries = [1, 2, 3, 4, 5, 6, 7];
console.log(entries.length);
// 7
entries.length = 4;
console.log(entries.length);
// 4
console.log(entries);
// [1, 2, 3, 4]
|