Apache POI 3.8 (当時の最新の安定版) は、各シートの一時 XML ファイルを作成します (SXSSF を使用する場合) が、これらのファイルを削除するオプションはありません。600MB のデータをエクスポートする場合、600MB のファイルが 2 つあり、そのうちの 1 つが削除されるまで一時フォルダーに置かれるため、この事実により、この API の使用は適切ではありません。
コードを掘り下げると、クラスSXSSFSheet
に のインスタンスがあることがわかりますSheetDataWriter
。この最後のクラスは、インスタンスによって表される一時ファイルの書き込みと維持を担当しFile
ます。このオブジェクトにアクセスすると、ファイルを削除できます。これらのインスタンスはすべてプライベートであるため、理論的にはアクセスできません。ただし、リフレクションを介して、インスタンスにアクセスして、File
この便利ではあるが迷惑なファイルを削除できます!
以下のメソッドでこれを行うことができます。を呼び出すと、deleteSXSSFTempFiles
そのワークブックのすべての一時ファイルが削除されます。
/**
* Returns a private attribute of a class
* @param containingClass The class that contains the private attribute to retrieve
* @param fieldToGet The name of the attribute to get
* @return The private attribute
* @throws NoSuchFieldException
* @throws IllegalAccessException
*/
public static Object getPrivateAttribute(Object containingClass, String fieldToGet) throws NoSuchFieldException, IllegalAccessException {
//get the field of the containingClass instance
Field declaredField = containingClass.getClass().getDeclaredField(fieldToGet);
//set it as accessible
declaredField.setAccessible(true);
//access it
Object get = declaredField.get(containingClass);
//return it!
return get;
}
/**
* Deletes all temporary files of the SXSSFWorkbook instance
* @param workbook
* @throws NoSuchFieldException
* @throws IllegalAccessException
*/
public static void deleteSXSSFTempFiles(SXSSFWorkbook workbook) throws NoSuchFieldException, IllegalAccessException {
int numberOfSheets = workbook.getNumberOfSheets();
//iterate through all sheets (each sheet as a temp file)
for (int i = 0; i < numberOfSheets; i++) {
Sheet sheetAt = workbook.getSheetAt(i);
//delete only if the sheet is written by stream
if (sheetAt instanceof SXSSFSheet) {
SheetDataWriter sdw = (SheetDataWriter) getPrivateAttribute(sheetAt, "_writer");
File f = (File) getPrivateAttribute(sdw, "_fd");
try {
f.delete();
} catch (Exception ex) {
//could not delete the file
}
}
}
}