一、List遍历
Java中List遍历有三种方法来遍历泛型,主要为:
1.for循环遍历
2.iterator遍历
3.foreach遍历
package com.gmail.lsgjzhuwei;
import java.util.ArrayList;
import java.util.Iterator;
import java.util.List;
import org.junit.Test;
public class test {
//第一种方法:for循环遍历
@Test
public void test1() {
List li = new ArrayList();
li.add("agad");
li.add("1234");
li.add("good");
for (int i = 0; i < li.size(); i++) {
String s = li.get(i);
System.out.println(s);
}
System.out.println("-------------------");
}
//第二种方法:iterator遍历
@Test
public void test2() {
List li = new ArrayList();
li.add("agad");
li.add("1234");
li.add("good");
Iterator iterator = li.iterator();
while (iterator.hasNext()) {
String s = (String) iterator.next();
System.out.println(s);
}
System.out.println("-------------------");
}
//第三种方法:foreach方法遍历
@Test
public void test3() {
List li = new ArrayList();
li.add("agad");
li.add("1234");
li.add("good");
foreach (String s : li) {
System.out.println(s);
}
System.out.println("-------------------");
}
}
二、Map遍历
Map遍历只要有两种方法:
1.通过Map的KeySet进行遍历
2.通过Map的EntrySet进行遍历
// Map的遍历方法一:通过map的KeySet进行遍历
@Test
public void test4() {
Map map = new HashMap();
map.put(1, "good");
map.put(2, "morning");
Set set = map.keySet();
for (Integer ky : set) {
System.out.println(ky + ":" + map.get(ky));
}
System.out.println("-------------------");
}
// Map的遍历方法二:通过map的entrySet进行遍历
@Test
public void test5() {
Map map = new HashMap();
map.put(1, "good");
map.put(2, "morning");
Set> set = map.entrySet();
for (Entry entry : set) {
System.out.println(entry.getKey() + ":" + entry.getValue());
}
System.out.println("-------------------");
}