我正在用Eclipse Juno编写我的代码,我正在使用哈希表来设置我的dataImportObject,具体取决于其中的条目。
谁能告诉我这是错的:
ht
是我的hashTable,其中包含<String, Integer>
对
(ht.containsKey("DEVICE_ADDRESS")) ?
dataImportObject.setDevice_Address(dataitems[ht.get("DEVICE_ADDRESS")]) :
dataImportObject.setDevice_Address("");
答案 0 :(得分:16)
有人可以告诉我这个错误吗
两件事:
set
方法具有void返回类型,因此它们不能在条件运算符中显示为操作数三个选项:
使用if
声明:
if (ht.containsKey("DEVICE_ADDRESS")) {
dataImportObject.setDevice_Address(dataitems[ht.get("DEVICE_ADDRESS")]));
} else {
dataImportObject.setDevice_Address("");
}
事先使用条件运算符 setDevice_Address
调用,甚至更清晰:
String address = ht.containsKey("DEVICE_ADDRESS")
? dataitems[ht.get("DEVICE_ADDRESS")] : "";
dataImportObject.setDevice_Address(address);
如果您知道哈希表没有任何空值,则可以避免双重查找:
Integer index = ht.get("DEVICE_ADDRESS");
String address = index == null ? "" : dataitems[index];
dataImportObject.setDevice_Address(address);
答案 1 :(得分:0)