1

提供我的程序可以作为默认值访问的静态(最终)值的最佳方法是什么?什么是最有效或最佳实践?我正在使用带有 AWT/Swing 的普通旧 Java。

例如,我可以想象编写一个Default只包含可以访问的公共常量的类。你会称之为“硬编码”吗?

另一个想法是在 Android 中的资源文件中提供值。但是我需要一种在编译时解析文件并为其生成类的机制。对于没有 Android SDK 的 Java 是否存在类似的东西?

我对最佳实践和设计模式感兴趣。欢迎对我的问题提出任何建议。

4

2 回答 2

1

例如,我可以想象编写一个Default只包含可以访问的公共常量的类。你会称之为“硬编码”吗?

当然,这将是硬编码。另一方面,所有最后机会的默认值都必须是硬编码的,所以这根本不是问题。

您还可以为可能使用的各种变量创建映射硬编码默认值,并在需要默认值时从该映射中读取。但是,这并不能让编译器确保您引用的所有常量都存在,我认为这是首先为默认值创建类的重点。

我会接受你对Default课程的建议,并使用它的静态导入来获得漂亮且可读的解决方案。

于 2013-10-06T13:18:44.513 回答
1

通常常量属于它们所属的类。例如:

public class Service {
    public static final int PORT = 8080;

    public static final int TIMEOUT = 10_000;

    public Service() {
        // ...
    }
}

public class AppWindow {
    public static final boolean CENTER_WINDOW = false;

    public static final int VISIBLE_LINES = 12;

    public AppWindow() {
        // ...
    }
}

如果您希望常量可配置,最简单的方法是让它们可定义为系统属性:

public class Service {
    public static final int PORT = Math.max(1,
        Integer.getInteger("Service.port", 8080));

    public static final int TIMEOUT = Math.max(1,
        Integer.getInteger("Service.timeout", 10_000));
}

public class AppWindow {
    public static final boolean CENTER_WINDOW =
        Boolean.getBoolean("AppWindow.centerWindow");

    public static final int VISIBLE_LINES = Math.max(1,
        Integer.getInteger("AppWindow.visibleLines", 12));
}

如果您想让用户能够在文件中配置这些默认值,您可以从属性文件中读取它们,只要在加载包含常量的任何类之前完成即可:

Path userConfigFile =
    Paths.get(System.getProperty("user.home"), "MyApp.properties");

if (Files.isReadable(userConfigFile)) {
    Properties userConfig = new Properties();
    try (InputStream stream =
            new BufferedInputStream(Files.newInputStream(userConfigFile))) {
        userConfig.load(stream);
    }

    Properties systemProperties = System.getProperties();
    systemProperties.putAll(userConfig);
    System.setProperties(systemProperties);
}

(为简洁起见,我故意过度简化了属性文件的位置;每个操作系统对此类文件的位置都有不同的策略。)

于 2013-10-06T14:08:03.337 回答