Home Web Front-end JS Tutorial Methods of data operation in jQuery and the definition of jQuery

Methods of data operation in jQuery and the definition of jQuery

Aug 04, 2018 pm 04:36 PM
javascript jquery

This article introduces to you the methods of data operation in jQuery and the definition of jQuery. It has certain reference value. Friends in need can refer to it. I hope it will be helpful to you.

There are two methods for data operations in jQuery

$().data()

$.data(elem);
Copy after login

The internal implementation is inseparable from custom classesData

Internal classesData

##Data is defined in src/data/Data.js, and the expando attribute is added to the instance when building, as a unique Identification

function Data() {
    this.expando = jQuery.expando + Data.uid++;
}
Copy after login
Added multiple methods on the prototype

Data.prototype = {
    cache: function(){
        ...
    },
    set: function(){
        ...
    },
    get: function(){
        ...
    },
    access: function(){
        ...
    },
    remove: function(){
        ...
    },
    hasData: function(){
        ...
    }
}
Copy after login
Inside jq, use the cache method to obtain cached data. Pass in a parameter owner, indicating the object to obtain cached data. Determine whether there is an expando attribute on the owner. If not, it indicates whether the owner is called for the first time and needs to initialize the cache data object. Determine the type of node. If it is an element node, document node or object, you can set cache data. If it is an element node or document node, use object literals directly for assignment. The attribute name is expando and the value is an empty object. If it is an object, use

Object.defineProperty to define data for it. The property name is also expando and initialized to {}. At the same time, the property descriptor can be changed and cannot be enumerated.

Data.prototype.cache
    cache: function( owner ) {

        // Check if the owner object already has a cache
        // 获取在owner的缓存值
        var value = owner[ this.expando ];

        // If not, create one
        if ( !value ) {
            value = {};

            // We can accept data for non-element nodes in modern browsers,
            // but we should not, see #8335.
            // Always return an empty object.
            // 判断owener类型 是否能在其上调用data
            // 在元素节点或body或对象上可以设置data
            // 其他节点不设置缓存数据
            if ( acceptData( owner ) ) {

                // If it is a node unlikely to be stringify-ed or looped over
                // use plain assignment
                // 此处为owner添加属性 key为Data对象的expando值 建立owner和Data对象之间的连接
                // owner是元素节点或body
                if ( owner.nodeType ) {
                    owner[ this.expando ] = value;

                // Otherwise secure it in a non-enumerable property
                // configurable must be true to allow the property to be
                // deleted when data is removed
                // owner是对象
                // 为owner添加expando属性 初始化为{},同时属性描述符可以更改,不可枚举
                } else {
                    Object.defineProperty( owner, this.expando, {
                        value: value,
                        configurable: true
                    } );
                }
            }
        }

        return value;
    }
Copy after login

Use

set to update the cache object, which is divided into data(key,value) or data(obj) In both calling cases, the key name must be saved in camel case when saving.

Data.prototype.set
    set: function( owner, data, value ) {
        var prop,
            cache = this.cache( owner );

        // Handle: [ owner, key, value ] args
        // Always use camelCase key (gh-2257)
        if ( typeof data === "string" ) {
            cache[ jQuery.camelCase( data ) ] = value;

        // Handle: [ owner, { properties } ] args
        } else {

            // Copy the properties one-by-one to the cache object
            for ( prop in data ) {
                cache[ jQuery.camelCase( prop ) ] = data[ prop ];
            }
        }
        return cache;
    }
Copy after login

Use

get to obtain the cache object. When calling, there is data(key) and data(). If the key is not specified, the entire cache object is returned directly, otherwise cache[key] is returned. Key names must also be converted to camel case.

Data.prototype.get
    get: function( owner, key ) {
        return key === undefined ?
            this.cache( owner ) :

            // Always use camelCase key (gh-2257)
            owner[ this.expando ] && owner[ this.expando ][ jQuery.camelCase( key ) ];
    }
Copy after login

distinguishes the calling method, internally calling

set or get

Distinguish by the number and type of parameters:

  • When the key is empty, get the entire cache object

  • The key type is

    string and value===undefined corresponds to obtaining the specified value

  • Other calls are

    set, in setInternal differentiation

##Data.prototype.access

