为什么在java中要用枚举类呢?
我的理解:如果不用枚举类,而用传统的方法,那么如果要定义三个常量:
[{0,"服务订单"},{1,"商品订单"},{2,"会员卡订单"}]
而且在引用的时候做到见名知意,那么就得这么些:
OrderType.java
package com.lz.orign.enums;
/**
* 模拟枚举类中元素的底层实现;
*
* @author:JunZhou
* @Company:LongZheng
* @Email:1769676159@qq.com
* @2018年1月20日@下午12:32:22
*/
public class OrderType {
private String type;
private int typeCode;
public OrderType(int typeCode,String type) {
super();
this.type = type;
this.typeCode = typeCode;
}
public String getType() {
return type;
}
public void setType(String type) {
this.type = type;
}
public int getTypeCode() {
return typeCode;
}
public void setTypeCode(int typeCode) {
this.typeCode = typeCode;
}
}
SumuOrderEnum.java
package com.lz.orign.enums;
/**
* 模拟枚举类中元素的声明;
* @author:JunZhou
* @Company:LongZheng
* @Email:1769676159@qq.com
* @2018年1月20日@下午2:08:12
*/
public class SumuOrderEnum {
public static OrderType orderType1 = new OrderType(0,"服务订单");
public static OrderType orderType2 = new OrderType(1,"商品订单");
public static OrderType orderType3 = new OrderType(2,"会员卡订单");
}
EnumTest .java
package com.lz.orign.enums;
public class EnumTest {
/**
* 模拟枚举类的调用;
* @param args
*/
public static void main(String[] args) {
SumuOrderEnum sumuOrderEnum = new SumuOrderEnum();
System.out.println(sumuOrderEnum.orderType1.getTypeCode()+"-"+sumuOrderEnum.orderType1.getType());
}
}
但是用枚举类就方便许多了:
OrderTypeEnum.java
/**
*
* @(#) OrderTypeEnum.java
* @Package cn.lz.life.enums
*
* Copyright Icerno Corporation. All rights reserved.
*
*/
package com.lz.enums;
/**
* 定义枚举类;
* @author:JunZhou
* @Company:LongZheng
* @Email:1769676159@qq.com
* @2018年1月20日@下午2:11:26
*/
public enum OrderTypeEnum {
//声明枚举类的元素;
ORDER_TYPE_IS_ZERO(0,"服务订单"),
ORDER_TYPE_IS_ONE(1,"商品订单"),
ORDER_TYPE_IS_TWO(2,"会员卡订单"),
;
//声明枚举类的属性,实际上是
private int orderType;
private String msg;
public int getOrderType() {
return orderType;
}
public void setOrderType(int orderType) {
this.orderType = orderType;
}
public String getMsg() {
return msg;
}
public void setMsg(String msg) {
this.msg = msg;
}
private OrderTypeEnum(int orderType, String msg) {
this.orderType = orderType;
this.msg = msg;
}
}
EnumTest.java
package com.lz.enums;
/**
* 枚举类的调用;
* @author:JunZhou
* @Company:LongZheng
* @Email:1769676159@qq.com
* @2018年1月20日@下午2:12:01
*/
public class EnumTest {
public static void main(String[] args) {
System.out.println(OrderTypeEnum.ORDER_TYPE_IS_ONE.getOrderType());
System.out.println(OrderTypeEnum.ORDER_TYPE_IS_ONE.getMsg());
}
}
枚举类使用过程中因该注意的地方:
一:枚举类中必须定义构造方法;
二:枚举类中元素声明的类型必须和构造函数匹配,可以理解为元素的声明就是调用构造方法实例化了一个元素实例;
三:枚举类中属性可以没有,如果属性存在的话,枚举类中属性的名称可以随意,最好做到见名知意,但是其类型必须匹配构造函数中的类型;
四:元素的声明必须放在枚举类的首部;
五:枚举类的存在是为了简化常量的定义和使用;