当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


Java HashMap entrySet()用法及代码示例


Java HashMap entrySet() 返回哈希图中存在的所有映射(条目)的集合视图。

用法:

hashmap.entrySet()

这里,hashmapHashMap 类的对象。

参数:

entrySet() 方法不带任何参数。

返回:

  • 返回一个设置视图哈希图的所有条目

注意:集合视图意味着哈希图的所有条目都被视为一个集合。条目不会转换为集合。

示例 1:Java HashMap entrySet()

import java.util.HashMap;

class Main {
  public static void main(String[] args) {
    // create an HashMap
    HashMap<String, Integer> prices = new HashMap<>();

    // insert entries to the HashMap
    prices.put("Shoes", 200);
    prices.put("Bag", 300);
    prices.put("Pant", 150);
    System.out.println("HashMap: " + prices);

    // return set view of mappings
    System.out.println("Set View: " + prices.entrySet());
  }
}

输出

HashMap: {Pant=150, Bag=300, Shoes=200}
Set View: [Pant=150, Bag=300, Shoes=200]

在上面的示例中,我们创建了一个名为 prices 的 hashmap。注意表达式,

prices.entrySet()

在这里,entrySet() 方法返回哈希图中所有条目的集合视图。

entrySet()方法可以与for-each 循环遍历 hashmap 的每个条目。

示例 2:for-each 循环中的 entrySet() 方法

import java.util.HashMap;
import java.util.Map.Entry;

class Main {
    public static void main(String[] args) {

        // Creating a HashMap
        HashMap<String, Integer> numbers = new HashMap<>();
        numbers.put("One", 1);
        numbers.put("Two", 2);
        numbers.put("Three", 3);
        System.out.println("HashMap: " + numbers);

        // access each entry of the hashmap
        System.out.print("Entries: ");

        // entrySet() returns a set view of all entries
        // for-each loop access each entry from the view
        for(Entry<String, Integer> entry: numbers.entrySet()) {
            System.out.print(entry);
            System.out.print(", ");
        }
    }
}

输出

HashMap: {One=1, Two=2, Three=3}
Entries: One=1, Two=2, Three=3, 

在上面的例子中,我们已经导入了java.util.Map.Entry 包。 Map.EntryMap 接口的嵌套类。注意线,

Entry<String, Integer> entry :  numbers.entrySet()

在这里,entrySet()方法返回一个设置所有条目的视图.这Entry类允许我们存储和打印视图中的每个条目。

相关用法


注:本文由纯净天空筛选整理自 Java HashMap entrySet()。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。