search
HomeWeb Front-endJS TutorialLearning about Callbacks of jQuery source code
Learning about Callbacks of jQuery source codeJul 09, 2018 am 10:57 AM
javascriptjquery

This article mainly introduces the learning of Callbacks of jQuery source code. It has a certain reference value. Now I share it with everyone. Friends in need can refer to it

JQuery source code learning of Callbacks

jQuery's ajax and deferred implement asynchronously through callbacks, and the core of their implementation is Callbacks.

Usage method

To use it, you must first create a new instance object. When creating, you can pass in the parameter flags to indicate restrictions on callback objects. The optional values ​​are as follows.

  • stopOnFalse: Stop triggering when the function in the callback function queue returns false

  • once: The callback function queue can only be triggered once

  • memory: Record the value passed in the last trigger queue, and add it to the queue The function takes the record value as argument and executes immediately.

  • unique: The functions in the function queue are all unique

var cb = $.Callbacks('memory');
cb.add(function(val){
    console.log('1: ' + val)
})
cb.fire('callback')
cb.add(function(val){
    console.log('2: ' + val)
})
// console输出
1: callback
2: callback

Callbacks provided A series of instance methods to manipulate the queue and view the status of the callback object.

  • add: Add a function to the callback queue, which can be a function or a function array

  • remove: Delete the specified function from the callback queue

  • has: Determine whether a function exists in the callback queue

  • empty: Clear the callback queue

  • disable: Disable adding functions and trigger queues, clear the callback queue and the last incoming value

  • disabled: Determine whether the callback object is disabled

  • lock: Disablefire , if memory is not empty, add will be invalid at the same time

  • locked: Determine whether lock

  • # is called
  • ##fireWith: Pass in context and parameters, trigger the queue

  • fire: Pass in parameters Trigger object, context is the callback object

Source code analysis

$.Callback()The method defines multiple Local variables and methods are used to record the status of the callback object and function queue, etc., and return self. The above callback object methods are implemented in self, and the user can only pass self Provides methods to change the callback object. The advantage of this is to ensure that there is no other way to modify the status and queue of the callback object except self.

Among them,

firingIndex is the index of the current triggering function in the queue, list is the callback function queue, memory records the parameters of the last trigger , used when memory is passed in when the callback object is instantiated, queue saves the context and parameters passed in when each callback is executed. self.fire(args) is actually self.fireWith(this, args), self.fireWith internally calls Callbacks Defined local function fire.

    ...
    // 以下变量和函数 外部无法修改,只能通过self暴露的方法去修改和访问
    var // Flag to know if list is currently firing
        firing,

        // Last fire value for non-forgettable lists
        // 保存上一次触发callback的参数,调用add之后并用该参数触发
        memory,

        // Flag to know if list was already fired
        fired,

        // Flag to prevent firing
        // locked==true fire无效 若memory非空则同时add无效
        locked,

        // Actual callback list
        // callback函数数组
        list = [],

        // Queue of execution data for repeatable lists
        // 保存各个callback执行时的context和传入的参数
        queue = [],

        // Index of currently firing callback (modified by add/remove as needed)
        // 当前正触发callback的索引
        firingIndex = -1,

        // Fire callbacks
        fire = function() {
            ...
        },
        
        // Actual Callbacks object
        self = {
            // Add a callback or a collection of callbacks to the list
            add: function() {
                ...
            },
            ...
            // Call all callbacks with the given context and arguments
            fireWith: function( context, args ) {
                if ( !locked ) {
                    args = args || [];
                    args = [ context, args.slice ? args.slice() : args ]; // :前为args是数组,:后是string
                    queue.push( args );
                    if ( !firing ) {
                        fire();
                    }
                }
                return this;
            },

            // Call all the callbacks with the given arguments
            fire: function() {
                self.fireWith( this, arguments );
                return this;
            },
            ...
        }
Add the function to the callback queue through

self.add, the code is as follows. First determine whether memory is not being triggered. If so, move fireIndex to the end of the callback queue and save memory. Then use the immediate execution function expression to implement the add function, traverse the incoming parameters in this function, and determine whether to add it to the queue after performing type judgment. If the callback object has the unique flag, you must also judge the Whether the function already exists in the queue. If the callback object has the memory flag, fire will be triggered after the addition is completed to execute the newly added function. The

            add: function() {
                if ( list ) {

                    // If we have memory from a past run, we should fire after adding
                    // 如果memory非空且非正在触发,在queue中保存memory的值,说明add后要执行fire
                    // 将firingIndex移至list末尾 下一次fire从新add进来的函数开始
                    if ( memory && !firing ) {
                        firingIndex = list.length - 1;
                        queue.push( memory );
                    }

                    ( function add( args ) {
                        jQuery.each( args, function( _, arg ) {
                            // 传参方式为add(fn)或add(fn1,fn2)
                            if ( jQuery.isFunction( arg ) ) {
                                /**
                                 * options.unique==false
                                 * 或
                                 * options.unique==true&&self中没有arg
                                 */
                                if ( !options.unique || !self.has( arg ) ) {
                                    list.push( arg );
                                }
                            } else if ( arg && arg.length && jQuery.type( arg ) !== "string" ) {
                                // 传参方式为add([fn...]) 递归
                                // Inspect recursively
                                add( arg );
                            }
                        } );
                    } )( arguments ); //arguments为参数数组 所以add的第一步是each遍历

                    //添加到list后若memory真则fire,此时firingIndex为回调队列的最后一个函数
                    if ( memory && !firing ) {
                        fire();
                    }
                }
                return this;
            }

