以下内容摘自这位同学:http://qinglangee.iteye.com/blog/160377
[setTimeout]
setTimeout(表达式,延时时间)在执行时,是在载入后延迟指定时间后,去执行一次表达式,记住,次数是一次
用setTimeout实现的自动变化显示随机数的效果:
- <html>
- <head>
- <script>
- window.onload=sett;
- function sett()
- {
- document.body.innerHTML=Math.random();
- setTimeout("sett()",500);
- }
- </script>
- </head>
- <body>
- </body>
- </html>
[setInterval]
setInterval(表达式,交互时间)则不一样,它从载入后,每隔指定的时间就执行一次表达式
用setInterval实现的自动变化显示随机数的效果:
- <html>
- <head>
- <script>
- function sett()
- {
- document.body.innerHTML=Math.random();
- }
- setInterval("sett();", 500);
- </script>
- </script>
- </head>
- <body>
- </body>
- </html>
在使用JScript的时候,我们有时需要间隔的执行一个方法,比如用来产生网页UI动画特效啥的。这是我们常常会使用方法setInterval或 setTimeout,但是由于这两个方法是由脚本宿主模拟出来的Timer线程, 在通过其调用我们的方法是不能为其传递参数。
我们常用的使用场景是:
- window.setTimeout("delayRun()", n);
- window.setInterval("intervalRun()", n);
- window.setTimeout(delayRun, n);
- window.setInterval(intervalRun, n);
显然强行代参数的调用: window.setTimeout("delayRun(param)", n);
- window.setInterval("intervalRun(param)", n);
- window.setTimeout(delayRun(param), n);
- window.setInterval(intervalRun(param), n);
解决这个问题的办法可以使用
匿名函数包装的方式,在以下scenario中我们这么做:
这样一来,就可以不再依赖于全局变量向delayRun/intervalRun函数中传递参数,毕竟当页面中的全局变量多了以后,会给脚本的开发、调试和管理等带来极大的puzzle。
- function foo()
- {
- var param = 100;
- window.setInterval(function()
- {
- intervalRun(param);
- }, 888);
- }
- function interalRun(times)
- {
- // todo: depend on times parameter
- }
这样一来,就可以不再依赖于全局变量向delayRun/intervalRun函数中传递参数,毕竟当页面中的全局变量多了以后,会给脚本的开发、调试和管理等带来极大的puzzle。