先来看两个例子:
例子1:
// once()函数里不加参数
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>只执行一次函数使用注意事项</title>
</head>
<body>
<script>
var flag = true;
function animation() {
setInterval(function() {
console.log(111111);
}, 2500)
}
function getConsole() {
setInterval(function() {
console.log('flag---333: ', flag);
once(flag);
console.log('flag---444: ', flag);
}, 5000)
}
getConsole();
// 只执行一次函数
function once() {
console.log('flag---111: ', flag);
if(flag) {
animation();
flag = false;
}
console.log('flag--222: ', flag);
}
</script>
</body>
</html>
例子2:
// once函数里加上flag参数
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>只执行一次函数使用注意事项</title>
</head>
<body>
<script>
var flag = true;
function animation() {
setInterval(function() {
console.log(111111);
}, 2500)
}
function getConsole() {
setInterval(function() {
console.log('flag---333: ', flag);
once(flag);
console.log('flag---444: ', flag);
}, 5000)
}
getConsole();
// once函数
function once(flag) {
console.log('flag---111: ', flag);
if(flag) {
animation();
flag = false;
}
console.log('flag--222: ', flag);
}
</script>
</body>
</html>
输出的区别:
例子1 会稳定的执行,每隔2500ms执行一次输出。
例子2会执行的越来越快,单次打印次数越来越多。
区别的原因:
个人理解:
例子1中,once函数不带参数,flag值取决于全局作用域的flag 。 当全局作用域的flag为false时,once函数中的内容就不会执行。
例子2中,once函数带有flag参数, flag值取决于getConsole函数中的定时器里回调函数内的局部作用域的flag值,这里的flag值总是为true,所以once函数的内容会一直执行,叠加执行。造成定时器执行混乱。
所以,once函数的使用,需要注意,不需要带参数。这样才是真正的只执行一次的函数。
另外,只执行一次函数还有很多别的写法,比如:
var once = function() {
fn(); // 要执行的内容
once = null
}