Java:自定义Enum

发布时间:2023年12月17日

Java 枚举是一个特殊的类,一般表示一组常量,比如一年的 4 个季节,一年的 12 个月份,一个星期的 7 天,方向有东南西北等。

一、常量:

Java 枚举类使用enum关键字来定义,各个常量使用逗号“,”来分割。

定义一个颜色的枚举类:

enum Color { 
    RED, GREEN, BLUE; 
} 

测试代码:

public class Test { 
    // 执行输出结果
    public static void main(String[] args) {
        Color c1 = Color.RED;
        System.out.println(c1);
    }
}



// 运行结果
RED

?二、switch:

switch 语句中的变量类型可以是: byte、short、int 或者 char。从 Java SE 7 开始,switch 支持字符串 String 类型了,同时 case 标签必须为字符串常量或字面量。

示例:

enum ColorEnum { 
? ? RED, GREEN, BLUE; 
} 

public class MyClass {

? public static void main(String[] args) {
? ? ColorEnum color= ColorEnum.BLUE;

? ? switch(color) {
? ? ? case RED:
? ? ? ? System.out.println("红色");
? ? ? ? break;

? ? ? case GREEN:
? ? ? ? ?System.out.println("绿色");
? ? ? ? break;

? ? ? case BLUE:
? ? ? ? System.out.println("蓝色");
? ? ? ? break;
? ? }
? }
}

运行结果:

蓝色

三、常用方法:

values(), ordinal() 和 valueOf() 方法

enum 定义的枚举类默认继承了 java.lang.Enum 类,并实现了 java.lang.Serializable 和 java.lang.Comparable 两个接口。

values(), ordinal() 和 valueOf() 方法位于 java.lang.Enum 类中:

  • values() 返回枚举类中所有的值。
  • ordinal()方法可以找到每个枚举常量的索引,就像数组索引一样。
  • valueOf()方法返回指定字符串值的枚举常量。
enum Color 
{ 
? ? RED, GREEN, BLUE; 
} 
? 
public class Test 
{ 
? ? public static void main(String[] args) 
? ? { 
? ? ? ? // 调用 values() 
? ? ? ? Color[] colors = Color.values(); 
? 
? ? ? ? // 迭代枚举
? ? ? ? for (Color color : colors) 
? ? ? ? { 
? ? ? ? ? ? // 查看索引
? ? ? ? ? ? System.out.println(color + " at index " + color.ordinal()); 
? ? ? ? } 
? 
? ? ? ? // 使用 valueOf() 返回枚举常量,不存在的会报错 IllegalArgumentException 
? ? ? ? System.out.println(Color.valueOf("RED")); 
? ? ? ? // System.out.println(Color.valueOf("WHITE")); 
? ? } 
}

执行以上代码输出结果为:

RED at index 0
GREEN at index 1
BLUE at index 2
RED

四、枚举类成员

枚举跟普通类一样可以用自己的变量、方法和构造函数,构造函数只能使用 private 访问修饰符,所以外部无法调用。

枚举既可以包含具体方法,也可以包含抽象方法。 如果枚举类具有抽象方法,则枚举类的每个实例都必须实现它。

enum Color 
{ 
? ? RED, GREEN, BLUE; 
? 
? ? // 构造函数
? ? private Color() 
? ? { 
? ? ? ? System.out.println("Constructor called for : " + this.toString()); 
? ? } 
? 
? ? public void colorInfo() 
? ? { 
? ? ? ? System.out.println("Universal Color"); 
? ? } 
} 
? 
public class Test 
{ ? ? 
? ? // 输出
? ? public static void main(String[] args) 
? ? { 
? ? ? ? Color c1 = Color.RED; 
? ? ? ? System.out.println(c1); 
? ? ? ? c1.colorInfo(); 
? ? } 
}

执行以上代码输出结果为:

Constructor called for : RED
Constructor called for : GREEN
Constructor called for : BLUE
RED
Universal Color

文章来源:https://blog.csdn.net/weiweiqiao/article/details/135049509
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。