如何高效确定 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中文网其他相关文章!