1.对象
var obj = {
aa:'1111',
bb:'2222',
cc: '3333'
};
var str='aa';
if(str in obj){
console.log(obj[str]);
}
但是对于obj内的原型对象,也会查找到:
var obj = {
aa:'1111',
bb:'2222',
cc: '3333'
};
var str='toString';
if(str in obj){
console.log(obj[str]);
}
所以,使用hasOwnProperty()更准确:
var obj = {
aa: '1111',
bb: '2222',
cc: '3333'
};
var str = 'aa';
if (obj.hasOwnProperty(str)) {
console.log(111);
}else{
console.log(222);
}
2.数组
如何判断数组内是存在某一元素?主流,或者大部分都会想到循环遍历,其实不循环也可以,通过数组转换查找字符串:
var test = ['a', 3455, -1]; function isInArray(arr, val) {
var testStr = arr.join(',');
return testStr.indexOf(val) != -1
};
alert(isInArray(test, 'a'));
通过While循环:
Array.prototype.contains = function(obj) {
var len = this.length;
while (len--) {
if (this[len] === obj) {
return true
}
}
return false;
};
for循环:
Array.prototype.contains = function(obj) {
var len = this.length;
for (var i = 0; i < len; i++) {
if (this[i] === obj) {
return true
}
}
return false;
}