1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
|
'use strict';
module.exports = function in_array(needle, haystack, argStrict) {
// eslint-disable-line camelcase
// discuss at: http://locutus.io/php/in_array/
// original by: Kevin van Zonneveld (http://kvz.io)
// improved by: vlado houba
// improved by: Jonas Sciangula Street (Joni2Back)
// input by: Billy
// bugfixed by: Brett Zamir (http://brett-zamir.me)
// example 1: in_array('van', ['Kevin', 'van', 'Zonneveld'])
// returns 1: true
// example 2: in_array('vlado', {0: 'Kevin', vlado: 'van', 1: 'Zonneveld'})
// returns 2: false
// example 3: in_array(1, ['1', '2', '3'])
// example 3: in_array(1, ['1', '2', '3'], false)
// returns 3: true
// returns 3: true
// example 4: in_array(1, ['1', '2', '3'], true)
// returns 4: false
var key = '';
var strict = !!argStrict;
// we prevent the double check (strict && arr[key] === ndl) || (!strict && arr[key] === ndl)
// in just one for, in order to improve the performance
// deciding wich type of comparation will do before walk array
if (strict) {
for (key in haystack) {
if (haystack[key] === needle) {
return true;
}
}
} else {
for (key in haystack) {
if (haystack[key] == needle) {
// eslint-disable-line eqeqeq
return true;
}
}
}
return false;
};
//# sourceMappingURL=in_array.js.map
|