我必须编写读取文本文件的代码,并告诉我文件中有多少行和字符。我有它工作,但后来我意识到我不得不忽略空白差距,所以我写了一个方法来做到这一点。它适用于一行,但如果我有多行,它似乎计算任何空格。任何帮助将不胜感激
import java.io.File;
import java.io.FileNotFoundException;
import java.io.FileReader;
import java.io.IOException;
import java.io.LineNumberReader;
import java.util.Scanner;
import javax.swing.JOptionPane;
public class Inputfile {
public static void main(String[] args) {
System.out.println("file name:");
Scanner sc = new Scanner(System.in);
String fn = sc.next();
int nrl = 0, nChar = 0;// nrl for number of lines
String line;// get line content variable
try {
File fs = new File("C:/" + fn);
nChar = length_ws(fs);
FileReader fr;// for reading file
fr = new FileReader(fs);
LineNumberReader lnr = new LineNumberReader(fr);
while (lnr.readLine() != null) {
nrl++;// count number of lines
}
JOptionPane.showMessageDialog(null, "number of lines:" + nrl + "\ntotal number of chars:" + nChar);
lnr.close();
fr.close();// close file
} catch (FileNotFoundException ex) {
System.err.println("File not found");
System.exit(0);
} catch (IOException ex) {
}
}
public static int length_ws(File f) throws IOException {
FileReader fr = null;
fr = new FileReader(f);
int i;
i = 0;
int c = 0;
do {
c = fr.read();// read character
if (c!= ' ') // count character except white space
i++;
} while (c != -1);
return i - 1;// because the is counted even the end of file
}
}
答案 0 :(得分:1)
我认为它不是在读取空格而是换行(因为这些是字符串)。
我建议您只阅读一次文件(现在看来你已经阅读了两次)。
当char到达时
c = fr.read()
你评估哪个字符可以查看asci表ASCII TABLE,你有空格,制表符和换行符(根据格式注意你可以有两个字符LF和CR用于换行)
如果你有有效的字符,你可以推进你的字母计数器。 如果您有有效的换行符,则可以提高行数。
希望这有助于改善你的编码,祝你好运
看到你的评论我添加了这段代码,它不是完美的,而是一个开始
int LF = 10; // Line feed
int CR = 13; // Chr retrun
int SPACE = 32;// Space
int TAB = 9; // Tab
FileReader fr = null;
int numberOfChars = 0;
int numberOfLines = 0;
int c = 0;
try {
do {
fr = new FileReader(new File("fileName.txt"));
c = fr.read();// read character
if (c > SPACE) { // space (ignoring also other chars
numberOfChars++;
}
if (c == LF) { // if does not have LF try CR
numberOfLines++;
}
} while (c != -1);
} catch (Exception e) {
e.printStackTrace();
if (fr != null) {
try {
fr.close();
} catch (IOException e1) {
}
}
}