js小程序防抖节流

2024-09-02  本文已影响0人  hsqin

什么是防抖节流

小程序中使用

封装文件 throttle.js(路径:/utils/throttle.js)

/* 节流函数封装 */
function throttle(fn, gapTime) {
    if (gapTime == null || gapTime == undefined) {
        gapTime = 1500
    }
    let _lastTime = null
    // 返回新的函数
    return function () {
        let _nowTime = +new Date()
        if (_nowTime - _lastTime > gapTime || !_lastTime) {
            fn.apply(this, arguments) //将this和参数传给原函数
            _lastTime = _nowTime
        }
    }
}
/* 防抖函数封装 */
function debounce(fn, interval) {
    let timer;
    let delay = interval || 1000; // 间隔的时间,如果interval不传,则默认1秒
    return function () {
        let that = this;
        let args = arguments; // 保存此处的arguments,因为setTimeout是全局的,arguments不是防抖函数需要的。
        if (timer) {
            clearTimeout(timer);
        }
        timer = setTimeout(function () {
            fn.apply(that, args); // 用apply指向调用debounce的对象,相当于this.fn(args);
        }, delay);
    };
}
// 将写好的方法抛出
module.exports = {
    throttle,
    debounce
}

使用的文件 home.wxml(路径:pages/home/home.wxml)

<button bindtap="formSubmit">点击触发事件</button>

使用的文件 home.js(路径:pages/home/home.js)

// 引入封装文件
var util = require('../../utils/throttle');
Page({
    data: {},
     // 调用防抖函数(触发事件后在1秒内函数只能执行一次)
     formSubmit: util.debounce(function () {
         console.log("'防抖函数'")
     }, 1000),
})
// 引入封装文件
var util = require('../../utils/throttle');
Page({
    data: {},
    // 调用节流函数(首次点击后触发打印,3秒内点击按钮都不会触发,3秒后再次点击触发)
    formSubmit: util.throttle(function (e) {
        console.log('节流函数');
    }, 3000),
})

原文链接:https://blog.csdn.net/Shids_/article/details/123659625

上一篇 下一篇

猜你喜欢

热点阅读