You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
40 lines
1.0 KiB
40 lines
1.0 KiB
/**
|
|
* 工具方法模块
|
|
* 提供常用的工具函数
|
|
*/
|
|
|
|
const utils = {
|
|
/**
|
|
* 防抖函数
|
|
* @param {Function} func - 要防抖的函数
|
|
* @param {number} wait - 等待时间(毫秒)
|
|
* @returns {Function} - 防抖后的函数
|
|
*/
|
|
debounce: function(func, wait) {
|
|
let timeout;
|
|
return function(...args) {
|
|
clearTimeout(timeout);
|
|
timeout = setTimeout(() => func.apply(this, args), wait);
|
|
};
|
|
},
|
|
|
|
/**
|
|
* 节流函数
|
|
* @param {Function} func - 要节流的函数
|
|
* @param {number} limit - 时间限制(毫秒)
|
|
* @returns {Function} - 节流后的函数
|
|
*/
|
|
throttle: function(func, limit) {
|
|
let inThrottle;
|
|
return function(...args) {
|
|
if (!inThrottle) {
|
|
func.apply(this, args);
|
|
inThrottle = true;
|
|
setTimeout(() => inThrottle = false, limit);
|
|
}
|
|
};
|
|
}
|
|
};
|
|
|
|
// 导出工具方法模块
|
|
module.exports = utils;
|