对于此示例,正确的重新抛出代码如何?

时间:2011-09-15 09:51:33

标签: java exception-handling

昨天我对这个article重新介绍了Java 7中新的异常处理。

在文章中他们展示了一个在Java 6中不起作用的例子(No 4)。我只是复制了它。

public class ExampleExceptionRethrowInvalid {

public static void demoRethrow()throws IOException {
    try {

        // forcing an IOException here as an example,
        // normally some code could trigger this.
        throw new IOException("Error");
    }
    catch(Exception exception) {
        /*
         * Do some handling and then rethrow.
         */
        throw exception;
    }
}

public static void main( String[] args )
{
    try {
        demoRethrow();
    }
    catch(IOException exception) {
        System.err.println(exception.getMessage());
    }
}
}

就像在描述的文章中一样,它不会编译,因为类型不匹配 - 抛出IOException-和-throw exception-。在Java 7中它会。所以我的问题是。

如何在Java 6中正确实现这种异常的重新抛出?我不喜欢建议的实现例子没有五。我知道如果未经检查的异常,你尝试处理的是品味和问题。那么我该怎么做才能得到-throws IOException-并保持堆栈跟踪?我应该只将catch更改为IOException并冒险没有全部捕获吗?

我很好奇你的答案。

4 个答案:

答案 0 :(得分:6)

简单地抓住IOException,就像这样:

public static void demoRethrow()throws IOException {
    try {
        // forcing an IOException here as an example,
        // normally some code could trigger this.
        throw new IOException("Error");
    }
    catch(IOException exception) {
        /*
         * Do some handling and then rethrow.
         */
        throw exception;
    }
}

如果try块中的代码可以抛出除IOException以外的已检查异常,编译器会将此标记为错误,因此您不会“冒险” ”

如果你也对未经检查的异常感兴趣,你也可以捕获并重新抛出RuntimeException(你不需要在throws子句中声明它。)

答案 1 :(得分:1)

分别抓住IOException和其他所有内容:

public static void demoRethrow() throws IOException {
    try {
        throw new IOException("Error");
    }
    catch(IOException exception) {
        throw exception;
    }
    catch(Exception exception) {
        throw new IOException(exception);
}

答案 2 :(得分:1)

catch(Exception ex)捕获checked和unchecked(RuntimeException)异常。 所以要使其功能相同,

public static void demoRethrow() throws IOException {
try {
    throw new IOException("Error");
}
catch(IOException exception) {
    throw exception;
}
catch(RuntimeException exception) {
    throw new IOException(exception);
}

足够了,编译器会检测其他已检查的异常(有利于再次思考它们是否应该真正实现这一点,或者之前应该使用bean delt)

答案 3 :(得分:0)

在没有编译器检查异常的情况下抛出捕获泛型异常并重新抛出的hacky方法是使用stop。

public static void demoRethrow() throws IOException {
  try {
    throw new IOException("Error");

  } catch(Throwable t) {
    // handle exception

    // rethrow the exception without compiler checks.
    Thread.currentThread().stop(t);
  }
}