此问题是this one的扩展。
OP要求在CSVPrinter的帮助下打印番石榴表:

final Table<String, String, Double> graph = HashBasedTable.create();

graph.put("A", "FirstCol", 0.0);
graph.put("A", "SecondCol", 1.0);
graph.put("B", "FirstCol", 0.1);
graph.put("B", "SecondCol", 1.1);

final Appendable out = new StringBuilder();
try {
    final CSVPrinter printer = CSVFormat.DEFAULT.print(out);

    printer.printRecords(graph.rowMap().entrySet()
      .stream()
      .map(entry -> ImmutableList.builder()
            .add(entry.getKey())
            .addAll(entry.getValue().values())
            .build())
      .collect(Collectors.toList()));

} catch (final IOException e) {
    e.printStackTrace();
}

System.out.println(out);


使用整合了可接受答案的先前代码,CSVPrinter将打印下表:

A,0.0,1.0
B,0.1,1.1


我想知道是否有一种方法可以将表列键中的字符串存储为CSV的标题,因此在示例中它应显示以下内容:

AorB,FirstCol,SecondCol
A,0.0,1.0
B,0.1,1.1


提前致谢!

最佳答案

《 Apache Commons CSV用户指南》的Printing with headers部分建议使用
CSVFormat.withHeader。在您的情况下,它可能看起来像:

final String[] header = new ImmutableList.Builder<String>()
    .add("AorB").addAll(graph.columnKeySet())
    .build().toArray(new String[0]);
final CSVPrinter printer = CSVFormat.DEFAULT.withHeader(header).print(out);

10-02 01:03