2

可能重复:
生成随机枚举

可以说我有以下内容:

enum Color {        
    RED, GREEN, BLUE 
};
Color foo;

我想要做的是将 foo 随机分配给一种颜色。天真的方法是:

int r = rand() % 3;
if (r == 0)
{
    foo = RED;
}
else if (r == 1)
{
    foo = GREEN;
}
else
{ 
    foo = BLUE;
}

我想知道是否有更清洁的方法来做到这一点。我已经尝试(但失败了)以下内容:

foo = rand() % 3; //Compiler doesn't like this because foo should be a Color not an int
foo = Color[rand() % 3] //I thought this was worth a shot. Clearly didn't work.

如果你们知道不涉及 3 个 if 语句的更好方法,请告诉我。谢谢。

4

2 回答 2

7

您可以将 int 强制转换为枚举,例如

Color foo = static_cast<Color>(rand() % 3);

作为风格问题,您可能希望使代码更加健壮/可读,例如

enum Color {        
    RED,
    GREEN,
    BLUE,
    NUM_COLORS
};

Color foo = static_cast<Color>(rand() % NUM_COLORS);

这样,如果您Color在将来的某个时间向/从中添加或删除颜色,代码仍然可以工作,并且阅读您的代码的人不必挠头并想知道文字常量3的来源。

于 2012-06-06T08:24:47.753 回答
1

您只需要一个演员表:

foo = (Color) (rand() % 3);
于 2012-06-06T08:25:21.200 回答