網頁中JavaScript最基本的功能是監聽或回應使用者的動作,這非常有用的。使用者的動作有些頻率非常高,有的十分罕見。有些監聽器函數的執行如閃電般完成,而有些繁重的會把瀏覽器拖死。拿瀏覽器視窗的resize事件來說,這種事件會在瀏覽器視窗大小的每一尺度變化都觸發一次,如果監聽器體積很大,你的瀏覽器很快就會被拖垮。
很顯然,我們不能允許瀏覽器被拖垮,但我們又不能刪除刪除監聽器。然而,我們可以限制函數呼叫的頻度,弱化事件函數運行所帶來的影響。相對於讓視窗的每一步size的變化都觸發一次監聽器函數,我們可以現在監聽函數的觸發的最小間隔必須大於多少毫秒,讓它保持著合理的呼叫頻道,確保不毀壞用戶體驗。有一個很好的js工具庫叫做Underscore.js,它裡面有一個簡單的方法能讓你輕鬆的創建降低事件函數觸發頻度的監聽器。
JavaScript程式碼
降頻監聽器的程式碼很簡單:
// Does all the layout updating here
}, 500); // 最低500毫秒跑一次
// Add the event listener
window.addEventListener("resize", updateLayout, false);
…這段Underscore.js程式碼底層其實是用interval檢查事件函數呼叫的頻度:
// Returns a function, that, as long as it continues to be invoked, will not
// be triggered. The function will be called after it stops being called for
// N milliseconds. If `immediate` is passed, trigger the function on the
// leading edge, instead of the trailing.
_.debounce = function(func, wait, immediate) {
var timeout;
return function() {
var context = this, args = arguments;
var later = function() {
timeout = null;
if (!immediate) func.apply(context, args);
};
var callNow = immediate && !timeout;
clearTimeout(timeout);
timeout = setTimeout(later, wait);
if (callNow) func.apply(context, args);
};
};
// Use it!
window.addEvent("resize", myFn.debounce(500));