如何有效率地決定 Java 檔案的行數
計算檔案的行數是程式設計中的常見任務。在 Java 中,一種常見的方法是逐行讀取檔案直到到達末尾,這對於大檔案來說效率很低。
更最佳化的解決方案是使用 countLinesOld 方法,該方法按位元組讀取檔案byte 併計算換行符 (n) 的出現次數。這種方法比逐行讀取檔案快得多,尤其是對於大檔案。
public static int countLinesOld(String filename) throws IOException { InputStream is = new BufferedInputStream(new FileInputStream(filename)); try { byte[] c = new byte[1024]; int count = 0; int readChars = 0; boolean empty = true; while ((readChars = is.read(c)) != -1) { empty = false; for (int i = 0; i < readChars; ++i) { if (c[i] == '\n') { ++count; } } } return (count == 0 && !empty) ? 1 : count; } finally { is.close(); } }
但是,為了獲得更快的效能,請考慮使用 countLinesNew 方法,該方法利用展開循環和快取等優化檔案的每個 1024 位元組區塊的行數。
public static int countLinesNew(String filename) throws IOException { InputStream is = new BufferedInputStream(new FileInputStream(filename)); try { byte[] c = new byte[1024]; int readChars = is.read(c); if (readChars == -1) { // bail out if nothing to read return 0; } // make it easy for the optimizer to tune this loop int count = 0; while (readChars == 1024) { for (int i=0; i<1024;) { if (c[i++] == '\n') { ++count; } } readChars = is.read(c); } // count remaining characters while (readChars != -1) { for (int i=0; i<readChars; ++i) { if (c[i] == '\n') { ++count; } } readChars = is.read(c); } return count == 0 ? 1 : count; } finally { is.close(); } }
這些最佳化方法比標準 readLine 提供了顯著的速度改進方法,使它們成為高效計算大檔案中行數的理想選擇。
以上是計算 Java 檔案行數最有效的方法是什麼?的詳細內容。更多資訊請關注PHP中文網其他相關文章!