我在文本框中编写了一个代码使用属性,我正在设置一些像这样的值
public string Color
{
get{};
set
{
SetColor(value);
}
}
private void SetColor(string level)
{
switch(level.ToLower())
{
case "high":
textbox1.BackColor = System.Drawing.Color.Red;
break;
case "medium":
textbox1.BackColor = System.Drawing.Color.Green;
break;
case "low":
textbox1.BackColor = System.Drawing.Color.Yellow;
break;
}
}
但我的主要目的是我需要设置标志,如果标志为高,则应显示红色字体,类似地,如果标志为中,则应在标签中显示黄色字体。
public static class EnumExtensions
{
private static void CheckIsEnum<T>(bool withFlags)
{
CheckIsEnum(T) (True);
}
}
public static bool IsFlagSet<T>(this T value, T flag)
{
}
设置标志变量时是否需要使用管道符号?我在网上冲浪,但我得到的答案我并不期待。一个标志布尔值为true或false。如果该标志为true,则应启用颜色字体。另外请帮助我,我需要从数据库中获取数据。是否有可能并查看特定值是否具有高,低或中等风险并相应地显示字体
有人可以建议我如何使用枚举将上述代码嵌入到标志中。
答案 0 :(得分:0)
您可以使用或不使用Description属性定义枚举,但我的代码将同时适用于:(如果您的枚举值包含多个单词,则可以使用description属性,并且需要使用“VeryHigh”等空格显示它们“作为一个值,但你用空格表示为”非常高“。)
public enum AlertType
{
[Description("High")]
High,
[Description("Medium")]
Medium,
[Description("Low")]
Low
}
现在使用一些辅助方法,比如这个辅助类中的方法,可以使用可以表示值/描述的字符串值来获取枚举值。
public static class EnumUtils
{
public static string StringValueOf(Enum value)
{
var fi = value.GetType().GetField(value.ToString());
var attributes = (DescriptionAttribute[])fi.GetCustomAttributes(typeof(DescriptionAttribute), false);
if (attributes.Length > 0)
{
return attributes[0].Description;
}
return value.ToString();
}
public static T EnumValueOf<T>(string enumStr)
{
string[] names = Enum.GetNames(typeof(T));
foreach (var name in names)
{
var enumVal = (Enum) Enum.Parse(typeof (T), name);
if (string.Compare(StringValueOf(enumVal), enumStr, StringComparison.OrdinalIgnoreCase) == 0)
{
return (T)Enum.Parse(typeof(T), name);
}
}
throw new ArgumentException("The string is not a description or value of the specified enum.");
}
}
设置标志变量时是否需要使用管道符号?
不,您不需要,因为您无法合并枚举中的多个值,因此例如您不能说Alert同时设置为High和Low。当您的枚举值可以合并时,[标志]非常有用,请参阅this。
另外请帮助我,我需要从数据库中获取数据。是否有可能并查看特定值是否具有高,低或中等风险并相应地显示字体。
在这种情况下,您可以使用辅助方法将枚举字符串转换为枚举值。
修改强>
看起来你还需要AlertType和Color之间的映射,所以你的代码可以是这样的:
// your mappings go here.
private Dictionary<AlertType, Color> _alertColorMappings = new Dictionary<AlertType, Color>()
{
{AlertType.High, Color.Red},
{AlertType.Medium, Color.Green},
{AlertType.Low, Color.Yellow},
};
// Alert property which can be set through a mapping with a combobox
private AlertType _alert;
public AlertType Alert
{
get
{
return _alert;
}
set
{
if (_alert != value)
{
_alert = value;
textbox1.BackColor = _alertColorMappings[value];
}
}
}
希望这有帮助。