본문 바로가기

Algorithms/Baekjoon

[Java] 백준 알고리즘 10816 번 문제 : 숫자 카드 2 (배열)

728x90

---문제---

 

---코드---

 

#1. 첫 번째 시도 (HashMap 구조 이용)

import java.util.HashMap;
import java.util.Map;
import java.util.Scanner;

public class Bj10816 {

	public static void main(String[] args) {
		Scanner sc = new Scanner(System.in);
		int N = sc.nextInt();
		Map<Integer, Integer> number = new HashMap<Integer,Integer>();
		
		for(int i=0; i<N; ++i) {
			int tmp = sc.nextInt();
			if(number.containsKey(tmp)) {
				number.put(tmp,number.get(tmp)+1);
			}else {
				number.put(tmp,1);
			}
		}
		int M = sc.nextInt();		
		for(int i=0; i<M; ++i) {
			int tmp = sc.nextInt();
			if(number.containsKey(tmp)) {
				System.out.printf("%d ",number.get(tmp));
			}
			else {
				System.out.printf("%d ",0);
			}
		}
		
	}

}

-> 처음엔 해쉬 맵 구조를 이용하여 구현하였으나, 시간 초과로 통과하지 못했습니다.

 

#2. 두 번째 시도 (배열 이용)

import java.util.Scanner;

public class Bj10816_2 {

	public static void main(String[] args) {
		Scanner sc = new Scanner(System.in);
		int N = sc.nextInt();
		int[] card = new int[20000001];
		for (int i = 0; i < N; ++i) {
			 ++card[sc.nextInt()+10000000] ;
		}
		int M = sc.nextInt();
		
		for (int i = 0; i < M; ++i) {
			System.out.printf("%d ", &card[sc.nextInt()]);
		}		
	}
}

-> 두번째 시도로, 배열을 이용하였더니 메모리 측면에서는 비효율 적이지만 시간 적으로는 더 효율적이 된 것 같습니다.

-> 하지만, 역시나 시간 초과

 

#3. 세 번째 시도 (배열 이용 , StringBuilder 클래스 이용)

import java.util.Scanner;

public class Bj10816_2 {

	public static void main(String[] args) {
		Scanner sc = new Scanner(System.in);
		int N = sc.nextInt();
		StringBuilder sb = new StringBuilder();
		int[] card = new int[20000001];
		for (int i = 0; i < N; ++i) {
			 ++card[sc.nextInt()+10000000] ;
		}
		int M = sc.nextInt();
		
		for (int i = 0; i < M; ++i) {
			sb.append(card[sc.nextInt()+10000000]+" ");
		}		
		System.out.println(sb.toString());
	}

}

-> 때 마다, 출력하는 게 아니라 StringBuilder 클래스에 모아놨다가 출력하니까 통과되었습니다.

 

---출처---

https://www.acmicpc.net/problem/10816

 

10816번: 숫자 카드 2

첫째 줄에 상근이가 가지고 있는 숫자 카드의 개수 N(1 ≤ N ≤ 500,000)이가 주어진다. 둘째 줄에는 숫자 카드에 적혀있는 정수가 주어진다. 숫자 카드에 적혀있는 수는 -10,000,000보다 크거나 같고, 10,000,000보다 작거나 같다. 셋째 줄에는 M(1 ≤ M ≤ 500,000)이 주어진다. 넷째 줄에는 상근이가 몇 개 가지고 있는 숫자 카드인지 구해야 할 M개의 정수가 주어지며, 이 수는 공백으로 구분되어져 있다. 이수도 -10,00

www.acmicpc.net

 

반응형