<div class="code" style="position:relative; padding:0px; margin:0px;"><pre class="brush:php;toolbar:false">    access: function( owner, key, value ) {         // In cases where either:         //         //   1. No key was specified         //   2. A string key was specified, but no value provided         //         // Take the &quot;read&quot; path and allow the get method to determine         // which value to return, respectively either:         //         //   1. The entire cache object         //   2. The data stored at the key         //         if ( key === undefined ||                 ( ( key &amp;&amp; typeof key === &quot;string&quot; ) &amp;&amp; value === undefined ) ) {             return this.get( owner, key );         }         // When the key is not a string, or both a key and value         // are specified, set or extend (existing objects) with either:         //         //   1. An object of properties         //   2. A key and value         //         this.set( owner, key, value );         // Since the &quot;set&quot; path can have two possible entry points         // return the expected data based on which path was taken[*]         return value !== undefined ? value : key;     }</pre><div class="contentsignin">Copy after login</div></div>Use

remove

to delete cached object attributes , when calling, you can pass in a string representing the key name to be deleted, or pass in a string array that holds multiple key names. Key names must also be converted to camel case. If no parameters are passed in or out, the cached data object on the owner will be deleted directly.

Data.prototype.remove

<div class="code" style="position:relative; padding:0px; margin:0px;"><pre class="brush:php;toolbar:false">    remove: function( owner, key ) {         var i,             cache = owner[ this.expando ];         if ( cache === undefined ) {             return;         }         if ( key !== undefined ) {             // Support array or space separated string of keys             if ( Array.isArray( key ) ) {                 // If key is an array of keys...                 // We always set camelCase keys, so remove that.                 key = key.map( jQuery.camelCase );             } else {                 key = jQuery.camelCase( key );                 // If a key with the spaces exists, use it.                 // Otherwise, create an array by matching non-whitespace                 key = key in cache ?                     [ key ] :                     ( key.match( rnothtmlwhite ) || [] );             }             i = key.length;             while ( i-- ) {                 delete cache[ key[ i ] ];             }         }         // Remove the expando if there's no more data         if ( key === undefined || jQuery.isEmptyObject( cache ) ) {             // Support: Chrome &lt;=35 - 45 // Webkit &amp; Blink performance suffers when deleting properties // from DOM nodes, so set to undefined instead // https://bugs.chromium.org/p/chromium/issues/detail?id=378607 (bug restricted) if ( owner.nodeType ) { owner[ this.expando ] = undefined; } else { delete owner[ this.expando ]; } } }</pre><div class="contentsignin">Copy after login</div></div>Determine whether there is cached data on the owner.

Data.prototype.hasData

<div class="code" style="position:relative; padding:0px; margin:0px;"><pre class="brush:php;toolbar:false"> hasData: function( owner ) { var cache = owner[ this.expando ]; return cache !== undefined &amp;&amp; !jQuery.isEmptyObject( cache ); }</pre><div class="contentsignin">Copy after login</div></div>

Definition of jQuery method

Inner class after definition

data

After that, expand in /src/data.js. Added hasData, data, removeData, _data, _removeData and other methods to jQuery, in jQuery.fn Added data and removeData methods. The methods expanded in jQuery are all encapsulations of the Data method. When calling

$.data()

, there is no pairing of set and The get operation is distinguished, and set and get are distinguished internally in Data.prototype.access. In the source code below, dataUser and dataPriv are Data instances, which respectively cache data and indicate whether the jq object adds the element's data attribute to dataUser<div class="code" style="position:relative; padding:0px; margin:0px;"><pre class="brush:php;toolbar:false">// $.data jQuery.extend( { hasData: function( elem ) { return dataUser.hasData( elem ) || dataPriv.hasData( elem ); }, data: function( elem, name, data ) { return dataUser.access( elem, name, data ); }, removeData: function( elem, name ) { dataUser.remove( elem, name ); }, // TODO: Now that all calls to _data and _removeData have been replaced // with direct calls to dataPriv methods, these can be deprecated. _data: function( elem, name, data ) { return dataPriv.access( elem, name, data ); }, _removeData: function( elem, name ) { dataPriv.remove( elem, name ); } } );</pre><div class="contentsignin">Copy after login</div></div>The only methods extended on

jQuery.fn

are data and removeData. In data, first handle the two calling situations $().data() and $().data({k:v}) . If it is the first case, the cached data object on this[0] is returned. If it is the first time to call $().data(), at the same time The data attribute on the element will also be added to dataUser, and dataPriv will be updated. If it is the calling method of $().data({k:v}), the jq object is traversed and the cached data is updated for each node. Other calling methods such as $().data(k) and $().data(k,v) call access for processing. The access here is not Data.prototype.access.

removeData

Traverse the jq object and delete the cached data on each node. <div class="code" style="position:relative; padding:0px; margin:0px;"><pre class="brush:php;toolbar:false">// $().data jQuery.fn.extend( { data: function( key, value ) { var i, name, data, elem = this[ 0 ], // elem为dom对象 attrs = elem &amp;&amp; elem.attributes; // 节点上的属性 // Gets all values // $().data() if ( key === undefined ) { if ( this.length ) { data = dataUser.get( elem ); // elem是元素节点,且dataPriv中无hasDataAttrs时执行这个代码块里的代码 // dataPriv上的hasDataAttrs表示elem是否有data-xxx属性 // 初始化dataPriv后花括号内的代码不再执行,即以下的if内的代码只执行一次 if ( elem.nodeType === 1 &amp;&amp; !dataPriv.get( elem, &quot;hasDataAttrs&quot; ) ) { i = attrs.length; while ( i-- ) { // Support: IE 11 only // The attrs elements can be null (#14894) // 将elem的data-*-*属性以*-*转为驼峰命名方式的值为键 // 在dataAttr函数内保存到dataUser中 // 所以用$().data可以获取元素的data-*属性 但修改后dom上的属性却不变化 if ( attrs[ i ] ) { name = attrs[ i ].name; // name为data-xxx if ( name.indexOf( &quot;data-&quot; ) === 0 ) { // name为xxx name = jQuery.camelCase( name.slice( 5 ) ); dataAttr( elem, name, data[ name ] ); } } } // 同时将dataPriv的hasDataAttrs属性设置为真,表示已经将元素属性节点上的data属性保存到缓存对象中 dataPriv.set( elem, &quot;hasDataAttrs&quot;, true ); } } return data; } // Sets multiple values // $().data(obj) 此处遍历this,即遍历jq对象上所有的节点,并在其设置值 if ( typeof key === &quot;object&quot; ) { return this.each( function() { dataUser.set( this, key ); } ); } // 除了$().data()和$().data({k:v})的其他情况 return access( this, function( value ) { var data; // The calling jQuery object (element matches) is not empty // (and therefore has an element appears at this[ 0 ]) and the // `value` parameter was not undefined. An empty jQuery object // will result in `undefined` for elem = this[ 0 ] which will // throw an exception if an attempt to read a data cache is made. // value undefined说明是获取操作 // 调用$().data(k) if ( elem &amp;&amp; value === undefined ) { // Attempt to get data from the cache // The key will always be camelCased in Data // 从dataUser中获取 非undefined时返回 data = dataUser.get( elem, key ); if ( data !== undefined ) { return data; } // Attempt to &quot;discover&quot; the data in // HTML5 custom data-* attrs // dataUser中不存在key,调用dataAttr查找元素的data-*属性 // 如果存在属性,更新dataUser并返回其值 data = dataAttr( elem, key ); if ( data !== undefined ) { return data; } // We tried really hard, but the data doesn&amp;#39;t exist. return; } // Set the data... // jq对象长度 &gt;= 1, 调用如$().data(k,v) 遍历jq对象,为每个节点设置缓存数据             this.each( function() {                 // We always store the camelCased key                 dataUser.set( this, key, value );             } );         }, null, value, arguments.length &gt; 1, null, true );     },     // 遍历jq对象,删除各个元素上的缓存数据     removeData: function( key ) {         return this.each( function() {             dataUser.remove( this, key );         } );     } } );</pre><div class="contentsignin">Copy after login</div></div>Among them, getData

is used to perform type conversion on the data attribute on the element, and dataAttr is used to obtain the data attribute saved on the element node and update it at the same time. dataUser. It should be noted that when calling in the $().data(k, v) method, if the attribute cannot be found on the cached data, dataAttr will be called to find the attribute on the element. . <div class="code" style="position:relative; padding:0px; margin:0px;"><pre class="brush:php;toolbar:false">// 属性值是string 进行类型转换 function getData( data ) {     if ( data === &quot;true&quot; ) {         return true;     }     if ( data === &quot;false&quot; ) {         return false;     }     if ( data === &quot;null&quot; ) {         return null;     }     // Only convert to a number if it doesn't change the string     // data转化成number再转成string后仍严格等于data     if ( data === +data + &quot;&quot; ) {         return +data;     }     if ( rbrace.test( data ) ) {         return JSON.parse( data );     }     return data; } // 获取元素的dataset中的属性,并保存到dataUser中 function dataAttr( elem, key, data ) {     var name;     // If nothing was found internally, try to fetch any     // data from the HTML5 data-* attribute     // 此处获取dataset里的值     if ( data === undefined &amp;&amp; elem.nodeType === 1 ) {         name = &quot;data-&quot; + key.replace( rmultiDash, &quot;-$&amp;&quot; ).toLowerCase(); // 此处将驼峰命名方式的key转化为data-*-*         data = elem.getAttribute( name );         if ( typeof data === &quot;string&quot; ) {             try {                 data = getData( data );             } catch ( e ) {}             // Make sure we set the data so it isn't changed later             // 将元素的data-*属性保存到dataUser中             dataUser.set( elem, key, data );         } else {             data = undefined;         }     }     return data; }</pre><div class="contentsignin">Copy after login</div></div> Recommended related articles:

Introduction to two methods of Angular form validation

How to use JavaScript functions? Introduction to the properties and methods of JavaScript functions

The above is the detailed content of Methods of data operation in jQuery and the definition of jQuery. For more information, please follow other related articles on the PHP Chinese website!

Statement of this Website
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

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

Video Face Swap

Video Face Swap

Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

Detailed explanation of jQuery reference methods: Quick start guide Detailed explanation of jQuery reference methods: Quick start guide Feb 27, 2024 pm 06:45 PM

Detailed explanation of jQuery reference method: Quick start guide jQuery is a popular JavaScript library that is widely used in website development. It simplifies JavaScript programming and provides developers with rich functions and features. This article will introduce jQuery's reference method in detail and provide specific code examples to help readers get started quickly. Introducing jQuery First, we need to introduce the jQuery library into the HTML file. It can be introduced through a CDN link or downloaded

How to use PUT request method in jQuery? How to use PUT request method in jQuery? Feb 28, 2024 pm 03:12 PM

How to use PUT request method in jQuery? In jQuery, the method of sending a PUT request is similar to sending other types of requests, but you need to pay attention to some details and parameter settings. PUT requests are typically used to update resources, such as updating data in a database or updating files on the server. The following is a specific code example using the PUT request method in jQuery. First, make sure you include the jQuery library file, then you can send a PUT request via: $.ajax({u

How to remove the height attribute of an element with jQuery? How to remove the height attribute of an element with jQuery? Feb 28, 2024 am 08:39 AM

How to remove the height attribute of an element with jQuery? In front-end development, we often encounter the need to manipulate the height attributes of elements. Sometimes, we may need to dynamically change the height of an element, and sometimes we need to remove the height attribute of an element. This article will introduce how to use jQuery to remove the height attribute of an element and provide specific code examples. Before using jQuery to operate the height attribute, we first need to understand the height attribute in CSS. The height attribute is used to set the height of an element

jQuery Tips: Quickly modify the text of all a tags on the page jQuery Tips: Quickly modify the text of all a tags on the page Feb 28, 2024 pm 09:06 PM

Title: jQuery Tips: Quickly modify the text of all a tags on the page In web development, we often need to modify and operate elements on the page. When using jQuery, sometimes you need to modify the text content of all a tags in the page at once, which can save time and energy. The following will introduce how to use jQuery to quickly modify the text of all a tags on the page, and give specific code examples. First, we need to introduce the jQuery library file and ensure that the following code is introduced into the page: &lt

Use jQuery to modify the text content of all a tags Use jQuery to modify the text content of all a tags Feb 28, 2024 pm 05:42 PM

Title: Use jQuery to modify the text content of all a tags. jQuery is a popular JavaScript library that is widely used to handle DOM operations. In web development, we often encounter the need to modify the text content of the link tag (a tag) on ​​the page. This article will explain how to use jQuery to achieve this goal, and provide specific code examples. First, we need to introduce the jQuery library into the page. Add the following code in the HTML file:

How to tell if a jQuery element has a specific attribute? How to tell if a jQuery element has a specific attribute? Feb 29, 2024 am 09:03 AM

How to tell if a jQuery element has a specific attribute? When using jQuery to operate DOM elements, you often encounter situations where you need to determine whether an element has a specific attribute. In this case, we can easily implement this function with the help of the methods provided by jQuery. The following will introduce two commonly used methods to determine whether a jQuery element has specific attributes, and attach specific code examples. Method 1: Use the attr() method and typeof operator // to determine whether the element has a specific attribute

Understand the role and application scenarios of eq in jQuery Understand the role and application scenarios of eq in jQuery Feb 28, 2024 pm 01:15 PM

jQuery is a popular JavaScript library that is widely used to handle DOM manipulation and event handling in web pages. In jQuery, the eq() method is used to select elements at a specified index position. The specific usage and application scenarios are as follows. In jQuery, the eq() method selects the element at a specified index position. Index positions start counting from 0, i.e. the index of the first element is 0, the index of the second element is 1, and so on. The syntax of the eq() method is as follows: $("s

Introduction to how to add new rows to a table using jQuery Introduction to how to add new rows to a table using jQuery Feb 29, 2024 am 08:12 AM

jQuery is a popular JavaScript library widely used in web development. During web development, it is often necessary to dynamically add new rows to tables through JavaScript. This article will introduce how to use jQuery to add new rows to a table, and provide specific code examples. First, we need to introduce the jQuery library into the HTML page. The jQuery library can be introduced in the tag through the following code:

See all articles