我有一个enum
string name;
public enum Color
{
Red,
Green,
Yellow
}
如何将它设置为NULL加载。
name = "";
Color color = null; //error
编辑: 我的错,我没有解释清楚。但所有与nullable相关的答案都是完美的。我的情况是什么,如果,我有获得/设置enum类中的其他元素,如名称等。在页面加载,我初始化类,并尝试默认值为空。下面是场景(代码是c#):
namespace Testing
{
public enum ValidColors
{
Red,
Green,
Yellow
}
public class EnumTest
{
private string name;
private ValidColors myColor;
public string Name
{
get { return name; }
set { name = value; }
}
public ValidColors MyColor
{
get { return myColor; }
set { myColor = value; }
}
}
public partial class _Default : System.Web.UI.Page
{
protected void Page_Load(object sender, EventArgs e)
{
EnumTest oEnumTest = new EnumTest();
oEnumTest.Name = "";
oEnumTest.MyColor = null; //???
}
}
}
然后使用下面的建议,我修改了上面的代码,使其与get和set方法一起工作。我只需要在EnumTest类中声明私有枚举变量和get/set方法中添加“?”:
public class EnumTest
{
private string name;
private ValidColors? myColor; //added "?" here in declaration and in get/set method
public string Name
{
get { return name; }
set { name = value; }
}
public ValidColors? MyColor
{
get { return myColor; }
set { myColor = value; }
}
}
谢谢大家的建议。