美文网首页
Window.setTimeout 常见用法

Window.setTimeout 常见用法

作者: jarbinup | 来源:发表于2017-11-16 10:19 被阅读15次

    关于 window.setTimeout()

    语法:

    var timeoutID = setTimeout(fun[, delay, param1, param2...]);

    参数:

    a. fun, 延时时间后要执行的函数
    b. delay, 延迟时间,单位为 ms . 1 s = 1000 ms
    c. param 参数会传递给 fun 函数

    返回值:

    timeoutID 表示定时器编号,是一个正整数。在 clearTimeout() 方法中传入定时器编号,可以取消该编号对应的定时器。

    常见用法:

    a. 函数节流

    指定函数在单位时间内执行,也可理解成延迟执行。
    场景一:
    为实现某个搜索功能,我们监听 input 的 keyup 事件。每当输入字符,触发事件向后端发起请求,然后将查询结果返回前端进行处理。
    问题:
    输入汉字时,往往需要输入多个字母(组成一个拼音)才能打出来一个字。此时只需要查询一个汉字即可,字母的查询是多余的。并且当字符较长时,查询会产生阻塞,网页性能也会降低。
    解决:
    延迟查询,当用户连续输入字符时,每隔 500ms 去查询一次,性能大大提高。
    实现:

    <!DOCTYPE html>
    <html lang="en">
    <head>
        <meta charset="UTF-8">
        <title>Document</title>
    </head>
    <body>
        <input id="demo" type="text">
    </body>
    <script>
        //1.不节流
        //输入一个字符,打印一次 fetch query result
        /*let searchEle = document.getElementById("demo"),
        searchEle.addEventListener("keyup", function(){
            setTimeout(function(){
                console.log('fetch query result');
            }, 2000);
        }, false);*/
    
    
        //2.函数节流
        //连续输入字符,每 2s 打印一次 fetch query result
        let searchEle = document.getElementById("demo"),
            setTimeoutID = '';
        searchEle.addEventListener("keyup", function(){
            setTimeoutID && clearTimeout(setTimeoutID);
            setTimeoutID = setTimeout(function(){
                console.log('fetch query result');
            }, 2000);
        }, false);
    </script>
    </html>
    
    b.构建一个轮询任务

    每隔单位时间需要执行某函数。setTimeout 嵌套,递归的调用。

    <!DOCTYPE html>
    <html lang="en">
    <head>
        <meta charset="UTF-8">
        <title>Document</title>
    </head>
    <body>
    </body>
    <script>
        function loopExecution() {
            setTimeout(function(){
                console.log('loop execution');
                setTimeout(loopExecution, 1000);
            }, 1000);
        }
    
        loopExecution();
    </script>
    </html>
    

    相关文章

      网友评论

          本文标题:Window.setTimeout 常见用法

          本文链接:https://www.haomeiwen.com/subject/ksafvxtx.html