乐闻世界logo
搜索文章和话题

How can you create an enum with string values?

1个答案

1

In various programming languages, the methods for creating enums with string values may vary slightly. Here, I'll demonstrate with two common languages: Java and TypeScript.

Enums in Java

In Java, enums (enum) are highly convenient for defining a set of named constants. Typically, each element in an enum is an instance of the enum type internally, but they can also be associated with more complex values. To create an enum with string values, you can define a private member variable inside the enum to store the string value and pass the string value to each enum instance via the constructor. Here is a specific example:

java
public enum Color { RED("Red"), GREEN("Green"), BLUE("Blue"); private final String description; // Constructor Color(String description) { this.description = description; } public String getDescription() { return this.description; } } // Usage public class Main { public static void main(String[] args) { Color myColor = Color.RED; System.out.println("Color description: " + myColor.getDescription()); // Output: Color description: Red } }

In this example, each enum instance has a string description associated with it, which can be retrieved by calling the getDescription method.

Enums in TypeScript

TypeScript provides a more flexible enum type that not only supports numbers but also natively supports strings. Here is an example of an enum with string values:

typescript
enum Color { Red = "Red", Green = "Green", Blue = "Blue" } // Usage let myColor: Color = Color.Red; console.log("Color description: " + myColor); // Output: Color description: Red

In TypeScript, you can directly assign string values to enum members. This is very useful when you need to store additional information or require more intuitive string representations.

These examples demonstrate how to create and use enums with string values in different programming environments, making the code clearer and easier to manage.

2024年7月29日 13:25 回复

你的答案