我正在使用uniVocity来解析两个不同的文件。对于第一个文件的每一行,我需要遍历文件2以进行一些比较。
RowListProcessor rowProcessor = new RowListProcessor();
CsvParserSettings settings = new CsvParserSettings();
settings.setRowProcessor(rowProcessor);
settings.setLineSeparatorDetectionEnabled(true);
settings.setHeaderExtractionEnabled(true);
settings.setSkipEmptyLines(true);
CsvParser file1Parser = new CsvParser(settings);
CsvParser file2Parser = new CsvParser(settings);
我是否需要为两个解析器使用不同的CsvParserSettings
,还是有其他方法来定义rowProcessor
?
另外,如何逐行读取文件以执行每行所需的操作?
答案 0 :(得分:1)
您可以使用相同的设置,但如果您要同时运行两个解析器,则每个解析器都需要新的rowProcessor
。
RowListProcessor anotherRowProcessor = new RowListProcessor();
settings.setRowProcessor(anotherRowProcessor); //using the same settings object here
CsvParser file2Parser = new CsvParser(settings);
但是,根据您所描述的情况,您似乎没有使用行处理器并且只是遍历每个解析器生成的行。在这种情况下,只需摆脱行处理器,并执行此操作:
CsvParser file1Parser=new CsvParser(settings);
CsvParser file2Parser=new CsvParser(settings);
file1Parser.beginParsing(file1);
file2Parser.beginParsing(file2);
String[] rowOfParser1;
String[] rowOfParser2;
while((rowOfParser1 = file1Parser.parseNext()) != null){
rowOfParser2 = file2Parser.parseNext();
//do whatever you need to do with the rows.
}
//only need to call this if you are not reading both inputs entirely
file1Parser.stopParsing();
file2Parser.stopParsing();
希望这有帮助。