핵심 기능은 다음과 같습니다:
jquery 정의 방법, 호출 방법 및 확장 방법. 핵심 메소드가 어떻게 구현되는지 마스터하는 것이 jQuery 소스 코드를 이해하는 열쇠입니다. 여기서 모든 것이 갑자기 명확해집니다.
1, 정의하는 방법, 즉 입구
// jQuery의 로컬 복사본 정의
var jQuery = function( selector, context ) {
// jQuery 객체는 실제로는 단지 init 생성자입니다 ' Enhanced'
Return new jQuery.fn.init(selector, context, rootjQuery);//jQuery 객체는 jQuery의 프로토타입인 jQuery.prototype.init}
constructor향상된 버전일 뿐입니다. , jQuery.fn .init
//객체 메소드 정의의 관계, 즉 $("xx")를 통해서만 호출할 수 있습니다.
jQuery.fn = jQuery.prototype = {
init:function( selector, context, rootjQuery ) {
return jQuery.makeArray( selector, this );
}
그 밖에도 많은 속성과 메서드가 있습니다 ,
속성은 다음과 같습니다: jquery, constructor, selector, length
메서드는 다음과 같습니다: toArray, get, pushStack, Each, Ready, Slice, first, last, eq, map, end, push, sort, splice
…
}
//나중 인스턴스화를 위해 init 함수에 jQuery 프로토타입 제공
jQuery.fn.init.prototype = jQuery .fn;
즉, $("xx")에는 인스턴스 메서드가 있으며 호출될 수 있습니다. . (jQuery.prototype에 정의된 메소드 호출)
jQuery는 왜 jQuery.fn.init 객체를 반환하나요?
jQuery = function( selector, context ) {
// jQuery 객체는 실제로는 'init 생성자'입니다. '
return new jQuery.fn.init( selector, context, rootjQuery );
}
jQuery.fn = jQuery.prototype = {
…
}
jQuery.fn.init.prototype = jQuery. fn;
Stackoverflow에서 비슷한 질문을 찾아보세요:
http://stackoverflow.com/questions/4754560/help-understanding-jquerys-jquery-fn-init-why-is-init-in-fn
또한 이것
http://stackoverflow.com/questions/1856890/why-does-jquery-use-new-jquery-fn-init-for-creating-jquery-object-but-i-can/1858537#1858537
나는 믿습니다 코드는 새로운 jQuery 개체를 인스턴스화할 때마다 new 키워드가 필요하지 않고 개체 구성 뒤에 있는 논리를 프로토타입에 위임하도록 이러한 방식으로 작성됩니다. 후자는 초기화 논리를 한 곳에 깔끔하게 유지하고 init를 재귀적으로 호출하여 전달된 인수와 올바르게 일치하는 객체를 구성하고 반환할 수 있도록 합니다.
jQuery .extend = jQuery.fn.extend = function() {
var target = 인수[0] || {};
return target;
}
$.extend에 지나지 않는 확장을 사용하는 것이 편리합니다. ({ }); 그리고 $.fn.extend({}); fn을 볼 때 jQuery.prototype을 이해하고 생각해 보면 좋을 것 같습니다.
이 범위를 다시 살펴보세요.
$.extend ->이것은 $-> this.aa()
$.fn.extend->이것은 $.fn-> )
첨부된 확장 구현 세부정보:
사용 시나리오:
1, 단 하나의 매개변수로 일부 기능을
확장합니다. 예: $.extend({f1:function(){},f2:function(){},f3:function(){}})
2, 여러 객체를 첫 번째 객체로 병합
(1) 얕은 copy에서 첫 번째 매개변수는 대상 객체입니다. 예를 들어
var a = {이름:”안녕하세요”}
var b = {나이:30}
$.extend(a,b);//a={이름:"안녕하세요",나이:30}
(2) Deep Copy, 첫 번째 매개변수는 TRUE, 두 번째 매개변수는 대상 객체입니다. 예를 들어
var a = {이름:{job:”it”}};
var b = {이름:{age: 30 }};
//$.extend(a,b);
$ .extend(true,a,b);
console.log(a);
jQuery.extend = jQuery.fn.extend = function() { var options, name, src, copy, copyIsArray, clone, target = arguments[0] || {}, i = 1, length = arguments.length, deep = false; // 是不是深复制 Handle a deep copy situation if ( typeof target === "boolean" ) { deep = target; target = arguments[1] || {}; // skip the boolean and the target i = 2; } // 不是对象类型 Handle case when target is a string or something (possible in deep copy) if ( typeof target !== "object" && !jQuery.isFunction(target) ) { target = {}; } // 扩展插件的情况 extend jQuery itself if only one argument is passed if ( length === i ) {//$.extend({f1:function(){},f2:function(){},f3:function(){}}) target = this;//this是$,或是$.fn --i; } for ( ; i < length; i++ ) {//可能有多个对象扩展到第一个对象上 // Only deal with non-null/undefined values if ( (options = arguments[ i ]) != null ) {//options是一个对象 // Extend the base object for ( name in options ) { src = target[ name ]; //src是target里已经存在的value(也可能不存在) copy = options[ name ];//copy是待合入的一个value // 防止循环引用 Prevent never-ending loop if ( target === copy ) {//例如:var a={};$.extend(a,{name:a});//可能导致循环引用 continue; } // if是深复制else是浅复制 Recurse if we're merging plain objects or arrays if ( deep && copy && ( jQuery.isPlainObject(copy) || (copyIsArray = jQuery.isArray(copy)) ) ) { if ( copyIsArray ) { copyIsArray = false; clone = src && jQuery.isArray(src) ? src : []; } else { clone = src && jQuery.isPlainObject(src) ? src : {}; } // 亮了,直至剥离至最深一层非对象类型,而且是逐个。Never move original objects, clone them target[ name ] = jQuery.extend( deep, clone, copy ); // Don't bring in undefined values } else if ( copy !== undefined ) { target[ name ] = copy;//target[ name ] = options[ name ]; } } } } // Return the modified object return target; };
작성 방법을 살펴보세요
jQuery.extend({
prop : ””
method:function(){}
});
이러한 메소드는 jQuery의 정적 속성이자 메소드(즉, 도구 메소드)임을 알 수 있습니다. 사용자 또는 내부용.
구체적으로 구현된 도구 속성 및 메소드는 (내부적으로 사용되는 속성 및 메소드도 표시되어 있습니다)
jQuery.extend({
Wait : 기다릴 파일 수에 대한 카운터(내부) HoldReady(): DOM 트리거를 소진합니다.
Ready(): DOM 트리거를 준비합니다.
isfunction(): 여부 함수
Isarray (): 배열인가요? ) : 숫자인지 여부
type() | |
nodeName() : 지정된 노드 이름인지 여부(내부)
Each() : 컬렉션 탐색
Trim() : 앞뒤 공백 제거
makeArray() : 클래스 배열을 실제 배열로 변환
inArray () : 숫자 그룹 버전 indexOf
이를
을 가리키도록 변경합니다. access() : 다기능 값 연산(내부) now() : 현재 시간
swap() : CSS 스왑(내부)
});
jQuery.ready.promise = function(){}; DOM의 비동기 작업 모니터링(내부)function isArraylike(){} 배열과 같은 판단(내부)
위 내용은 jquery의 핵심 함수 인스턴스를 구문 분석합니다.의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!