- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我一直在寻找一个关于如何动态生成枚举值的好例子。我发现了几篇不错的文章,但是我正在寻找编译时解决方案,而我发现的只是在运行时。
有人知道这是否可能吗?我还没有找到任何暗示它可能的东西。
谢谢!
编辑:澄清一下:我希望能够从数据库中读取值并用这些值填充枚举。
在完美的世界中,我希望我的枚举类如下所示:
public static enum STATE {
/* populated from DB if possible */
MA("high taxes", 6),
NH("low taxes", 3),
...
...
private String desc;
private in rating;
public STATE (String description, int rating) {
this.desc = description;
this.rating = rating;
}
}
最佳答案
嗯,这是一种在类初始化上执行此操作的方法。这是运行时:
public enum States {
MA, NH; // ...
private String description = "Description of " + name() + " not found in database.";
private int rating;
// Static initialization is performed after the enum constants
// are initialized, but can still change *non-final* fields
// in the constants
static {
String sql = "SELECT abbreviation, description, rating "
+"FROM states "
+"WHERE abbreviation IS NOT NULL ";
ResultSet rs;
// Open connection, create statement, execute, retrieve
// result set. IMPORTANT: catch and properly handle all
// checked exceptions, or else you'll get a nasty
// initialization error. OTOH, you may not want your
// application to start if this fails.
while ( rs.next() ) {
String abbreviation = rs.getString(1);
String description = rs.getString(2);
int rating = rs.getInt(3);
States st;
try {
// Get the enum constant that matches the abbreviation.
st = valueOf(abbreviation);
// Set the values in that constant
st.description = description;
st.rating = rating;
} catch ( IllegalArgumentException e ) {
// This exception happens when the abbreviation
// doesn't match any constant. If you don't put
// anything here, such values will be silently
// ignored. If you don't catch, such values will
// throw an initialization Error.
}
}
// Clean up all database-related stuff.
}
// Only getters, no setters, as values are all
// set from database in the static initialization.
public String getDescription() {
return description;
}
public int getRating() {
return rating;
}
}
通过此定义,您可以在程序中使用枚举常量,并且 description
和 rating
字段中的值将在类初始化时从数据库加载。请注意,我为 description
提供了一个默认值,如果特定州的缩写不在数据库中,该值将会显示。
但正如我所说,这是运行时。尽管并非完全不可能,但我认为在编译时从数据库加载值没有任何意义,因为当您使用生成的 .class 时,这些值将保持固定
文件或 jar。当您更改数据库中的值时,应用程序看到的值仍然是硬编译到枚举中的值。事实上,您甚至不需要数据库即可运行应用程序。
但是,如果您出于某种原因坚持这样做,那么我想没有 IDE 会直接支持这一点。但是您可能可以编写一个脚本来操作枚举 java 文件的文本,并在构建工具(maven、ant...)的预编译阶段使用该脚本。您可能需要像上面那样编写您的类,只是静态初始化 block 为空。您需要在 src 目录之外有一个干净的副本,然后运行脚本,以便它使用从数据库派生的文本填充静态初始化 block ,并将结果写入 src 目录中。
简而言之:不推荐,依赖系统/工具,没有用,但也不是不可能。
关于java - 动态生成枚举值,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/31663048/
我是一名优秀的程序员,十分优秀!