Internet Explorer 브라우저 용 JavaScript에서 Array indexOf ()를 수정하는 방법


295

JavaScript를 오랫동안 사용 해본 적이 있다면 Internet Explorer가 Array.prototype.indexOf ()에 대한 ECMAScript 함수를 구현하지 않는다는 것을 알고 있습니다 (Internet Explorer 8 포함). 다음 코드를 사용하여 페이지의 기능을 확장 할 수 있기 때문에 큰 문제는 아닙니다.

Array.prototype.indexOf = function(obj, start) {
     for (var i = (start || 0), j = this.length; i < j; i++) {
         if (this[i] === obj) { return i; }
     }
     return -1;
}

언제 구현해야합니까?

프로토 타입 함수가 존재하는지 여부를 확인하고 그렇지 않은 경우 어레이 프로토 타입을 확장하는 다음 확인으로 모든 페이지에 랩핑해야합니까?

if (!Array.prototype.indexOf) {

    // Implement function here

}

또는 브라우저 확인을 수행하고 Internet Explorer 인 경우 구현합니까?

//Pseudo-code

if (browser == IE Style Browser) {

     // Implement function here

}

실제로 Array.prototype.indexOf는 ECMA-262 / ECMAScript의 일부가 아닙니다. 참조 ecma-international.org/publications/files/ECMA-ST/ECMA-262.pdf 어쩌면 당신은있는 거 생각 String.prototype.indexOf...
초승달 신선한

5
원래 표준의 일부가 아닌 확장입니다. 그러나 자바 스크립트 1.6 (IE는 실패)의 일부로 구현되어야한다. developer.mozilla.org/en/New_in_JavaScript_1.6
Josh Stodola

1
@Josh : 그냥 "IE는 ... ECMA 스크립트 기능을 구현하지 않습니다"를 언급했다
초승달 신선한

4
당신의 구현은 Array.indexOf부정적인 시작 지수를 고려하지 않습니다. 여기에서 Mozilla의 제안 중지 간격 구현을 참조하십시오. developer.mozilla.org/en/JavaScript/Reference/Global_Objects/…
nickf

3
사람들이 "=="로 문제를 복사 할 것이므로 걱정하지 않기 때문에 "==="를 사용하도록 질문을 업데이트했습니다. Eli Grey의 답변을 참조하십시오.
joshcomley

답변:


213

이렇게하세요 ...

if (!Array.prototype.indexOf) {

}

MDC 추천 호환성 .

일반적으로 브라우저 감지 코드는 크지 않습니다.


질문을 편집 할 충분한 담당자가 없지만 ECMAScript 용어를 제거하고 적절한 단어로 바꾸십시오. 다시 감사합니다
바비 Borszich

12
이런 종류의 감지를 사용하는 경우주의하십시오. 다른 라이브러리는이 기능을 테스트하기 전에이 기능을 구현할 수 있으며 표준을 준수하지 않을 수도 있습니다 (시제품이 얼마 전에 수행 한 것임). 내가 적대적인 환경 (많은 별개의 라이브러리를 사용하는 많은 다른 코더들)에서 일하고 있다면, 나는 이것들 중 어느 것도 믿지 않을 것입니다.
Pablo Cabrera

"링크 된"열 ---> 정말 편리합니다! 나는 여기에 답을 좋아한다 : stackoverflow.com/questions/1744310/…
gordon

모든 js 파일에 래핑해야합니까?
rd22

MDC는 정확히 누구입니까?
Ferrybig

141

또는 jQuery 1.2 inArray 함수를 사용할 수 있으며 이는 브라우저에서 작동합니다.

jQuery.inArray( value, array [, fromIndex ] )

'indexOf'는 네이티브 코드이므로 (오른쪽) jQuery 'inArray ()'는 사용 가능한 경우 native를 사용하고 그렇지 않은 경우 poly-fill과 같이 빠릅니다.
Jeach

10
좋아, 위의 내 의견에 대답하기 위해 방금 구현했으며 Chrome에서 'indexOf ()'를 사용할 때처럼 빠르지 만 IE 8에서는 매우 느립니다. 그래서 적어도 우리는 알고 있습니다 'inArray ()'는 가능한 경우 네이티브를 사용합니다.
Jeach

78

전체 코드는 다음과 같습니다.

if (!Array.prototype.indexOf) {
    Array.prototype.indexOf = function(obj, start) {
         for (var i = (start || 0), j = this.length; i < j; i++) {
             if (this[i] === obj) { return i; }
         }
         return -1;
    }
}

정말 철저하게 대답 코드 이것뿐만 아니라 다른 배열 함수의 스택 오버플로 질문 체크 아웃 인터넷 익스플로러 (같이 IndexOf의 Foreach 등)에 자바 스크립트 배열 함수를 수정 .


