如果Scanner类具有previous()方法,则可以解决我的问题。我问这个问题是想知道是否有什么方法可以实现这个功能。
输入:内容为
的文件a,1
a,2
a,3
b,1
c,1
c,2
c,3
c,4
d,1
d,2
d,3
e,1
f,1
我需要创建一个所有具有相同字母的行列表。
try {
Scanner scanner = new Scanner(new File(fileName));
List<String> procList = null;
String line =null;
while (scanner.hasNextLine()){
line = scanner.nextLine();
System.out.println(line);
String[] sParts = line.split(",");
procList = new ArrayList<String>();
procList.add(line);
boolean isSamealpha = true;
while(isSamealpha){
String s1 = scanner.nextLine();
if (s1.contains(sParts[0])){
procList.add(s1);
}else{
isSamealpha = false;
System.out.println(procList);
}
}
}
} catch (FileNotFoundException e) {
e.printStackTrace();
}
我得到像
这样的输出a,1
[a,1, a,2, a,3]
c,1
[c,1, c,2, c,3, c,4]
d,2
[d,2, d,3]
f,1
[f,1]
正如你所看到的,它错过了b和e的列表。如果我有scanner.previous()方法,我会把它放在第二个while循环的else中。因为没有先前的方法,我被卡住了。
请让我知道如果有什么方法我可以使用。我不能使用FileUtils.readLines(),因为它是一个3GB的文件,我不想使用我的java内存来存储所有的文件。
我建议重新考虑你的算法。您丢失了令牌,因为您的算法涉及提前读取以确定序列何时中断,但是您没有将下一行输入收集到您放置"重复"条目的相同结构中。
不需要反向读取就可以解决这个问题。如果您知道输入始终是排序的,则只需逐行读取并保留对最后一行的引用(以便与当前行进行比较)。
下面是一些示例代码,应该会有所帮助。(我只是打了这个;)
Scanner scanner = new Scanner(new File(fileName));
List<String> procList = null;
String line = null;
String previousAlpha = null;
while (scanner.hasNextLine()){
line = scanner.nextLine();
if (previousAlpha == null) {
// very first line in the file
procList = new ArrayList<String>();
procList.add(line);
System.out.println(line);
previousAlpha = line.split(",")[0];
}
else if (line.contains(previousAlpha)) {
// same letter as before
procList.add(line);
}
else {
// new letter, but not the very first
// line
System.out.println(procList);
procList = new ArrayList<String>();
procList.add(line);
System.out.println(line);
previousAlpha = line.split(",")[0];
}
}