欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

JavaScript中日常收集常见的10种错误(推荐)

程序员文章站 2023-12-14 22:33:16
 1 对于this关键词的不正确使用 game.prototype.restart = function () { this.clearlocals...

 1 对于this关键词的不正确使用

game.prototype.restart = function () { 
this.clearlocalstorage(); 
this.timer = settimeout (function() { 
this.clearboard(); 
}, 0); 
};

运行上面的代码将会出现如下错误:

uncaught typeerror:undefined is not a function

为什么会有这个错? this是指代当前对象本身,this的调用和它所在的环境密切相关。上面的错误是因为在调用settimeout函数的时候,实际调用的是window.settimeout,而在window中并没有clearboard();这个方法;

下面提供两种解决的方法。

1,将当前对象存储在一个变量中,这样可以在不同的环境被继承。

game.prototype.restart = function() { 
this.clearlocalstorage(); 
var self = this; 
this.timer = settimeout(function(){ 
self.clearboard(); }, 0); 
}; //改变了作用的对象 

2,使用bind()方法, 不过这个相比上一种会复杂,bind方法官方解释: msdn.microsoft.com/zh-cn/library/ff841995

game.prototype.restart = function () { 
this.clearlocalstorage(); 
this.timer = settimeout(this.reset.bind(this)), 
}; 
game.prototype.reset = function() { 
this.clearboard(); 
};

2 传统编程语言的生命周期误区

在js中变量的生存周期与其他语言不同,举个例子

for (var i=0; i<10;i++){ 
/* */ 
} 
console.log(i); //并不会提示 未定义,结果是10 

在js中这种现象叫:variable hoisting(声明提前)

可以使用let关键字。

3 内存泄漏

在js中无法避免会有内存泄漏,内存泄漏:占用的内存,但是没有用也不能及时回收的内存。

例如以下函数:

var thething = null; 
var replacething = function() { 
var priorthing = thething; 
var unused = function() { 
if (priorthing) { 
console.log(‘hi'); 
}; 
}; 
thething = { 
longstr: new array(1000000).join(‘*'), 
somemethod: function () { 
console.log(somemessage); 
} 
} 
setinterval(replacething, 1000);

如果执行这段代码,会造成大量的内存泄漏,光靠garbage collector是无法完成回收的,代码中有个创建数组对象的方法在一个闭包里,这个闭包对象又在另一个闭包中引用,,在js语法中规定,在闭包中引用闭包外部变量,闭包结束时对此对象无法回收。

4 比较运算符

console.log(false == ‘0'); // true 
console.log(null == undefinded); //true 
console.log(” \t\r\n” == 0);

以上所述是小编给大家介绍的javascript中日常收集常见的10种错误(推荐),希望对大家有所帮助

上一篇:

下一篇: