16

我有一个具有枚举属性的实体:

// MyFile.java
public class MyFile {   
    private DownloadStatus downloadStatus;
    // other properties, setters and getters
}

// DownloadStatus.java
public enum DownloadStatus {
    NOT_DOWNLOADED(1),
    DOWNLOAD_IN_PROGRESS(2),
    DOWNLOADED(3);

    private int value;
    private DownloadStatus(int value) {
        this.value = value;
    }

    public int getValue() {
        return value;
    }
} 

我想将此实体保存在数据库中并检索它。问题是我将 int 值保存在数据库中,我得到了 int 值!我不能使用如下开关:

MyFile file = new MyFile();
int downloadStatus = ...
switch(downloadStatus) {
    case NOT_DOWNLOADED:
    file.setDownloadStatus(NOT_DOWNLOADED);
    break;
    // ...
}    

我应该怎么办?

4

2 回答 2

28

您可以在枚举中提供一个静态方法:

public static DownloadStatus getStatusFromInt(int status) {
    //here return the appropriate enum constant
}

然后在您的主代码中:

int downloadStatus = ...;
DowloadStatus status = DowloadStatus.getStatusFromInt(downloadStatus);
switch (status) {
    case DowloadStatus.NOT_DOWNLOADED:
       //etc.
}

与序数方法相比,这种方法的优势在于,如果您的枚举更改为以下内容,它仍然可以工作:

public enum DownloadStatus {
    NOT_DOWNLOADED(1),
    DOWNLOAD_IN_PROGRESS(2),
    DOWNLOADED(4);           /// Ooops, database changed, it is not 3 any more
}

请注意,最初的实现getStatusFromInt可能会使用 ordinal 属性,但该实现细节现在包含在枚举类中。

于 2013-01-04T09:58:25.560 回答
12

每个 Java 枚举都有一个自动分配的序数,因此您不需要手动指定 int(但请注意序数从 0 开始,而不是 1)。

然后,要从序数中获取枚举,您可以执行以下操作:

int downloadStatus = ...
DownloadStatus ds = DownloadStatus.values()[downloadStatus];

...然后您可以使用枚举进行切换...

switch (ds)
{
  case NOT_DOWNLOADED:
  ...
}
于 2013-01-04T09:55:43.913 回答