本文作者:Aurélien Hervé
编译:胡子大哈
翻译原文:http://huziketang.com/blog/posts/detail?postId=58e06b98a58c240ae35bb8dd
英文连接:Who said javascript was easy ?
JavaScript 中的 sort()
默认是按字母排序的。所以比如你这样 [1,2,5,10].sort()
,会输出 [1,10,2,5]
。
正确的排序可以使用 [1,2,5,10].sort((a, b) => a — b)
。
是不是很简单,这个知识点是告诉你第一种方式排序是有问题的。
new Date()
可以接收:
对于原始串不被替换掉,我是双手赞同的,我不喜欢一个函数的输入总是在变化。另外你应该知道 replace
只会替换第一个匹配上的字符。
let s = "bob"
const replaced = s.replace('b', 'l')
replaced === "lob" // 只替换第一个匹配上的
s === "bob" // 原始串始终没变
如果你想替换所有的,那就是用正则符 /g
:
"bob".replace(/b/g, 'l') === 'lol' // 替换所有串
// These are ok
'abc' === 'abc' // true
1 === 1 // true
// These are not
[1,2,3] === [1,2,3] // false
{a: 1} === {a: 1} // false
{} === {} // false
原因:[1,2,3] 和 [1,2,3] 是两个数组,它们只是恰巧值相等罢了,他们的引用是不同的,所以不能用简单的 ===
来比较。
typeof {} === 'object' // true
typeof 'a' === 'string' // true
typeof 1 === number // true
// But....
typeof [] === 'object' // true
想知道你的变量是不是数组,仍然可以使用 Array.isArray(myVar)
。
这是很出名的一道 JavaScript 面试题:
const Greeters = []
for (var i = 0 ; i < 10 ; i++) {
Greeters.push(function () { return console.log(i) })
}
Greeters[0]() // 10
Greeters[1]() // 10
Greeters[2]() // 10
你预期的是输出:0,1,2...吗?你知道这是为什么吗?你知道怎么 fix 吗?
我来提两种可能的解决方案来解决这个问题:
let
,不用 var
。Duang!解决了~
let
和var
的区别是作用域。var
的作用域是最近的函数块。而let
的作用域是最近的封闭块。如果两个都是在块外的,那两个都是全局的。最近的封闭块,要比最近的函数块范围小。这里是源码。
bind
。 Greeters.push(console.log.bind(null, i))
还有很多方法可以解决这一问题,这里列出了我个人的两种最优选择。
你觉得下面的代码会输出什么?
class Foo {
constructor (name) {
this.name = name
}
greet () {
console.log('hello, this is ', this.name)
}
someThingAsync () {
return Promise.resolve()
}
asyncGreet () {
this.someThingAsync()
.then(this.greet)
}
}
new Foo('dog').asyncGreet()
给你点提示,你认为是否会抛出异常呢?Cannot read property 'name' of undefined
。
原因:greet
没有在恰当的上下文中执行。依旧,有很多种方法解决这个问题。
asyncGreet () {
this.someThingAsync()
.then(this.greet.bind(this))
}
这种方式可以保证 greet
是在类已经实例化以后被调用。
greet
始终可以正确调用,可以绑定到构造函数中。 class Foo {
constructor (name) {
this.name = name
this.greet = this.greet.bind(this)
}
}
=>
)可以保护上下文,也可以解决这个问题。 asyncGreet () {
this.someThingAsync()
.then(() => {
this.greet()
})
}