fire and fireWith methods actually call the local function fire, and the code is as follows. When triggered, fired and firing need to be updated to indicate that it has been triggered and is being triggered. Execute the functions in the queue through a for loop. After ending the loop, update firingIndex to -1, indicating that the next firing starts from the first function in the queue. Traverse the queue updated in fireWith, queue is the array that holds the array, and the first element of each array is context ,The second element is the parameter array. When executing the function, check whether false is returned and the callback object has the stopOnFalse flag. If so, stop triggering.

// Fire callbacks
        fire = function() {

            // Enforce single-firing
            // 执行单次触发
            locked = locked || options.once;

            // Execute callbacks for all pending executions,
            // respecting firingIndex overrides and runtime changes
            // 标记已触发和正在触发
            fired = firing = true;
            // 循环调用list中的回调函数
            // 循环结束之后 firingIndex赋-1 下一次fire从list的第一个开始 除非firingIndex被修改过
            // 若设置了memory,add的时候会修改firingIndex并调用fire
            // queue在fireWith函数内被更新,保存了触发函数的context和参数
            for ( ; queue.length; firingIndex = -1 ) {
                memory = queue.shift();
                while ( ++firingIndex  <p></p>The above is the entire content of this article. I hope it will be helpful to everyone’s study. For more related content, please pay attention to the PHP Chinese website! <p></p>Related recommendations: <p></p><p class="comments-box-content">Introduction to js asynchronous for loop<a title="js 异步for循环的介绍" href="http://www.php.cn/js-tutorial-406261.html" target="_blank"></a><br></p><p class="mt20 ad-detail-mm hidden-xs">jQuery-Ajax requests Json data and loads it on the front-end page <a title="jQuery-Ajax请求Json数据并加载在前端页面" href="http://www.php.cn/js-tutorial-406260.html" target="_blank"></a><br></p>

The above is the detailed content of Learning about Callbacks of jQuery source code. For more information, please follow other related articles on the PHP Chinese website!

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
jquery实现多少秒后隐藏图片jquery实现多少秒后隐藏图片Apr 20, 2022 pm 05:33 PM

实现方法:1、用“$("img").delay(毫秒数).fadeOut()”语句,delay()设置延迟秒数;2、用“setTimeout(function(){ $("img").hide(); },毫秒值);”语句,通过定时器来延迟。

jquery怎么修改min-height样式jquery怎么修改min-height样式Apr 20, 2022 pm 12:19 PM

修改方法:1、用css()设置新样式,语法“$(元素).css("min-height","新值")”;2、用attr(),通过设置style属性来添加新样式,语法“$(元素).attr("style","min-height:新值")”。

axios与jquery的区别是什么axios与jquery的区别是什么Apr 20, 2022 pm 06:18 PM

区别:1、axios是一个异步请求框架,用于封装底层的XMLHttpRequest,而jquery是一个JavaScript库,只是顺便封装了dom操作;2、axios是基于承诺对象的,可以用承诺对象中的方法,而jquery不基于承诺对象。

jquery怎么在body中增加元素jquery怎么在body中增加元素Apr 22, 2022 am 11:13 AM

增加元素的方法:1、用append(),语法“$("body").append(新元素)”,可向body内部的末尾处增加元素;2、用prepend(),语法“$("body").prepend(新元素)”,可向body内部的开始处增加元素。

jquery中apply()方法怎么用jquery中apply()方法怎么用Apr 24, 2022 pm 05:35 PM

在jquery中,apply()方法用于改变this指向,使用另一个对象替换当前对象,是应用某一对象的一个方法,语法为“apply(thisobj,[argarray])”;参数argarray表示的是以数组的形式进行传递。

jquery怎么删除div内所有子元素jquery怎么删除div内所有子元素Apr 21, 2022 pm 07:08 PM

删除方法:1、用empty(),语法“$("div").empty();”,可删除所有子节点和内容;2、用children()和remove(),语法“$("div").children().remove();”,只删除子元素,不删除内容。

jquery on()有几个参数jquery on()有几个参数Apr 21, 2022 am 11:29 AM

on()方法有4个参数:1、第一个参数不可省略,规定要从被选元素添加的一个或多个事件或命名空间;2、第二个参数可省略,规定元素的事件处理程序;3、第三个参数可省略,规定传递到函数的额外数据;4、第四个参数可省略,规定当事件发生时运行的函数。

jquery怎么去掉只读属性jquery怎么去掉只读属性Apr 20, 2022 pm 07:55 PM

去掉方法:1、用“$(selector).removeAttr("readonly")”语句删除readonly属性;2、用“$(selector).attr("readonly",false)”将readonly属性的值设置为false。

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

Hot Tools

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

Powerful PHP integrated development environment

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

Safe Exam Browser

Safe Exam Browser

Safe Exam Browser is a secure browser environment for taking online exams securely. This software turns any computer into a secure workstation. It controls access to any utility and prevents students from using unauthorized resources.