让enum
类型表示一组字符串的最佳方法是什么?
我试过了:
enum Strings{
STRING_ONE("ONE"), STRING_TWO("TWO")
}
如何将它们用作Strings
?
答案 0 :(得分:577)
我不知道你想做什么,但这就是我实际翻译你的示例代码的方式....
/**
*
*/
package test;
/**
* @author The Elite Gentleman
*
*/
public enum Strings {
STRING_ONE("ONE"),
STRING_TWO("TWO")
;
private final String text;
/**
* @param text
*/
Strings(final String text) {
this.text = text;
}
/* (non-Javadoc)
* @see java.lang.Enum#toString()
*/
@Override
public String toString() {
return text;
}
}
或者,您可以为text
创建一个getter方法。
您现在可以执行Strings.STRING_ONE.toString();
答案 1 :(得分:101)
枚举的自定义字符串值
来自http://javahowto.blogspot.com/2006/10/custom-string-values-for-enum.html
java enum的默认字符串值是其面值或元素名称。但是,您可以通过重写toString()方法来自定义字符串值。例如,
public enum MyType {
ONE {
public String toString() {
return "this is one";
}
},
TWO {
public String toString() {
return "this is two";
}
}
}
运行以下测试代码将产生以下结果:
public class EnumTest {
public static void main(String[] args) {
System.out.println(MyType.ONE);
System.out.println(MyType.TWO);
}
}
this is one
this is two
答案 2 :(得分:64)
使用其name()
方法:
public class Main {
public static void main(String[] args) throws Exception {
System.out.println(Strings.ONE.name());
}
}
enum Strings {
ONE, TWO, THREE
}
收益ONE
。
答案 3 :(得分:16)
将枚举名称设置为与所需的字符串相同,或者更一般地说,您可以将任意属性与枚举值相关联:
enum Strings {
STRING_ONE("ONE"), STRING_TWO("TWO");
private final String stringValue;
Strings(final String s) { stringValue = s; }
public String toString() { return stringValue; }
// further methods, attributes, etc.
}
让常量位于顶部,方法/属性位于底部非常重要。
答案 4 :(得分:13)
根据“将它们用作字符串”的含义,您可能不想在此处使用枚举。在大多数情况下,The Elite Gentleman提出的解决方案将允许您通过他们的toString方法使用它们,例如在System.out.println(STRING_ONE)
或String s = "Hello "+STRING_TWO
中,但是当您确实需要字符串(例如STRING_ONE.toLowerCase()
)时,您可能更喜欢将它们定义为常量:
public interface Strings{
public static final String STRING_ONE = "ONE";
public static final String STRING_TWO = "TWO";
}
答案 5 :(得分:4)
您可以将其用于字符串Enum
public enum EnumTest {
NAME_ONE("Name 1"),
NAME_TWO("Name 2");
private final String name;
/**
* @param name
*/
private EnumTest(final String name) {
this.name = name;
}
public String getName() {
return name;
}
}
从主要方法调用
public class Test {
public static void main (String args[]){
System.out.println(EnumTest.NAME_ONE.getName());
System.out.println(EnumTest.NAME_TWO.getName());
}
}
答案 6 :(得分:3)
如果您不想要使用构造函数,并且您希望该方法具有特殊名称,请尝试以下操作:< / p>
public enum MyType {
ONE {
public String getDescription() {
return "this is one";
}
},
TWO {
public String getDescription() {
return "this is two";
}
};
public abstract String getDescription();
}
我怀疑这是最快解决方案。无需使用变量。
答案 7 :(得分:0)
获取并设置默认值。
public enum Status {
STATUS_A("Status A"), STATUS_B("Status B"),
private String status;
Status(String status) {
this.status = status;
}
public String getStatus() {
return status;
}
}