如何在没有迭代器的情况下迭代集合/哈希集?

2022-08-31 05:05:10

如何在没有以下内容的情况下迭代 / ?SetHashSet

Iterator iter = set.iterator();
while (iter.hasNext()) {
    System.out.println(iter.next());
}

答案 1

您可以使用增强的 for 循环

Set<String> set = new HashSet<String>();

//populate set

for (String s : set) {
    System.out.println(s);
}

或者使用Java 8:

set.forEach(System.out::println);

答案 2

至少有六种额外的方法来迭代一个集合。以下是我所知道的:

方法 1

// Obsolete Collection
Enumeration e = new Vector(movies).elements();
while (e.hasMoreElements()) {
  System.out.println(e.nextElement());
}

方法 2

for (String movie : movies) {
  System.out.println(movie);
}

方法 3

String[] movieArray = movies.toArray(new String[movies.size()]);
for (int i = 0; i < movieArray.length; i++) {
  System.out.println(movieArray[i]);
}

方法 4

// Supported in Java 8 and above
movies.stream().forEach((movie) -> {
  System.out.println(movie);
});

方法 5

// Supported in Java 8 and above
movies.stream().forEach(movie -> System.out.println(movie));

方法 6

// Supported in Java 8 and above
movies.stream().forEach(System.out::println);

这是我在示例中使用的:HashSet

Set<String> movies = new HashSet<>();
movies.add("Avatar");
movies.add("The Lord of the Rings");
movies.add("Titanic");

推荐