任务是读取给定的文件并返回全名列表。我已经成功地分离了行,应该能够同时获得名字和姓氏,但我有点困惑我应该如何做到这一点。
如何从readData()
获取全名?
我要找的是这个输出["Alice Smith", "Bob Brown", "Carol White", "David Doe"]
,而不是重复的名称。
到目前为止,我的代码是这样的:
public class GradeRepository {
public GradeRepository(){
readData();
}
public void readData() {
for (String line : readLines()) {
String[] parts = line.split("\|");
String firstName = parts[0];
String lastName = parts[1];
String subject = parts[2];
String grade = parts[3];
System.out.println(firstName);
System.out.println(lastName);
System.out.println(subject);
System.out.println(grade);
System.out.println(Arrays.toString(parts));
}
}
public List<String> getFullNames() {
List<String> fullNames = new ArrayList<>();
return fullNames;
}
private List<String> readLines() {
try {
return Files.readAllLines(Paths.get("src/ex1/grades.txt"));
} catch (IOException e) {
throw new RuntimeException(e);
}
}
}
给定的文本文件:grades.txt
Alice|Smith|math|5
Bob|Brown|english|4
David|Doe|math|3
Bob|Brown|math|4
Bob|Brown|chemistry|5
Alice|Smith|english|4
Carol|White|chemistry|3
David|Doe|chemistry|4
readData
需要修改以返回String[]
的列表,其中每个字符串数组表示一行,或者需要在GradeRepository
中创建字段List<String[]> data
并在readData
中填充。
接下来,为了消除重复的名称,应该按照注释中的建议使用Set<String>
,并且LinkedHashSet
实现允许保持插入顺序。
readData
返回列表的示例实现:
public List<String[]> readData() {
List<String[]> data = new ArrayList<>();
for (String line : readLines()) {
String[] parts = line.split("\|");
// ... print parts as above if necessary...
data.add(parts);
}
return data;
}
public Set<String> getFullNames() {
Set<String> fullNames = new LinkedHashSet<>();
for (String[] row : readData()) {
fullNames.add(row[0] + " " + row[1]);
}
return fullNames;
}
使用Stream API可能更可取,以避免创建中间集合,因此所有这些方法都可以重写为一个:
public Set<String> getFullNames() throws Exception {
return Files.lines(Path.of("dataset.txt")) // Stream<String>
.map(line -> line.split("\|")) // Stream<String[]>
.filter(arr -> arr.length > 1) // ensure there are 2 columns at least
.map(arr -> arr[0] + " " + arr[1]) // Stream<String>
.collect(Collectors.toCollection(LinkedHashSet::new)); // get collection of unique names
}