在c#中,我可以使用throw;语句在保留堆栈跟踪的同时重新抛出异常:
try
{
...
}
catch (Exception e)
{
if (e is FooException)
throw;
}
Java中是否有类似的东西(不会丢失原始堆栈跟踪)?
在c#中,我可以使用throw;语句在保留堆栈跟踪的同时重新抛出异常:
try
{
...
}
catch (Exception e)
{
if (e is FooException)
throw;
}
Java中是否有类似的东西(不会丢失原始堆栈跟踪)?
当前回答
public int read(byte[] a) throws IOException {
try {
return in.read(a);
} catch (final Throwable t) {
/* can do something here, like in=null; */
throw t;
}
}
这是该方法抛出IOException的一个具体示例。最后一种方法是t只能保存try块抛出的异常。其他阅读材料可以在这里和这里找到。
其他回答
你也可以将异常包装在另一个异常中,并通过将exception作为Throwable参数作为原因参数来保留原始的堆栈跟踪:
try
{
...
}
catch (Exception e)
{
throw new YourOwnException(e);
}
我更喜欢:
try
{
...
}
catch (FooException fe){
throw fe;
}
catch (Exception e)
{
// Note: don't catch all exceptions like this unless you know what you
// are doing.
...
}
在Java中,您只需抛出捕获的异常,因此抛出e而不是抛出。Java维护堆栈跟踪。
在Java中几乎是一样的:
try
{
...
}
catch (Exception e)
{
if (e instanceof FooException)
throw e;
}
catch (WhateverException e) {
throw e;
}
将简单地重新抛出您捕获的异常(显然,周围的方法必须通过其签名等允许这样做)。异常将维护原始堆栈跟踪。