增強for 迴圈

fourous發表於2018-03-31

增強for迴圈

增強for迴圈的作用:簡化迭代器的書寫格式(增強for迴圈的底層還是使用了迭代器遍歷)
增強for迴圈的適用範圍:如果是實現了Iterable介面的物件或者陣列物件都可以使用增強for 迴圈

這裡注意:
1:增強for 迴圈底層使用迭代器獲取,只不過獲取迭代器由jvm完成,不需要獲取迭代器,所以使用增強for迴圈變數元素不準使用集合物件對集合元素個數進行修改.
2. 迭代器遍歷元素與增強for迴圈變數元素的區別:使用迭代器遍歷集合的元素時可以刪除集合的元素,而增強for迴圈變數集合的元素時,不能呼叫迭代器的remove方法刪除元素。
3. 普通for迴圈與增強for迴圈的區別:普通for迴圈可以沒有遍歷的目標,而增強for迴圈一定要有遍歷的目標。

    public class Demo2 {  

public static void main(String[] args) {  
    HashSet<String> set = new HashSet<String>();  
    //新增元素  
    set.add("狗娃");  
    set.add("狗剩");  
    set.add("鐵蛋");  

    /* 
    //使用迭代器遍歷Set的集合. 
    Iterator<String> it  = set.iterator(); 
    while(it.hasNext()){ 
        String temp = it.next(); 
        System.out.println("元素:"+ temp); 
        it.remove(); 
    } 


    //使用增強for迴圈解決 
    for(String item : set){ 
        System.out.println("元素:"+ item); 

    } 




    int[] arr = {12,5,6,1}; 

    普通for迴圈的遍歷方式 
    for(int i =  0 ; i<arr.length ; i++){ 
        System.out.println("元素:"+ arr[i]); 
    } 

    //使用增強for迴圈實現 
    for(int item :arr){ 
        System.out.println("元素:"+ item); 
    } 



    //需求: 在控制檯列印5句hello world. 
    for(int i = 0 ; i < 5; i++){ 
        System.out.println("hello world"); 
    } 
    */  

    //注意: Map集合沒有實現Iterable介面,所以map集合不能直接使用增強for迴圈,如果需要使用增強for迴圈需要藉助於Collection  
    // 的集合。  
    HashMap<String, String> map = new HashMap<String, String>();  
    map.put("001","張三");  
    map.put("002","李四");  
    map.put("003","王五");  
    map.put("004","趙六");  
    Set<Map.Entry<String, String>> entrys = map.entrySet();  
    for(Map.Entry<String, String> entry  :entrys){  
        System.out.println("鍵:"+ entry.getKey()+" 值:"+ entry.getValue());  
    }  


}  
    } 

    自定義類也可以使用增強for迴圈


    package cn.itcast.jdk15;    
    import java.util.Iterator;   
    //自定一個類使用增強for迴圈  
    class MyList implements Iterable<String>{  

Object[] arr = new Object[10];  

int index = 0 ; //當前的指標  

public void add(Object o){  
    arr[index++] = o;  // 1  
}  

public int size(){  
    return index;  
}  

@Override  
public Iterator<String> iterator() {  


    return new Iterator<String>() {  

        int cursor  = 0;  

        @Override  
        public boolean hasNext() {  
            return cursor<index;  
        }  

        @Override  
        public String next() {  
            return (String) arr[cursor++];  
        }  

        @Override  
        public void remove() {  

        }  
    };  
}  
}    

public class Demo3 {  

public static void main(String[] args) {  
    MyList list = new MyList();  
    list.add("張三");  
    list.add("李四");  
    list.add("王五");  

    for(String item :list){  
        System.out.println(item);  
    }  



}        
    }  

原文:https://blog.csdn.net/csdn_gia/article/details/53149359

相關文章