JavaScript Timing 事件

JavaScript 可以在时间间隔内执行。

这就是所谓的定时事件(Timing Events)。


Timing 事件

window 对象允许以指定的时间间隔执行代码。

这些时间间隔称为定时事件。

通过 JavaScript 使用的有两个关键的方法:

  • setTimeout(function, milliseconds),在等待指定的毫秒数后执行函数。
  • setInterval(function, milliseconds),等同于 setTimeout(),但持续重复执行该函数。

setTimeout()setInterval() 都属于 HTML DOM Window 对象的方法。


setTimeout() 方法

  1. window.setTimeout(function, milliseconds);

window.setTimeout() 方法可以不带 window 前缀来编写。第一个参数是要执行的函数。

第二个参数指示执行之前的毫秒数。

单击按钮。等待 3 秒,然后页面会提示 "Hello":

  1. <!DOCTYPE html>
  2. <html>
  3. <body>
  4. <p>点击“试一试”。等待 3 秒钟,页面将提示“Hello”。</p>
  5. <button onclick="setTimeout(myFunction, 3000);">试一试</button>
  6. <script>
  7. function myFunction() {
  8. alert('Hello');
  9. }
  10. </script>
  11. </body>
  12. </html>

如何停止执行?

clearTimeout() 方法停止执行 setTimeout() 中规定的函数。

  1. window.clearTimeout(timeoutVariable)

window.clearTimeout() 方法可以不带 window 前缀来写。clearTimeout() 使用从 setTimeout() 返回的变量:

  1. myVar = setTimeout(function, milliseconds);
  2. clearTimeout(myVar);

类似上例,但是添加了“停止”按钮:

  1. <!DOCTYPE html>
  2. <html>
  3. <body>
  4. <p>点击“试一试”。等 3 秒。该页面将提醒“Hello”。</p>
  5. <p>单击“停止”以阻止第一个函数执行。</p>
  6. <p>(在 3 秒钟之前,您必须单击“停止”。)</p>
  7. <button onclick="myVar = setTimeout(myFunction, 3000)">试一试</button>
  8. <button onclick="clearTimeout(myVar)">停止</button>
  9. <script>
  10. function myFunction() {
  11. alert("Hello");
  12. }
  13. </script>
  14. </body>
  15. </html>

setInterval() 方法

setInterval() 方法在每个给定的时间间隔重复给定的函数。

  1. window.setInterval(function, milliseconds);

window.setInterval() 方法可以不带 window 前缀来写。

第一个参数是要执行的函数。

第二个参数每个执行之间的时间间隔的长度。

本例每秒执行一次函数 "myTimer"(就像数字手表)。

显示当前时间:

  1. <!DOCTYPE html>
  2. <html>
  3. <body>
  4. <p>此页面上的脚本启动这个时钟:</p>
  5. <p id="demo">
  6. <script>
  7. var myVar = setInterval(myTimer, 1000);
  8. function myTimer() {
  9. var d = new Date();
  10. document.getElementById("demo").innerHTML = d.toLocaleTimeString();
  11. }
  12. </script>
  13. </body>
  14. </html>

一秒有 1000 毫秒。


如何停止执行?

clearInterval() 方法停止 setInterval() 方法中指定的函数的执行。

  1. window.clearInterval(timerVariable)

window.clearInterval() 方法可以不带 window 前缀来写。clearInterval() 方法使用从 setInterval() 返回的变量:

  1. myVar = setInterval(function, milliseconds);
  2. clearInterval(myVar);

类似上例,但是我们添加了一个“停止时间”按钮:

  1. <!DOCTYPE html>
  2. <html>
  3. <body>
  4. <p>此页面上的脚本启动这个时钟:</p>
  5. <p id="demo">
  6. <button onclick="clearInterval(myVar)">停止时间</button>
  7. <script>
  8. var myVar = setInterval(myTimer ,1000);
  9. function myTimer() {
  10. var d = new Date();
  11. document.getElementById("demo").innerHTML = d.toLocaleTimeString();
  12. }
  13. </script>
  14. </body>
  15. </html>

分类导航