2 回答
TA贡献1934条经验 获得超2个赞
如果您的 CSV 文件始终包含指示表列名称的标题行,那么只需捕获该行并将其拆分,以便将这些列名称放入字符串数组(或集合,或其他)中。该数组的长度决定了每个记录数据行预期可用的数据量。一旦你有了列名,事情就变得相对容易了。
如何获取 CSV 文件路径及其格式类型显然取决于您,但以下是如何执行手头任务的一般概念:
public static void readCsvToConsole(String csvFilePath, String csvDelimiter) {
String line; // To hold each valid data line.
String[] columnNames = new String[0]; // To hold Header names.
int dataLineCount = 0; // Count the file lines.
StringBuilder sb = new StringBuilder(); // Used to build the output String.
String ls = System.lineSeparator(); // Use System Line Seperator for output.
// 'Try With Resources' to auto-close the reader
try (BufferedReader br = new BufferedReader(new FileReader(csvFilePath))) {
while ((line = br.readLine()) != null) {
// Skip Blank Lines (if any).
if (line.trim().equals("")) {
continue;
}
dataLineCount++;
// Deal with the Header Line. Line 1 in most CSV files is the Header Line.
if (dataLineCount == 1) {
/* The Regular Expression used in the String#split()
method handles any delimiter/spacing situation.*/
columnNames = line.split("\\s{0,}" + csvDelimiter + "\\s{0,}");
continue; // Don't process this line anymore. Continue loop.
}
// Split the file data line into its respective columnar slot.
String[] lineParts = line.split("\\s{0,}" + csvDelimiter + "\\s{0,}");
/* Iterate through the Column Names and buld a String
using the column names and its' respective data along
with a line break after each Column/Data line. */
for (int i = 0; i < columnNames.length; i++) {
sb.append(columnNames[i]).append(": ").append(lineParts[i]).append(ls);
}
// Display the data record in Console.
System.out.println(sb.toString());
/* Clear the StringBuilder object to prepare for
a new string creation. */
sb.delete(0, sb.capacity());
}
}
// Trap these Exceptions
catch (FileNotFoundException ex) {
System.err.println(ex.getMessage());
}
catch (IOException ex) {
System.err.println(ex.getMessage());
}
}
使用这种方法,您可以拥有 1 到数千个列,这并不重要(并不是说您在任何给定记录中都会有数千个数据列,但是嘿....您永远不知道...哈哈)。并使用此方法:
// Read CSV To Console Window.
readCsvToConsole("test.csv", ",");
TA贡献1719条经验 获得超6个赞
如果始终有 3 个属性,我将读取 csv 的第一行并在具有三个字段的对象中设置值:attribute1、attribute2 和 attribute3。我将创建另一个类来保存三个值并读取之后的所有行,每次创建一个新实例并在数组列表中读取它们。要打印,我只需每次将属性类中的值与每组值一起打印即可。
添加回答
举报