4

我有以下代码:

public class LoadProperty
{
public static final String property_file_location = System.getProperty("app.vmargs.propertyfile");
public static final String application-startup_mode = System.getProperty("app.vmargs.startupmode");
}

它从“VM 参数”中读取并分配给变量。

由于静态最终变量仅在类加载时初始化,如果有人忘记传递参数,我该如何捕获异常。

截至目前,当我使用“property_file_location”变量时,在以下情况下会遇到异常:

  • 如果值存在,并且位置错误,则会出现 FileNotFound 异常。
  • 如果未正确初始化(值为 null),则抛出 NullPointerException。

我只需要在初始化时处理第二种情况。

第二个变量的情况类似。

整个想法是

  • 初始化应用程序配置参数。
  • 如果初始化成功,继续。
  • 如果没有,请提醒用户并终止应用程序。
4

3 回答 3

4

你可以这样捕捉它:

public class LoadProperty
{
    public static final String property_file_location;

    static {
        String myTempValue = MY_DEFAULT_VALUE;
        try {
            myTempValue = System.getProperty("app.vmargs.propertyfile");
        } catch(Exception e) {
            myTempValue = MY_DEFAULT_VALUE;
        }
        property_file_location = myTempValue;
    }
}
于 2013-07-26T06:14:54.153 回答
2

您可以按照其余答案的建议使用静态初始化程序块。更好地将此功能移动到静态实用程序类,以便您仍然可以将它们用作单线。然后,您甚至可以提供默认值,例如

// PropertyUtils is a new class that you implement
// DEFAULT_FILE_LOCATION could e.g. out.log in current folder
public static final String property_file_location = PropertyUtils.getProperty("app.vmargs.propertyfile", DEFAULT_FILE_LOCATION); 

但是,如果这些属性预计不会一直存在,我建议不要将它们初始化为静态变量,而是在正常执行期间读取它们。

// in the place where you will first need the file location
String fileLocation = PropertyUtils.getProperty("app.vmargs.propertyfile");
if (fileLocation == null) {
    // handle the error here
}
于 2013-07-26T06:30:43.563 回答
0

您可能想使用静态块:

public static final property_file_location;
static {
  try {
    property_file_location = System.getProperty("app.vmargs.propertyfile");
  } catch (xxx){//...}
}
于 2013-07-26T06:16:05.807 回答