java.io.IOException: Stream closed
异常通常发生在尝试对已关闭的输入/输出流(如 InputStream
、OutputStream
、Reader
、Writer
等)执行操作时。一旦流被关闭,任何试图读取或写入该流的操作都会抛出这个异常。
try-with-resources
语句时,流会在 try
代码块结束后自动关闭,如果在该块外再次尝试使用它,就会引发异常。try-with-resources
外部使用流:如果使用了 try-with-resources
,则确保在 try
块内完成所有与流相关的操作。下滑查看解决方法
InputStream inputStream = null; try { inputStream = new FileInputStream("file.txt"); // ... 使用 inputStream 进行操作 ... } catch (IOException e) { e.printStackTrace(); } finally { if (inputStream != null) { try { inputStream.close(); } catch (IOException e) { e.printStackTrace(); } } } // 确保不在这里或之后使用 inputStream,因为它已经被关闭了
try (InputStream inputStream = new FileInputStream("file.txt")) { // ... 使用 inputStream 进行操作 ... // 无需显式关闭 inputStream,它会在 try 块结束时自动关闭 } catch (IOException e) { e.printStackTrace(); } // 不要在这里或之后使用 inputStream,因为它已经不在作用域内了
InputStream inputStream = new FileInputStream("file.txt"); boolean isClosed = false; try { // ... 使用 inputStream 进行操作 ... } catch (IOException e) { if (e.getMessage().equals("Stream closed")) { // 处理流已关闭的情况 isClosed = true; } else { e.printStackTrace(); } } finally { if (!isClosed && inputStream != null) { try { inputStream.close(); } catch (IOException e) { e.printStackTrace(); } } }
注意:在实际应用中,方法三中的逻辑检查可能并不是最佳实践,因为它依赖于异常消息的特定内容,这可能会因Java版本或不同的库实现而有所变化。更常见的是使用 try-with-resources
或确保在正确的位置关闭流。