一个低级错误,却因为基础知识点的疏忽,导致程序运行出错,特记录一下。
Set<CellIdentify> existCellIdentifies = CommonTools.getECGIToMoiMapping(extCellECGIs, new MocName(SuperCellConst.CELL_FDD, "")).keySet();
existCellIdentifies.addAll(CommonTools.getECGIToMoiMapping(extCellECGIs, new MocName(SuperCellConst.CELL_TDD, "")).keySet());
程序中这样两句代码运行时,抛UnsupportedOperationException异常。
最初感觉很奇怪,Map.keySet()方法返回一个Set呀,Set明明是支持add()、addAll()方法的,怎么会抛“不支持操作”异常呢。
结果发现,问题不是出在Set上,而是出在Map的keySet()方法上。
下面是摘自API帮助文档的说明
keySet
public Set keySet()返回此映射中所包含的键的 set 视图。该集合受映射的支持,所以映射的变化也反映在该集合中,反之亦然。该集合支持元素的移除,通过 Iterator.remove、Set.remove、removeAll、retainAll 和 clear 操作,从该映射中移除相应的映射关系。它不支持 add 或 addAll 操作。
也就是说,由Map.keySet()返回的集合,仅支持删除元素,并不支持再在其中插入元素。
上述代码中错误之处就是,existCellIdentifies是一个Map.keySet()返回集合的一个引用,对existCellIdentifies使用addAll()方法,相当于在Map.keySet()得到的集合中插入元素,故此时Set不再支持addAll()方法。
修改方法也很简单:
Set<CellIdentify> existCellIdentifies = new HashSet<CellIdentify>();
existCellIdentifies.addAll(CommonTools.getECGIToMoiMapping(extCellECGIs, new MocName(SuperCellConst.CELL_FDD, "")).keySet());
existCellIdentifies.addAll(CommonTools.getECGIToMoiMapping(extCellECGIs, new MocName(SuperCellConst.CELL_TDD, "")).keySet());