Java中EnumMap代替序数索引代码详解
本文研究的主要是java中enummap代替序数索引的相关内容,具体介绍如下。
经常会碰到使用enum的ordinal方法来索引枚举类型。
public class herb { public enum type { annual, perennial, biennial }; private final string name; private final type type; herb(string name, type type) { this.name = name; this.type = type; } @override public string tostring() { return name; } }
现在假设有一个香草的数组,表示一座花园中的植物,你想要按照类型(一年生、多年生或者两年生植物)进行组织之后再将这些植物列出来。如果要这么做的话,需要构建三个集合,每种类型一个,并且遍历整座花园,将每种香草放到相应的集合中。有些程序员会将这些集合放到一个按照类型的序数进行索引的数组来实现这一点。
//using ordinal() to index an array - don't do this herb[] garden = ... ; //indexed by herb.type.ordinal() set<herb>[] herbsbytype = (set<herb>[])new set[herb.type.values().length]; for(int i=0; i<herbsbytype.length; i++) { herbsbytype[i] = new hashset<herb>(); } for(herb h : garden) { herbsbytype[h.type.ordinal()].add(h); } //print the results for(int i=0; i<herbsbytype.length; i++) { system.out.printf("%s: %s%n", herb.type.values()[i], herbsbytype[i]); }
这种方法的确可行,但是隐藏着许多问题。因为数组不能与泛型兼容。程序需要进行未受检的转换,并且不能正确无误地进行编译。因为数组不知道它的索引代表着什么,你必须手工标注这些索引的输出。但是这种方法最严重的问题在于,当你访问一个按照枚举的序数进行索引的数组时,使用正确的int值就是你的职责了;int不能提供枚举的类型安全。你如果使用了错误的值,程序就会悄然地完成错误的工作,或者幸运的话就会抛出arrayindexoutofboundexception异常。
java.util.enummap是一种非常快速的map实现专门用于枚举的键。
//using an enummap to associate data with an enum map<herb.type, set<herb>> herbsbytype = new enummap<herb.type, set<herb>>(herb.type.class); for(herb.type t : herb.type.values) herbsbytype.put(t, new hashset<herb>()); for(herb h : garden) herbsbytype.get(h.type).add(h); system.out.println(herbsbytype);
这段程序更简短,更清楚,也更安全,运行速度方面可以与使用序数的程序相媲美。它没有不安全的转换;不必手工标注出这些索引的输出,因为映射键知道如何将自身翻译成可打印的字符串的枚举;计算数组索引时也不可能出错。enummap在运行速度方面之所以能与通过序数索引的数组相媲美,是因为enummap在内部使用了这种数组。但是它对程序员隐藏了这种思想细节,集map的丰富功能和类型安全与数组的快速于一身。注意enummap构造器采用键类型的class对象:这是一个有限制的类型令牌(bounded type token),它提供了运行时的泛型信息。
总结
以上就是本文关于java中enummap代替序数索引代码详解的全部内容,希望对大家有所帮助。感兴趣的朋友可以继续参阅本站其他相关专题,如有不足之处,欢迎留言指出。感谢朋友们对本站的支持!