我们可以在ENUM中声明多少个变量

时间:2019-04-17 06:29:08

标签: java kotlin enums

我声明enum如下:

SUNDAY("Sunday","Week end","1",true)

在上面的enum中,我声明了四个变量,这是枚举中包含更多变量的更好方法吗?

2 个答案:

答案 0 :(得分:2)

每个类或每个接口的常量池被ClassFile结构的16位65535字段限制为constant_pool_count个条目。这是对单个类或接口的总复杂性的内部限制。

答案 1 :(得分:1)

如评论中所述,这主要取决于您的要求。

通常,在枚举上具有多个属性是可以的,但是由于在Java Virtual上如何共享枚举,所以它们通常应该是恒定且不变的(在Kotlin中为val类型,在Java中为final)。机器。

如果您查看documentation from Oracle,可以看到行星示例,其中它们定义了一些常数。

如果最终有大量与枚举关联的常量,则可能需要重新考虑如何构造代码并将相关概念封装到它们自己的对象中,例如

public enum Planet {
  MERCURY(
          new PhysicalProperties(3.303e+23, 2.4397e6),
          new Information("Mercury", "foo")
  ),
  VENUS(
          new PhysicalProperties(4.869e+24, 6.0518e6),
          new Information("Venus", "foo")
  ),
  EARTH(
          new PhysicalProperties(5.976e+24, 6.37814e6),
          new Information("Earth", "Mostly Harmless")
  ),
  MARS(
          new PhysicalProperties(6.421e+23, 3.3972e6),
          new Information("Mars", "foo")
  ),
  JUPITER(
          new PhysicalProperties(1.9e+27, 7.1492e7),
          new Information("Jupiter", "foo")
  ),
  SATURN(
          new PhysicalProperties(5.688e+26, 6.0268e7),
          new Information("Saturn", "foo")
  ),
  URANUS(
          new PhysicalProperties(8.686e+25, 2.5559e7),
          new Information("Uranus", "foo")
  ),
  NEPTUNE(
          new PhysicalProperties(1.024e+26, 2.4746e7),
          new Information("Neptune", "foo")
  );



  private final PhysicalProperties physicalProperties;
  private final Information information;

  Planet(
          PhysicalProperties physicalProperties,
          Information information
  ) {
    this.physicalProperties = physicalProperties;
    this.information = information;
  }

  public PhysicalProperties physicalProperties() {
    return physicalProperties;
  }

  public Information information() {
    return information;
  }



  public static final class PhysicalProperties {
    private final double mass;   // in kilograms
    private final double radius; // in meters

    // universal gravitational constant  (m3 kg-1 s-2)
    static final double G = 6.67300E-11;

    PhysicalProperties(double mass, double radius) {
      this.mass = mass;
      this.radius = radius;
    }

    double surfaceGravity() {
      return G * mass / (radius * radius);
    }

    double surfaceWeight(double otherMass) {
      return otherMass * surfaceGravity();
    }

  }

  public static final class Information {

    private final String name;
    private final String description;

    Information(String name, String description) {
      this.name = name;
      this.description = description;
    }
  }

// I have omitted some getters from these examples for shortness
}

这是一个人为的示例,因为只有4个常量,但是您可以想象一种情况,其中可能会有很多其他常量。

当枚举膨胀时,您还应该考虑是否应使用枚举类型,尤其是当您发现自己在项目开发过程中添加了许多其他枚举条目时。例如,要在上面的示例中添加一个新星球,您将需要添加一个新的枚举项并重新编译,而您可以将枚举转换为一个类并动态创建任意数量的实例。