Computer >> 컴퓨터 >  >> 프로그램 작성 >> Java

값을 사용하여 HashMap에서 키를 가져오는 Java 프로그램

<시간/>

이 기사에서는 값을 사용하여 HashMap에서 키를 가져오는 방법을 이해합니다. Java HashMap은 Java Map 인터페이스의 해시 테이블 기반 구현입니다. 키-값 쌍의 모음입니다.

아래는 동일한 데모입니다 -

입력이 다음과 같다고 가정 -

Input HashMap: {Java=8, Scala=5, Python=15}
Key: 8

원하는 출력은 -

The value of Key: 8 is Java

알고리즘

Step 1 - START
Step 2 - Declare namely
Step 3 - Define the values.
Step 4 - Create a HashMap of integer and string values and initialize elements in it using the ‘put’ method.
Step 5 - Define a key value.
Step 6 - Iterate over the elements of HashMap, and check if the key previously defined is present in the HashMap.
Step 7 - If found, break away from the loop.
Step 8 - Display the result
Step 9 - Stop

예시 1

여기에서 모든 작업을 'main' 기능 아래에 묶습니다.

import java.util.HashMap;
import java.util.Map.Entry;
public class Demo {
   public static void main(String[] args) {
      System.out.println("The required packages have been imported");
      HashMap<String, Integer> input_map = new HashMap<>();
      input_map.put("Scala", 5);
      input_map.put("Java", 8);
      input_map.put("Python", 15);
      System.out.println("The HashMap is defined as: " + input_map);
      Integer Key = 8;
      for(Entry<String, Integer> entry: input_map.entrySet()) {
         if(entry.getValue() == Key) {
            System.out.println("\nThe value of Key: " + Key + " is " + entry.getKey());
            break;
         }
      }
   }
}

출력

The required packages have been imported
The HashMap is defined as: {Java=8, Scala=5, Python=15}

The value of Key: 8 is Java

예시 2

여기에서 객체 지향 프로그래밍을 나타내는 함수로 작업을 캡슐화합니다.

import java.util.HashMap;
import java.util.Map.Entry;
public class Demo {
   static void get_value(HashMap<String, Integer> input_map,Integer Key){
      for(Entry<String, Integer> entry: input_map.entrySet()) {
         if(entry.getValue() == Key) {
            System.out.println("\nThe value of Key: " + Key + " is " + entry.getKey());
            break;
         }
      }
   }
   public static void main(String[] args) {
      System.out.println("The required packages have been imported");
      HashMap<String, Integer> input_map = new HashMap<>();
      input_map.put("Scala", 5);
      input_map.put("Java", 8);
      input_map.put("Python", 15);
      System.out.println("The HashMap is defined as: " + input_map);
      Integer Key = 8;
      get_value(input_map, Key);
   }
}

출력

The required packages have been imported
The HashMap is defined as: {Java=8, Scala=5, Python=15}

The value of Key: 8 is Java