在ActionScript 3中,是否有任何方便的方法来确定关联数组(字典)是否具有特定键?
如果缺少密钥,我需要执行其他逻辑。我可以抓住undefined property
例外,但我希望这可以成为我的最后手段。
答案 0 :(得分:37)
var card:Object = {name:"Tom"};
trace("age" in card); // return false
trace("name" in card); // return true
尝试此操作符:“in”
答案 1 :(得分:5)
hasOwnPropery
是您测试它的一种方式。以此为例:
var dict: Dictionary = new Dictionary();
// this will be false because "foo" doesn't exist
trace(dict.hasOwnProperty("foo"));
// add foo
dict["foo"] = "bar";
// now this will be true because "foo" does exist
trace(dict.hasOwnProperty("foo"));
答案 2 :(得分:4)
最快捷的方式可能是最简单的方式:
// creates 2 instances
var obj1:Object = new Object();
var obj2:Object = new Object();
// creates the dictionary
var dict:Dictionary = new Dictionary();
// adding the first object to the dictionary (but not the second one)
dict[obj1] = "added";
// checks whether the keys exist
var test1:Boolean = (dict[obj1] != undefined);
var test2:Boolean = (dict[obj2] != undefined);
// outputs the result
trace(test1,test2);
答案 3 :(得分:2)
hasOwnProperty似乎是一种流行的解决方案,但值得指出的是它只处理字符串并且调用起来很昂贵。
如果您在字典中使用对象作为键,则hasOwnProperty将无效。
更可靠和高效的解决方案是使用严格相等来检查未定义。
function exists(key:*):Boolean {
return dictionary[key] !== undefined;
}
请记住使用严格相等,否则具有空值但有效键的条目看起来是空的,即
null == undefined // true
null === undefined // false
实际上,正如使用in
提到的那样也应该可以正常工作
function exists(key:*):Boolean {
return key in dictionary;
}
答案 4 :(得分:1)
试试这个:
for (var key in myArray) {
if (key == myKey) trace(myKey+' found. has value: '+myArray['key']);
}