------------------------------------------------------------------------------------------- //luckstar 10 background-colors: public enum enumBackgroundColor { Entry = 0xEC39D8, //視窗, Entry, 適合輸入作業 Red = 0xFFB7DD, //紅, red Orange = 0xFFDDAA, //橙, Orange Yellow = 0xFFFFBB, // 黃, yellow Green = 0xCCFF99, //綠, green Blue = 0xBBFFEE, //藍, blue Indigo = 0xCCDDFF, //靛, Indigo Purple = 0xF0BBFF, //紫, purple Black = 0x000000, //黑, black White = 0xFFFFFF, //白, white, 適合列印 }; // sample code to get enum foreach (string s1 in Enum.GetNames(typeof(enumBackgroundColor))) { enumBackgroundColor iColor; string sHex; Console.Write(s1); Console.Write("="); iColor = (enumBackgroundColor) Enum.Parse(typeof(enumBackgroundColor), s1); sHex = string.Format("{0:X}", iColor); Console.WriteLine(sHex + ", int=" + iColor); } ------------------------------------------------------------------------------------------- code1: Enum.Parse using System; public class ParseTest { [FlagsAttribute] enum Colors { Red = 1, Green = 2, Blue = 4, Yellow = 8 }; public static void Main() { Console.WriteLine("The entries of the Colors Enum are:"); foreach(string s in Enum.GetNames(typeof(Colors))) Console.WriteLine(s); Console.WriteLine(); Colors myOrange = (Colors)Enum.Parse(typeof(Colors), "Red, Yellow"); Console.WriteLine("The myOrange value has the combined entries of {0}", myOrange); } } ------------------------------------------------------------------------------------------- code2: // keyword_enum.cs // enum initialization: using System; public class EnumTest { enum Days {Sat=1, Sun, Mon, Tue, Wed, Thu, Fri}; static void Main() { int x = (int)Days.Sun; int y = (int)Days.Fri; Console.WriteLine("Sun = {0}", x); Console.WriteLine("Fri = {0}", y); } } output: Sun = 2 Fri = 7 ------------------------------------------------------------------------------------------- code3: // keyword_enum2.cs // Using long enumerators using System; public class EnumTest { enum Range :long {Max = 2147483648L, Min = 255L}; static void Main() { long x = (long)Range.Max; long y = (long)Range.Min; Console.WriteLine("Max = {0}", x); Console.WriteLine("Min = {0}", y); } } output: Max = 2147483648 Min = 255 ------------------------------------------------------------------------------------------- code4: // enumFlags.cs // Using the FlagsAttribute on enumerations. using System; [Flags] public enum CarOptions { SunRoof = 0x01, Spoiler = 0x02, FogLights = 0x04, TintedWindows = 0x08, } class FlagTest { static void Main() { CarOptions options = CarOptions.SunRoof | CarOptions.FogLights; Console.WriteLine(options); Console.WriteLine((int)options); } } output: SunRoof, FogLights 5 Notice that if you remove the initializer from Sat=1, the result will be: Sun = 1 Fri = 6 Notice that if you remove FlagsAttribute, the example will output the following: 5 5