java - 是否有类似 C 的方法从 Java 中的枚举中获取项目编号?

标签 java c constants enums

也许这是一个简单的基础问题

有一个枚举

public enum TK{
        ID,GROUP,DATA,FAIL;
        }

我可以得到订单号,例如 ID=0, GROUP=2, DATA=3, FAIL=4 吗?

这是一种方法,但是很奇怪而且很长! =S

public enum TK{
        ID(0),GROUP(1),DATA(2),FAIL(3);

        int num;
        TK(int n)
        {
           this.num=n;
        }

        public int get()
        {
           return num;
        }

  };

为了获取数字,所以我写了 TK.ID.get()、TK.GROUP.get() 等...我不喜欢这样

有更好的方法吗?

(C 枚举,C 宏..我想你们俩)

谢谢

最佳答案

ordinal()做你想做的事。这是文档的摘录:

Returns the ordinal of this enumeration constant (its position in its enum declaration, where the initial constant is assigned an ordinal of zero). Most programmers will have no use for this method. It is designed for use by sophisticated enum-based data structures, such as EnumSet and EnumMap.

Josh Bloch 在 Effective Java 2nd Edition 中进一步解释了为什么使用 ordinal() 是一个糟糕的主意。以下是一些引述,略有编辑:

Never derive a value associated with an enum from its ordinal; store it in an instance field instead. (Item 31: Use instance fields instead of ordinals) It is rarely appropriate to use ordinals to index arrays: use EnumMap instead. The general principle is that application programmers should rarely, if ever, use Enum.ordinal. (Item 33: Use EnumMap instead of ordinal indexing)

你的“诡异而漫长”的方式正是第31条的处方。

幸运的是,Java 不是C。Java enum 非常强大和灵活,被许多库类支持,你应该学会拥抱它们而不是使用序数()

看看EnumMap例如。

A specialized Map implementation for use with enum type keys. All of the keys in an enum map must come from a single enum type that is specified, explicitly or implicitly, when the map is created. Enum Maps are represented internally as arrays. This representation is extremely compact and efficient.

也就是说,而不是以下内容(这可能是您想要做的):

T[] arr = ...;
TK tk = ...;
T something = ...;

arr[tk.ordinal()] = something;

您可以改为:

Map<TK,T> map = new EnumMap<TK,T>(TK.class);
TK tk = ...;
T something = ...;

map.put(tk, something);

本书还介绍了 C 语言中 enum 的另一种“传统”(滥用)用法,即位域(将 2 的幂分配给每个常量等)。好吧,因为 Java 有 EnumSet相反。

关于java - 是否有类似 C 的方法从 Java 中的枚举中获取项目编号?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/2765687/

相关文章:

java - 如何从房间数据库存储和检索图像

java - 如何在Java中以不区分大小写的方式检查一个字符串是否包含另一个字符串?

c - &*NULL 在 C 语言中定义明确吗?

c++ - 如何强制 GCC 将常量放入内存而不是生成它们?

rust - 为什么我会收到错误 "function pointers in const fn are unstable",但在用新类型包装后它会消失?

c# - 通过资源文件将本地化应用到 DisplayAttribute

java - 创建我自己的自定义标签时出现问题(JSF 2.0)

c - 如何评估二叉树(中序)?

c - 命令提示符下无输出

java - 如果我有多个格式不同的字符串,我是否需要一个单独的 DateFormat 实例来解析每个字符串?