[已更新,对更改感到抱歉,但现在是真正的问题] 对于getCanonicalPath()方法中的异常,我无法在其中包括try-catch- loop。我试图通过方法来解决问题,然后在其中声明值。问题是它是最终版本,我无法更改。因此,如何将startingPath作为“ public staticfinal”。
$ cat StartingPath.java import java.util.*; import java.io.*; public class StartingPath { public static final String startingPath = (new File(".")).getCanonicalPath(); public static void main(String[] args){ System.out.println(startingPath); } } $ javac StartingPath.java StartingPath.java:5: unreported exception java.io.IOException; must be caught or declared to be thrown public static final String startingPath = (new File(".")).getCanonicalPath(); ^ 1 error
这个名字很好。您忘记声明类型了。
public static final String startingPath; // ^^^^^^
解决这个问题,您当然会意识到如何应对可能性IOException和startingPath存在的难题final。一种方法是使用static初始化程序:
IOException
startingPath
final
static
在 初始化 类时,将执行在类中声明的任何 静态初始化 器,并且可以将其与任何用于类变量的字段初始化器一起用于初始化该类的类变量。
public static final String startingPath; static { String path = null; try { path = new File(".").getCanonicalPath(); } catch (IOException e) { // do whatever you have to do } startingPath = path; }
另一种方法是使用一种static方法。这种方法实际上可以提高可读性,并且是Josh Bloch在 Effective Java中 推荐的方法。
您可以提供一个静态方法来初始化您的静态变量:
public static final String startingPath = initPath(); private static String initPath() { try { return new File(".").getCanonicalPath(); } catch (IOException e) { throw new RuntimeException("Got I/O exception during initialization", e); } }
或者,您可以在静态块中初始化变量:
public static final String startingPath; static { try { startingPath = new File(".").getCanonicalPath(); } catch (IOException e) { throw new RuntimeException("Got I/O exception during initialization", e); } }
编辑:在这种情况下,您的变量是,static所以没有办法声明抛出的异常。仅供参考,如果变量不是-static您可以通过在构造函数中声明抛出的异常来做到这一点,如下所示:
public class PathHandler { private final String thePath = new File(".").getCanonicalPath(); public PathHandler() throws IOException { // other initialization }