2

我正在尝试为同一类中的多个枚举成员添加更多用户友好的描述。现在我只是让每个枚举都以小写形式返回:

public enum Part {
    ROTOR, DOUBLE_SWITCH, 100_BULB, 75_BULB, 
    SMALL_GAUGE, LARGE_GAUGE, DRIVER;

    private final String description;

    Part() {
      description = toString().toLowerCase();
    }

    Part(String description) {
      this.description = description;
    }

    public String getDescription() {
      return description;
    }
}

有没有办法给每个枚举值一个更用户友好的名称,我可以通过每个 Part 成员的 toString() 显示它?例如,当我对零件进行交互时:

for (Part part : Part.values()) {
System.out.println(part.toString());
}

而不是获取文字列表:

ROTOR
DOUBLE_SWITCH
100_BULB
75_BULB 
SMALL_GAUGE
LARGE_GAUGE
DRIVER

我希望对每个项目进行有意义的描述,这样我就可以输出如下内容:

Standard Rotor
Double Switch
100 W bulb
75 W bulb 
Small Gauge
Large Gauge
Torque Driver

所以我想知道是否有办法为我的 Part 枚举类中的每个枚举成员提供这些有意义的描述。

非常感谢

4

2 回答 2

9

枚举实际上是伪装的类,被迫成为单个实例。你可以在下面做这样的事情来给每个人一个名字。你可以在构造函数中给它任意数量的属性。它不会影响您引用它的方式。在下面的示例中,ROTOR 将具有“这是一个转子”的字符串表示形式。

public enum Part {
  ROTOR("This is a rotor");

  private final String name;

  Part(final String name) {
      this.name = name;
  } 

  @Override
  public String toString() {
      return name;
  }
}
于 2009-11-14T15:33:59.637 回答
0

是的,您已经有一个带有描述的构造函数。为什么不使用它?

public enum Part {
    ROTOR<b>("Rotor")</b>, DOUBLE_SWITCH<b>("Double Switch")</b>, 100_BULB, 75_BULB, 
    SMALL_GAUGE, LARGE_GAUGE, DRIVER;

    private final String description;

    Part() {
      description = toString().toLowerCase();
    }

    Part(String description) {
      this.description = description;
    }

    public String getDescription() {
      return description;
    }
}
于 2009-11-14T15:34:17.047 回答