11.jQuery工具方法$.Callbacks()的簡單實現

来源:https://www.cnblogs.com/lanshanxiao/archive/2020/05/15/12897720.html
-Advertisement-
Play Games

jQuery工具方法$.Callbacks()的簡單實現: (function () { //創建一個jQuery構造函數 function jQuery(selector) { return new jQuery.prototype.init(selector); } //為jQuery的原型添加 ...


jQuery工具方法$.Callbacks()的簡單實現:

(function () {
    //創建一個jQuery構造函數
    function jQuery(selector) {
        return new jQuery.prototype.init(selector);
    }
    //為jQuery的原型添加init屬性,所有實例可以使用該屬性
    jQuery.prototype.init = function (selector) {
        this.length = 0; //為this添加length屬性,並且賦值為0
        //選出 dom 並且包裝成jQuery對象返回
        //判斷selector是null 和 undefined 和 dom對象 和 id 和 class的情況
        if (selector == null) { //判斷selector是null或undefined
            return this;
        } else if (typeof selector === 'string' && selector.indexOf('.') != -1) { //selector是class的情況
            var dom = document.getElementsByClassName(selector.slice(1));
        } else if (typeof selector === 'string' && selector.indexOf("#") != -1) { //selector是id的情況
            var dom = document.getElementById(selector.slice(1));
        }

        if (selector instanceof Element || dom.length == undefined) { //(selector是dom對象) || (selector是id,返回的是一個對象,對象沒有length屬性)
            this[0] = dom || selector; //(selector是id) || (selector是dom對象)
            this.length++;
        } else { //selector是class,返回的是一個類數組
            for (var i = 0; i < dom.length; i++) {
                this[i] = dom[i];
                this.length++;
            }
        }
    };

    //為jQuery的原型添加css屬性,所有實例可以使用該屬性
    jQuery.prototype.css = function (config) {
        for (var i = 0; i < this.length; i++) {
            for (var prop in config) {
                this[i].style[prop] = config[prop];
            }
        }

        return this; //鏈式調用的精髓
    };

    //為jQuery對象的prevObject屬性賦值,從而可以使用end()方法
    jQuery.prototype.pushStack = function (dom) {
        //dom是jQuery對象
        if (dom.constructor != jQuery) { //dom是原生的dom對象
            dom = jQuery(dom); //將原生dom對象包裹成jQuery對象
        }
        dom.prevObject = this; //

        return dom;
    };

    //為jQuery的原型添加get屬性,所有實例可以使用該屬性
    jQuery.prototype.get = function (num) {
        //num == null 返回數組
        //num >= 0 返回this[num]
        //num < 0 返回this[length + num]
        return (num != null) ? ((num >= 0) ? (this[num]) : (this[num + this.length])) : ([].slice(this, 0));
    };

    //為jQuery的原型添加get屬性,所有實例可以使用該屬性
    jQuery.prototype.eq = function (num) {
        return this.pushStack(this.get(num)); //調用jQuery.prototype.get()函數獲取到dom對象,再封裝為jQuery對象並且為jQuery對象添加prevObject屬性
    };

    //為jQuery的原型添加add屬性,所有實例可以使用該屬性
    jQuery.prototype.add = function (selector) {
        var curObj = jQuery(selector); //當前通過add添加的selector選中的jQuery對象
        var prevObj = this; //調用add()的jQuery對象
        var newObj = jQuery();

        for (var i = 0; i < curObj.length; i++) {
            newObj[newObj.length++] = curObj[i];
        }

        for (var i = 0; i < prevObj.length; i++) {
            newObj[newObj.length++] = prevObj[i];
        }

        this.pushStack(newObj); //為jQuery對象添加prevObject屬性

        return newObj; //將合併後的jQuery對象返回
    };

    //為jQuery的原型添加end屬性,所有實例可以使用該屬性
    jQuery.prototype.end = function () {
        return this.prevObject; //直接返回前一個jQuery對象
    };

    //為jQuery的原型添加on屬性,所有實例可以使用該屬性
    jQuery.prototype.on = function (type, handle) {
        for (var i = 0; i < this.length; i++) {
            if (!this[i].cacheEvent) {//判斷每一個原生dom對象中是否有事件
                this[i].cacheEvent = {}; //為每一個原生的dom對象添加綁定事件
            }
            if (!this[i].cacheEvent[type]) {//判斷每一個原生對象是否有type類型的綁定事件
                this[i].cacheEvent[type] = [handle];//沒有則為該類型事件添加處理函數數組
            } else {
                this[i].cacheEvent[type].push(handle);//若已經有該類型事件,則直接放入數組
            }
        }
    };

    //為jQuery的原型添加trigger屬性,所有實例可以使用該屬性
    jQuery.prototype.trigger = function (type) {
        var self = this;//將調用trigger函數的jQuery對象存放在self中
        var params = arguments.length > 1 ? [].slice.call(arguments, 1) : [];//判斷調用trigger()函數時是否傳入除了type以外的其他參數
        for (var i = 0; i < this.length; i++) {//迴圈遍歷this
            if (this[i].cacheEvent[type]) {//判斷每個原生dom對象中是否存放有type類型的事件
                this[i].cacheEvent[type].forEach(function (ele, index) {//有多個相同類型的事件時,要全部依次執行
                    ele.apply(self, params);//通過self調用事件,並且把參數傳入
                });
            }
        }
    };

    //為jQuery的原型添加queue屬性,所有實例可以使用該屬性
    jQuery.prototype.queue = function (type, handle) {
        var queueObj = this;//jQuery對象
        var queueName = arguments[0] || 'fx';//第一個形參,為隊列名稱
        var addFunc = arguments[1] || null;//第二個形參,是處理函數
        var len = arguments.length;//獲取形參個數

        //若只傳了一個參數type,則直接返回隊列數組
        if(len == 1){
            return queueObj[0][queueName];
        }

        //取出jQuery中的dom對象,為dom對象添加隊列事件
        queueObj[0][queueName] == undefined ? (queueObj[0][queueName] = [addFunc]) : (queueObj[0][queueName].push(addFunc));
        
        return this;
    };

    //為jQuery的原型添加dequeue屬性,所有實例可以使用該屬性
    jQuery.prototype.dequeue = function (type) {
        var self = this;
        var queueName = arguments[0] || 'fx';
        var queueArr = this.queue(queueName);

        var currFunc = queueArr.shift();
        if(currFunc == undefined){
            return ;
        }

        var next = function(){
            self.dequeue(queueName);
        }

        currFunc(next);
        return this;
    };

    //為jQuery添加Callbacks屬性,jQuery可以使用該屬性
    jQuery.Callbacks = function () {
        // 'once' 'memory' 'once memory' null
        
        var options = arguments[0] || '';// 存儲參數
        //存儲add來加入的方法
        var list = [];

        var fireIndex = 0;//記錄當前要執行函數的索引

        var fired = false;//記錄方法是否被fire過

        var args = [];//實際參數列表

        var fire = function(){
            for(; fireIndex < list.length; fireIndex++){
                list[fireIndex].apply(window, args)
            }
            if(options.indexOf('once') != -1){
                list = [];
                fireIndex = 0;
            }
        }

        return {
            add: function(func){
                list.push(func);
                if(options.indexOf('memory') != -1 && fired){//參數是'memory' && 已經執行過fired
                    fire();//接著執行後面add的函數
                }
                return this;
            },
            fire: function(){
                fireIndex = 0;
                fired = true;//
                args = arguments;
                fire();
            }
        }
    };

    //上面的jQuery構造函數是new 一個jQuery.prototype.init對象,
    //jQuery.prototype.init對象上沒有jQuery.prototype上的css()方法
    //所以添加下麵一句,讓jQuery.prototype.init對象可以調用jQuery.prototype上的css()方法
    jQuery.prototype.init.prototype = jQuery.prototype;

    //讓外部可以通過$()或者jQuery()調用
    window.$ = window.jQuery = jQuery;
}());
myJquery.js

調用$.Callbacks()方法:

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Document</title>
</head>
<body>
    <script src="./myJquery.js"></script>
    <script>
        var cb = $.Callbacks();
        function a(){
            console.log("a null");
        }
        function b(){
            console.log("b null");
        }
        cb.add(a);
        cb.add(b);
        cb.fire();
        cb.fire();


        var cb = $.Callbacks('once');
        function c(){
            console.log("c once");
        }
        function d(){
            console.log("d once");
        }
        cb.add(c);
        cb.add(d);
        cb.fire();
        cb.fire();


        var cb = $.Callbacks('memory');
        function e(){
            console.log("e memory");
        }
        
        cb.add(e);
        cb.fire();
        function f(){
            console.log("f memory");
        }
        cb.add(f);
        cb.fire();
    </script>
</body>
</html>
index.html

效果展示:

 

 

(function () {     //創建一個jQuery構造函數     function jQuery(selector) {         return new jQuery.prototype.init(selector);     }     //為jQuery的原型添加init屬性,所有實例可以使用該屬性     jQuery.prototype.init = function (selector) {         this.length = 0//為this添加length屬性,並且賦值為0         //選出 dom 並且包裝成jQuery對象返回         //判斷selector是null 和 undefined 和 dom對象 和 id 和 class的情況         if (selector == null) { //判斷selector是null或undefined             return this;         } else if (typeof selector === 'string' && selector.indexOf('.') != -1) { //selector是class的情況             var dom = document.getElementsByClassName(selector.slice(1));         } else if (typeof selector === 'string' && selector.indexOf("#") != -1) { //selector是id的情況             var dom = document.getElementById(selector.slice(1));         }
        if (selector instanceof Element || dom.length == undefined) { //(selector是dom對象) || (selector是id,返回的是一個對象,對象沒有length屬性)             this[0] = dom || selector//(selector是id) || (selector是dom對象)             this.length++;         } else { //selector是class,返回的是一個類數組             for (var i = 0i < dom.lengthi++) {                 this[i] = dom[i];                 this.length++;             }         }     };
    //為jQuery的原型添加css屬性,所有實例可以使用該屬性     jQuery.prototype.css = function (config) {         for (var i = 0i < this.lengthi++) {             for (var prop in config) {                 this[i].style[prop] = config[prop];             }         }
        return this//鏈式調用的精髓     };
    //為jQuery對象的prevObject屬性賦值,從而可以使用end()方法     jQuery.prototype.pushStack = function (dom) {         //dom是jQuery對象         if (dom.constructor != jQuery) { //dom是原生的dom對象             dom = jQuery(dom); //將原生dom對象包裹成jQuery對象         }         dom.prevObject = this//將
        return dom;     };
    //為jQuery的原型添加get屬性,所有實例可以使用該屬性     jQuery.prototype.get = function (num) {         //num == null 返回數組         //num >= 0 返回this[num]         //num < 0 返回this[length + num]         return (num != null) ? ((num >= 0) ? (this[num]) : (this[num + this.length])) : ([].slice(this0));     };
    //為jQuery的原型添加get屬性,所有實例可以使用該屬性     jQuery.prototype.eq = function (num) {         return this.pushStack(this.get(num)); //調用jQuery.prototype.get()函數獲取到dom對象,再封裝為jQuery對象並且為jQuery對象添加prevObject屬性     };
    //為jQuery的原型添加add屬性,所有實例可以使用該屬性     jQuery.prototype.add = function (selector) {         var curObj = jQuery(selector); //當前通過add添加的selector選中的jQuery對象         var prevObj = this//調用add()的jQuery對象         var newObj = jQuery();
        for (var i = 0i < curObj.lengthi++) {             newObj[newObj.length++] = curObj[i];         }
        for (var i = 0i < prevObj.lengthi++) {             newObj[newObj.length++] = prevObj[i];         }
        this.pushStack(newObj); //為jQuery對象添加prevObject屬性
        return newObj//將合併後的jQuery對象返回     };
    //為jQuery的原型添加end屬性,所有實例可以使用該屬性     jQuery.prototype.end = function () {         return this.prevObject//直接返回前一個jQuery對象     };
    //為jQuery的原型添加on屬性,所有實例可以使用該屬性     jQuery.prototype.on = function (typehandle) {         for (var i = 0i < this.lengthi++) {             if (!this[i].cacheEvent) {//判斷每一個原生dom對象中是否有事件                 this[i].cacheEvent = {}; //為每一個原生的dom對象添加綁定事件             }             if (!this[i].cacheEvent[type]) {//判斷每一個原生對象是否有type類型的綁定事件                 this[i].cacheEvent[type] = [handle];//沒有則為該類型事件添加處理函數數組             } else {                 this[i].cacheEvent[type].push(handle);//若已經有該類型事件,則直接放入數組             }         }     };
    //為jQuery的原型添加trigger屬性,所有實例可以使用該屬性     jQuery.prototype.trigger = function (type) {         var self = this;//將調用trigger函數的jQuery對象存放在self中         var params = arguments.length > 1 ? [].slice.call(arguments1) : [];//判斷調用trigger()函數時是否傳入除了type以外的其他參數         for (var i = 0i < this.lengthi++) {//迴圈遍歷this             if (this[i].cacheEvent[type]) {//判斷每個原生dom對象中是否存放有type類型的事件                 this[i].cacheEvent[type].forEach(function (eleindex) {//有多個相同類型的事件時,要全部依次執行                     ele.apply(selfparams);//通過self調用事件,並且把參數傳入                 });             }         }     };
    //為jQuery的原型添加queue屬性,所有實例可以使用該屬性     jQuery.prototype.queue = function (typehandle) {         var queueObj = this;//jQuery對象         var queueName = arguments[0] || 'fx';//第一個形參,為隊列名稱         var addFunc = arguments[1] || null;//第二個形參,是處理函數         var len = arguments.length;//獲取形參個數
        //若只傳了一個參數type,則直接返回隊列數組         if(len == 1){             return queueObj[0][queueName];         }
        //取出jQuery中的dom對象,為dom對象添加隊列事件         queueObj[0][queueName] == undefined ? (queueObj[0][queueName] = [addFunc]) : (queueObj[0][queueName].push(addFunc));                  return this;     };
    //為jQuery的原型添加dequeue屬性,所有實例可以使用該屬性     jQuery.prototype.dequeue = function (type) {         var self = this;         var queueName = arguments[0] || 'fx';         var queueArr = this.queue(queueName);
        var currFunc = queueArr.shift();         if(currFunc == undefined){             return ;         }
        var next = function(){             self.dequeue(queueName);         }
        currFunc(next);         return this;     };
    //為jQuery添加Callbacks屬性,jQuery可以使用該屬性     jQuery.Callbacks = function () {         // 'once' 'memory' 'once memory' null                  var options = arguments[0] || '';// 存儲參數         //存儲add來加入的方法         var list = [];
        var fireIndex = 0;//記錄當前要執行函數的索引
        var fired = false;//記錄方法是否被fire過
        var args = [];//實際參數列表
        var fire = function(){             for(; fireIndex < list.lengthfireIndex++){                 list[fireIndex].apply(windowargs)             }             if(options.indexOf('once') != -1){                 list = [];                 fireIndex = 0;             }         }
        return {             add: function(func){                 list.push(func);                 if(options.indexOf('memory') != -1 && fired){//參數是'memory' && 已經執行過fired                     fire();//接著執行後面add的函數                 }                 return this;             },             fire: function(){                 fireIndex = 0;                 fired = true;
您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 一、什麼是游標? 游標(Cursor)是處理數據的一種方法,為了查看或者處理結果集中的數據,游標提供了在結果集中一次一行或者多行前進或向後瀏覽數據的能力。 游標實際上是一種能從包括多條數據記錄的結果集中每次提取一條記錄的機制。游標可以被看作是一個查詢結果集(可以是零條、一條或由相關的選擇語句檢索出的 ...
  • 使用 YEAR(), MONTH(), DAY() 來獲取年月日 SELECT YEAR(application_date) as years, count(1) FROM patent GROUP BY YEAR(application_date) ORDER BY years -- YEAR(a ...
  • 主從同步遇到 Got fatal error 1236 from master when reading data from binary log: 'Could not find first log file name in binary log index file'時怎麼解決? 首先遇到這個是... ...
  • 本文介紹Druid查詢數據的方式,首先我們保證數據已經成功載入。 Druid查詢基於HTTP,Druid提供了查詢視圖,並對結果進行了格式化。 Druid提供了三種查詢方式,SQL,原生JSON,CURL。 一、SQL查詢 我們用wiki的數據為例 查詢10條最多的頁面編輯 提交sql 還可以通過H ...
  • 前段時間嘗試了最新版的AndroidStudio3.6,整體來說gradle調試和自帶的虛擬機相比較歷史版本有了更香的體驗。 剛好有個新項目,就直接使用最新版了,這次新版的升級除了保持原有的界面風格,主要還是優化了編譯速度的短板問題,所以新項目很快就開發完成了。然而在打包的時候卻出了點小插曲,下麵先 ...
  • 1.1. 首先推薦幾本教材: http://www.bignerdranch.com/we-write/objective-c-programming.html http://www.bignerdranch.com/we-write/ios-programming.html (這兩本書都有中文版的 ...
  • jQuery工具方法$.Deferred()簡單實現: (function () { //創建一個jQuery構造函數 function jQuery(selector) { return new jQuery.prototype.init(selector); } //為jQuery的原型添加in ...
  • 1. 打開Automator 2. 選擇Application 程式 3. 選擇shell指令 4. 輸入chrome跨域指令 5. 重命名並將指令快捷程式保存到Application中 6. 每次直接從launchpad打開chrome跨域瀏覽器 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...