1.ArrayList的遍历
●增强for循环
public static void main(String[] args) {
ArrayList<Integer> list = new ArrayList<>();
list.add(1);
list.add(3);
list.add(2);
list.add(-1);
for (Integer num:list){
System.out.println(num);
}
}
●迭代器遍历
public static void main(String[] args) {
ArrayList<Integer> list = new ArrayList<>();
list.add(1);
list.add(3);
list.add(2);
list.add(-1);
Iterator<Integer> iterator = list.iterator();
while (iterator.hasNext()){
System.out.println(iterator.next());
}
}
●普通for循环
public static void main(String[] args) {
ArrayList<Integer> list = new ArrayList<>();
list.add(1);
list.add(3);
list.add(2);
list.add(-1);
for (int i=0;i<list.size();i++){
System.out.println(list.get(i));
}
}
2.Set集合
迭代器遍历集合
public class test {
public static void main(String[] args) {
Set<Integer> hashSet = new HashSet<>();
hashSet.add(5);
hashSet.add(4);
hashSet.add(6);
hashSet.add(3);
Iterator<Integer> iterator = hashSet.iterator();
while (iterator.hasNext()){
System.out.println(iterator.next());
}
}
}
增强for循环
import java.util.*;
public class test {
public static void main(String[] args) {
Set<Integer> hashSet = new HashSet<>();
hashSet.add(5);
hashSet.add(4);
hashSet.add(6);
hashSet.add(3);
for (Integer i:hashSet){
System.out.println(i);
}
}
}
3.Map集合
1.使用 Iterator 遍历 HashMap EntrySet
import java.util.*;
public class test {
public static void main(String[] args) {
HashMap<String, Integer> map = new HashMap<>();
map.put("1",5);
map.put("2",4);
map.put("3",6);
map.put("4",3);
Iterator<Map.Entry<String, Integer>> iterator = map.entrySet().iterator();
while (iterator.hasNext()){
System.out.println(iterator.next());
}
}
}
2.使用 For-each 循环迭代 HashMap
import java.util.*;
public class test {
public static void main(String[] args) {
HashMap<String, Integer> map = new HashMap<>();
map.put("1",5);
map.put("2",4);
map.put("3",6);
map.put("4",3);
for (Map.Entry<String, Integer> entry : map.entrySet()) {
System.out.println(entry.getKey()+"==>"+entry.getValue());
}
}
}
3.使用 Iterator 遍历HashMap的 KeySet
import java.util.*;
public class test {
public static void main(String[] args) {
HashMap<String, Integer> map = new HashMap<>();
map.put("1",5);
map.put("2",4);
map.put("3",6);
map.put("4",3);
for (String s : map.keySet()) {
System.out.println(s);
}
}
}