3

我在 Super CSV网站上查看了这个示例,该示例显示 dateofbirth 是可选列。如果我有多个可选列会怎样?代码将如何变化?

 private static void readVariableColumnsWithCsvListReader() throws Exception {

        final CellProcessor[] allProcessors = new CellProcessor[] { new UniqueHashCode(), // customerNo (must be unique)
                new NotNull(), // firstName
                new NotNull(), // lastName
                new ParseDate("dd/MM/yyyy") }; // birthDate

        final CellProcessor[] noBirthDateProcessors = new CellProcessor[] { allProcessors[0], // customerNo
                allProcessors[1], // firstName
                allProcessors[2] }; // lastName

        ICsvListReader listReader = null;
        try {
                listReader = new CsvListReader(new FileReader(VARIABLE_CSV_FILENAME), CsvPreference.STANDARD_PREFERENCE);

                listReader.getHeader(true); // skip the header (can't be used with CsvListReader)

                while( (listReader.read()) != null ) {

                        // use different processors depending on the number of columns
                        final CellProcessor[] processors;
                        if( listReader.length() == noBirthDateProcessors.length ) {
                                processors = noBirthDateProcessors;
                        } else {
                                processors = allProcessors;
                        }

                        final List<Object> customerList = listReader.executeProcessors(processors);
                        System.out.println(String.format("lineNo=%s, rowNo=%s, columns=%s, customerList=%s",
                                listReader.getLineNumber(), listReader.getRowNumber(), customerList.size(), customerList));
                }

        }
        finally {
                if( listReader != null ) {
                        listReader.close();
                }
        }
}

另外,如果可选列不在末尾而是在中心或其他地方怎么办?

4

1 回答 1

2

所以这里真正的问题是,要应用正确的单元处理器,您需要知道每列中有哪些数据。使用有效的 CSV 文件(每行上的列数相同)这不是问题,但如果您正在处理可变列 CSV 文件,那就很棘手了。

如果像示例一样,只有 1 列是可选的,那么您只需要计算读取的列数并使用适当的单元处理器数组。该可选列在哪里并不重要,因为它仍然是可预测的。

但是,如果多于 1 列是可选的,那么您就有麻烦了。例如,如果middleNamecity在以下 CSV 文件中是可选的:

firstName,middleName,lastName,city
Philip,Fry,New York

这可以读作:

firstName="Philip", middleName="Fry", lastName="New York", city=null

或者

firstName="Philip", middleName=null, lastName="Fry", city="New York"

它不再是可预测的。您可能能够检查列中的数据以确定该列应该代表什么(例如,日期有/'s),但这不是很可靠,即使这样,您甚至可能需要阅读几行才能弄清楚出去。

于 2013-08-14T23:01:27.947 回答