📜  Java HashMap entrySet()

📅  最后修改于: 2020-09-27 00:40:17             🧑  作者: Mango

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

entrySet()方法的语法为:

hashmap.entrySet()

在这里, hashmapHashMap类的对象。


entrySet()参数

entrySet()方法没有任何参数。


entrySet()返回值
  • 返回哈希所有条目的集合视图

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


示例1:Java HashMap entrySet()
import java.util.HashMap;

class Main {
  public static void main(String[] args) {
    // create an HashMap
    HashMap 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]

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

prices.entrySet()

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

entrySet()方法可与for-each循环一起使用,以遍历哈希映射的每个条目。

示例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 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 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 entry :  numbers.entrySet()

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


推荐读物
  • HashMap keySet()-返回所有键的设置视图
  • HashMap values()-返回所有值的设置视图