我在Java中有一个枚举:
public enum Months
{
JAN, FEB, MAR, APR, MAY, JUN, JUL, AUG, SEP, OCT, NOV, DEC
}
我想通过索引访问枚举值,例如
Months(1) = JAN;
Months(2) = FEB;
...
我该怎么做?
答案 0 :(得分:194)
试试这个
Months.values()[index]
答案 1 :(得分:19)
这有三种方法。
public enum Months {
JAN(1), FEB(2), MAR(3), APR(4), MAY(5), JUN(6), JUL(7), AUG(8), SEP(9), OCT(10), NOV(11), DEC(12);
int monthOrdinal = 0;
Months(int ord) {
this.monthOrdinal = ord;
}
public static Months byOrdinal2ndWay(int ord) {
return Months.values()[ord-1]; // less safe
}
public static Months byOrdinal(int ord) {
for (Months m : Months.values()) {
if (m.monthOrdinal == ord) {
return m;
}
}
return null;
}
public static Months[] MONTHS_INDEXED = new Months[] { null, JAN, FEB, MAR, APR, MAY, JUN, JUL, AUG, SEP, OCT, NOV, DEC };
}
import static junit.framework.Assert.assertEquals;
import org.junit.Test;
public class MonthsTest {
@Test
public void test_indexed_access() {
assertEquals(Months.MONTHS_INDEXED[1], Months.JAN);
assertEquals(Months.MONTHS_INDEXED[2], Months.FEB);
assertEquals(Months.byOrdinal(1), Months.JAN);
assertEquals(Months.byOrdinal(2), Months.FEB);
assertEquals(Months.byOrdinal2ndWay(1), Months.JAN);
assertEquals(Months.byOrdinal2ndWay(2), Months.FEB);
}
}
答案 2 :(得分:8)
答案 3 :(得分:1)
我只是尝试了同样的方法并提出了以下解决方案:
public enum Countries {
TEXAS,
FLORIDA,
OKLAHOMA,
KENTUCKY;
private static Countries[] list = Countries.values();
public static Countries getCountry(int i) {
return list[i];
}
public static int listGetLastIndex() {
return list.length - 1;
}
}
该类将自己的值保存在数组中,并使用该数组来获取indexposition的枚举。如上所述,数组从0开始计数,如果您希望索引从'1'开始,只需将这两种方法更改为:
public static String getCountry(int i) {
return list[(i - 1)];
}
public static int listGetLastIndex() {
return list.length;
}
在我的主要内部,我用
获得所需的country-objectpublic static void main(String[] args) {
int i = Countries.listGetLastIndex();
Countries currCountry = Countries.getCountry(i);
}
将currCountry设置为最后一个国家/地区,在本例中为Countries.KENTUCKY。
请记住,如果您使用硬编码的标记来获取对象,则此代码会受到ArrayOutOfBoundsExceptions的影响。
答案 4 :(得分:0)
我最近遇到了同样的问题,并使用了哈里·乔伊(Harry Joy)提供的解决方案。 但是,该解决方案仅适用于从零开始的枚举。我也不会考虑保存它,因为它不会处理超出范围的索引。
我最终使用的解决方案可能不是那么简单,但是它可以完全保存并且即使有较大的枚举也不会损害代码的性能:
public enum Example {
UNKNOWN(0, "unknown"), ENUM1(1, "enum1"), ENUM2(2, "enum2"), ENUM3(3, "enum3");
private static HashMap<Integer, Example> enumById = new HashMap<>();
static {
Arrays.stream(values()).forEach(e -> enumById.put(e.getId(), e));
}
public static Example getById(int id) {
return enumById.getOrDefault(id, UNKNOWN);
}
private int id;
private String description;
private Example(int id, String description) {
this.id = id;
this.description= description;
}
public String getDescription() {
return description;
}
public int getId() {
return id;
}
}
如果您确定自己永远不会超出索引范围,并且不想像我上面那样使用UNKNOWN
,那么当然也可以这样做:
public static Example getById(int id) {
return enumById.get(id);
}