JAVA中的简单CSV文件比较

问题描述 投票:0回答:1

我使用以下代码比较两个CSV的file1和file2。其中file1是需要与file2进行比较的文件,它完成了我需要的部分工作,但没有完成所有工作。我这里主要需要3次比较。

1>与file2相比缺少file1中的行 - >不工作{还显示file2的记录,这不起作用}

2> file1中的附加行,在file2中不存在 - >工作

3>与file2相比file1中的数据不匹配 - >工作{还显示文件1和文件2行,这不起作用}

另外,我需要在{}内写的评论才能正常工作。

package com.mkyong;
import java.io.*;
import java.util.Scanner;
import java.util.ArrayList;

public class CSVComparison {

    public static void main(String args[]) throws FileNotFoundException, IOException
    {
        String file1="qa_table_stats.csv";
        String file2="prod_table_stats.csv";
        String file3="TabStats_qa_prod.csv";
        ArrayList al1=new ArrayList();
        ArrayList al2=new ArrayList();

        BufferedReader CSVFile1 = new BufferedReader(new FileReader(file1));
        String dataRow1 = CSVFile1.readLine();
        while (dataRow1 != null)
        {
            String[] dataArray1 = dataRow1.split("/n");
            for (String item1:dataArray1)
            { 
               al1.add(item1);
            }

            dataRow1 = CSVFile1.readLine(); // Read next line of data.
        }

         CSVFile1.close();

        BufferedReader CSVFile2 = new BufferedReader(new FileReader(file2));
        String dataRow2 = CSVFile2.readLine();
        while (dataRow2 != null)
        {
            String[] dataArray2 = dataRow2.split("/n");
            for (String item2:dataArray2)
            { 
               al2.add(item2);

            }
            dataRow2 = CSVFile2.readLine(); // Read next line of data.
        }
         CSVFile2.close();

         String bs = null;
         for(Object o: al2)
         {
             bs = o.toString();
             al1.remove(bs); // Checks for Additional Row in al1 and difference in rows in al1, 
                            // but does not check for missing rows which are in bs but not in al1
         }

         int size=al1.size();
         System.out.println(size);
         System.out.println(bs);

         try
            {
                FileWriter writer=new FileWriter(file3);
                while(size!=0)
                {
                    size--;
                    writer.append(""+al1.get(size));
                    writer.append('\n');
                }
                writer.flush();
                writer.close();
            }
            catch(IOException e)
            {
                e.printStackTrace();
            }
    }
}
java arraylist bufferedreader
1个回答
0
投票

像这样简化你的代码(为al2做同样的事情):

ArrayList<String> al1=new ArrayList();
BufferedReader CSVFile1 = new BufferedReader(new FileReader(file1));
String dataRow1;
while ((dataRow1 = CSVFile1.readLine()) != null) {
    al1.add(dataRow1);
}

然后从文件中找到不在另一个中的行(对al1和al2执行相同操作):

for (String s : al2) {
    if (!al1.contains(s)) {
        System.out.println("In file 2, but not in file 1: " + s);
    }
}

for循环为您提供不同的行。我只是做了System.out.println,但是你可以很容易地计算它们,将它们保存到文件中等等。

© www.soinside.com 2019 - 2024. All rights reserved.