如何从一个 Map 向一个文件写入 K,从另一个 Map 写入 V?

How do I write to one file a K from one Map, and a V from another?

我需要将一个映射中的所有键写入到 csv 中的一列中,并将来自不同映射中的所有值写入下一列中。

我可以使用此代码单独执行任一列,但是当我组合时,我该如何解释这个(?),如果我有 10 个键和 10 个值,则键将重复每个键中的 10 个。

我需要对我的循环做什么?

private static void generateCourseCounts() throws IOException {     
    ArrayList<StudentCourse> lsc = loadStudentCourses();
    Map<Integer, Integer> countStudents = new TreeMap<Integer, Integer>();
    for (StudentCourse sc : lsc) {
        Integer freq = countStudents.get(sc.getCourseId());
        countStudents.put(sc.getCourseId(), (freq == null) ? 1 : freq + 1);
    }
    ArrayList<Course> lc = loadCourses();
    Map<String, String> courses = new LinkedHashMap<String, String>();
    for (Course c : lc) {
        String freq = courses.get(c.getCourseName());
        courses.put(c.getCourseName(), freq);
    }
    FileWriter writer = new FileWriter("CourseCounts.csv");
    PrintWriter printWriter = new PrintWriter(writer);
    printWriter.println("Course Name\t# Students");
    for (Entry<String, String> courseKey : courses.entrySet()) 
    for (Entry<Integer, Integer> numberKey : countStudents.entrySet()) {
        printWriter.println(courseKey.getKey() + "\t" + numberKey.getValue());
    }
    printWriter.close();
    writer.close();
}

因此,根据下面的评论,我对此进行了编辑:

for (String courseKey : courses.keySet()) {
    Integer count = countStudents.get(courseKey) ;
    printWriter.println(courseKey + "\t" + count); 
    }

但是,这会写入一个空文件。

您不需要嵌入式循环。您可以通过第一个地图中的键进行迭代并从第二个地图中获取值:

for (String courseKey: courses.keySet())
   String count = countStudents.get(courseKey);
   // ... output courseKey and count to file
}

试试这个。它确实假定每个映射中的映射条目数是相同的。 否则,您要么得到索引越界异常,要么不会打印所有值。

      int i = 0;
      Integer[] counts = countStudents.values().stream().toArray(Integer[]::new);
      for (String courseKey : courses.keySet()) {
         printWriter.println(courseKey + "\t" + counts[i++]);
      }
      printWriter.close();
      writer.close();