Java IdentityHashMap put() 方法



描述

Java IdentityHashMap put(K key, V value) 方法用于将指定的值与此标识哈希映射中的指定键关联。如果映射先前包含此键的映射,则替换旧值。

声明

以下是 java.util.IdentityHashMap.put() 方法的声明。

public V put(K key, V value)

参数

  • key − 这是要与其关联指定值的键。

  • value − 这是要与指定键关联的值。

返回值

方法调用返回与键关联的上一个值,如果键没有映射,则返回 null。

异常

向 Integer,Integer 对的 IdentityHashMap 添加条目示例

以下示例演示了 Java IdentityHashMap put() 方法的使用,用于将一些值放入 Map 中。我们创建了一个 Integer,Integer 对的 Map 对象。然后使用 put() 方法添加了一些条目,然后打印了 Map。

package com.tutorialspoint;

import java.util.IdentityHashMap;

public class IdentityHashMapDemo {
   public static void main(String args[]) {
      
      // create identity map
      IdentityHashMap<Integer,Integer> newmap = new IdentityHashMap<>();

      // populate identity map
      newmap.put(1, 1);
      newmap.put(2, 2);
      newmap.put(3, 3); 

      System.out.println("Map elements: " + newmap);
   }    
}

输出

让我们编译并运行上述程序,这将产生以下结果。

Map elements: {2=2, 3=3, 1=1}

向 Integer,String 对的 IdentityHashMap 添加条目示例

以下示例演示了 Java IdentityHashMap put() 方法的使用,用于将一些值放入 Map 中。我们创建了一个 Integer,String 的 Map 对象。然后使用 put() 方法添加了一些条目,然后打印了 Map。

package com.tutorialspoint;

import java.util.IdentityHashMap;

public class IdentityHashMapDemo {
   public static void main(String args[]) {
      
      // create identity map
      IdentityHashMap<Integer,String> newmap = new IdentityHashMap<>();

      // populate identity map
      newmap.put(1, "tutorials");
      newmap.put(2, "point");
      newmap.put(3, "is best"); 

      System.out.println("Map elements: " + newmap);
   }    
}

输出

让我们编译并运行上述程序,这将产生以下结果。

Map elements: {2=point, 3=is best, 1=tutorials}

向 Integer,Object 对的 IdentityHashMap 添加条目示例

以下示例演示了 Java IdentityHashMap put() 方法的使用,用于将一些值放入 Map 中。我们创建了一个 Integer,Student 对的 Map 对象。然后使用 put() 方法添加了一些条目,然后打印了 Map。

package com.tutorialspoint;

import java.util.IdentityHashMap;

public class IdentityHashMapDemo {
   public static void main(String args[]) {
      
      // create identity map
      IdentityHashMap<Integer,Student> newmap = new IdentityHashMap<>();

      // populate identity map
      newmap.put(1, new Student(1, "Julie"));
      newmap.put(2, new Student(2, "Robert"));
      newmap.put(3, new Student(3, "Adam"));

      System.out.println("Map elements: " + newmap);
   }    
}
class Student {
   int rollNo;
   String name;

   Student(int rollNo, String name){
      this.rollNo = rollNo;
      this.name = name;
   }

   @Override
   public String toString() {
      return "[ " + this.rollNo + ", " + this.name + " ]";
   }
}

输出

让我们编译并运行上述程序,这将产生以下结果。

Map elements: {1=[ 1, Julie ], 3=[ 3, Adam ], 2=[ 2, Robert ]}
java_util_identityhashmap.htm
广告