2
모든 것을 가지고 주셔서 감사합니다. 새 프로젝트에서 크로스 플랫폼 indexOf가 필요할 때마다이 페이지를 자주 방문하며 스 니펫은 전체 코드가있는 유일한 코드입니다. :)이 페이지를 자주 방문하면 몇 초가 더 걸립니다.
dylnmc 2016 년


10

를 사용하여 정의되어 있지 않은지 확인해야합니다 if (!Array.prototype.indexOf).

또한 구현 indexOf이 올바르지 않습니다. 당신 의 진술 ===대신에 사용해야 ==합니다 if (this[i] == obj). 그렇지 않으면 [4,"5"].indexOf(5)구현에 따라 1이 될 것입니다.

MDC 구현을 사용 하는 것이 좋습니다 .


9

Mozilla 공식 솔루션이 있습니다 : https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/indexOf

(function() {
    /**Array*/
    // Production steps of ECMA-262, Edition 5, 15.4.4.14
    // Reference: http://es5.github.io/#x15.4.4.14
    if (!Array.prototype.indexOf) {
        Array.prototype.indexOf = function(searchElement, fromIndex) {
            var k;
            // 1. Let O be the result of calling ToObject passing
            //    the this value as the argument.
            if (null === this || undefined === this) {
                throw new TypeError('"this" is null or not defined');
            }
            var O = Object(this);
            // 2. Let lenValue be the result of calling the Get
            //    internal method of O with the argument "length".
            // 3. Let len be ToUint32(lenValue).
            var len = O.length >>> 0;
            // 4. If len is 0, return -1.
            if (len === 0) {
                return -1;
            }
            // 5. If argument fromIndex was passed let n be
            //    ToInteger(fromIndex); else let n be 0.
            var n = +fromIndex || 0;
            if (Math.abs(n) === Infinity) {
                n = 0;
            }
            // 6. If n >= len, return -1.
            if (n >= len) {
                return -1;
            }
            // 7. If n >= 0, then Let k be n.
            // 8. Else, n<0, Let k be len - abs(n).
            //    If k is less than 0, then let k be 0.
            k = Math.max(n >= 0 ? n : len - Math.abs(n), 0);
            // 9. Repeat, while k < len
            while (k < len) {
                // a. Let Pk be ToString(k).
                //   This is implicit for LHS operands of the in operator
                // b. Let kPresent be the result of calling the
                //    HasProperty internal method of O with argument Pk.
                //   This step can be combined with c
                // c. If kPresent is true, then
                //    i.  Let elementK be the result of calling the Get
                //        internal method of O with the argument ToString(k).
                //   ii.  Let same be the result of applying the
                //        Strict Equality Comparison Algorithm to
                //        searchElement and elementK.
                //  iii.  If same is true, return k.
                if (k in O && O[k] === searchElement) {
                    return k;
                }
                k++;
            }
            return -1;
        };
    }
})();

1
그냥 장난하지만 MDN은 모질라 만이 아닙니다. 모질라 직원뿐만 아니라 자원 봉사자도 참여할 수있는 커뮤니티 중심 프로젝트입니다.
ste2425

5

누락 된 기능을 찾는 사람에게 이것을 권장합니다.

http://code.google.com/p/ddr-ecma5/

그것은 누락 된 ecma5 기능을 대부분의 오래된 브라우저에게 가져옵니다. :)


** IE7에서이 라이브러리에 문제가 있음을 알 수 있습니다.
Josh Mc

2

이것은 내 구현이었습니다. 기본적으로 이것을 페이지의 다른 스크립트보다 먼저 추가하십시오. 즉, Internet Explorer 8의 글로벌 솔루션에 대한 마스터에서 저는 또한 모든 프레임 워크에서 사용되는 트림 기능을 추가했습니다.

<!--[if lte IE 8]>
<script>
    if (!Array.prototype.indexOf) {
        Array.prototype.indexOf = function(obj, start) {
            for (var i = (start || 0), j = this.length; i < j; i++) {
                if (this[i] === obj) {
                    return i;
                }
            }
            return -1;
        };
    }

    if(typeof String.prototype.trim !== 'function') {
        String.prototype.trim = function() {
            return this.replace(/^\s+|\s+$/g, '');
        };
    };
</script>
<![endif]-->

2

그것은 나를 위해 작동합니다.

if (!Array.prototype.indexOf) {
  Array.prototype.indexOf = function(elt /*, from*/) {
    var len = this.length >>> 0;

    var from = Number(arguments[1]) || 0;
    from = (from < 0)? Math.ceil(from) : Math.floor(from);
    if (from < 0)
    from += len;

    for (; from < len; from++) {
      if (from in this && this[from] === elt)
        return from;
    }
    return -1;
  };
}

1

Underscore.js로

var arr=['a','a1','b'] _.filter(arr, function(a){ return a.indexOf('a') > -1; })

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.