我在Java中有一个枚举如下:
public enum Cars
{
Sport,
SUV,
Coupe
}
我需要获得枚举的下一个值。所以,假设我有一个名为 myCurrentCar 的变量:
private Cars myCurrentCar = Cars.Sport;
我需要创建一个函数,在调用时将 myCurrentCar 的值设置为枚举中的下一个值。如果枚举不再有值,我应该将变量设置为枚举的第一个值。 我以这种方式开始实施:
public Cars GetNextCar(Cars e)
{
switch(e)
{
case Sport:
return SUV;
case SUV:
return Coupe;
case Coupe:
return Sport;
default:
throw new IndexOutOfRangeException();
}
}
哪个有效,但它是高维护功能,因为每次修改枚举列表时我都必须重构该功能。 有没有办法将枚举分割成一个字符串数组,获取下一个值并将字符串值转换为原始枚举?因此,如果我在数组的末尾,我只需抓住第一个索引
答案 0 :(得分:15)
是的,它就像这样
public Cars getNextCar(Cars e)
{
int index = e.ordinal();
int nextIndex = index + 1;
Cars[] cars = Cars.values();
nextIndex %= cars.length;
return cars[nextIndex];
}