JAVA中常量使用常量類或者常量介面,還是使用列舉的區別
阿新 • • 發佈:2019-01-07
轉載來源:最近在熟悉小組的程式碼時看見常量宣告的不同方式就看了看這幾種方式的不同之處。。
第一種使用介面:
public interface Constants{
public static final int AUDIT_STATUS_PASS = 1;
public static final int AUDIT_STATUS_NOT_PASS = 2;
}
第二種使用類:
public class Constans{ public static final int AUDIT_STATUS_PASS = 1; public static final int AUDIT_STATUS_NOT_PASS = 2; }
第三種使用列舉:
public enum Constants { AUDIT_STATUS_PASS(1), AUDIT_STATUS_NOT_PASS(2); private int status; private Constants(int status){ this.setStatus(status); } public int getStatus() { return status; } public void setStatus(int status) { this.status = status; } }
第一種和第二種是一樣的,第一種寫起來更方便,不用
public static final
,直接int
AUDIT_STATUS_PASS = 1
就行。第三種好在能把說明也寫在裡面,比如
public enum Constants { AUDIT_STATUS_PASS(1,"通過"), AUDIT_STATUS_NOT_PASS(2,"退回"); private int status; private String desc; private Constants(int status,String desc){ this.setStatus(status); this.desc = desc; } public int getStatus() { return status; } public void setStatus(int status) { this.status = status; } ... }
建議使用列舉。《Effective Java》中也是推薦使用列舉代替
int
常量的。列舉當然是首選,另如果不用列舉,在《Effective Java》一書中,作者建議使用一般類加私有構造方法的方式,至於為什麼不用介面,那就要上升到語言哲學問題了。
public class Constants {
private Constants() {}
public static final int AUDIT_STATUS_PASS = 1;
public static final int AUDIT_STATUS_NOT_PASS = 2;
}