[백준 - 20920][SILVER 3][해설 X] - 영단어 암기는 괴로워 (JAVA)

728x90

 

문제


화은이는 이번 영어 시험에서 틀린 문제를 바탕으로 영어 단어 암기를 하려고 한다. 그 과정에서 효율적으로 영어 단어를 외우기 위해 영어 단어장을 만들려 하고 있다. 화은이가 만들고자 하는 단어장의 단어 순서는 다음과 같은 우선순위를 차례로 적용하여 만들어진다.

  1. 자주 나오는 단어일수록 앞에 배치한다.
  2. 해당 단어의 길이가 길수록 앞에 배치한다.
  3. 알파벳 사전 순으로 앞에 있는 단어일수록 앞에 배치한다

 𝑀보다 짧은 길이의 단어의 경우 읽는 것만으로도 외울 수 있기 때문에 길이가 𝑀이상인 단어들만 외운다고 한다. 화은이가 괴로운 영단어 암기를 효율적으로 할 수 있도록 단어장을 만들어 주자.

 

입력


첫째 줄에는 영어 지문에 나오는 단어의 개수 𝑁과 외울 단어의 길이 기준이 되는 𝑀이 공백으로 구분되어 주어진다. (1≤𝑁≤100000, 1≤𝑀≤10)

둘째 줄부터 𝑁+1번째 줄까지 외울 단어를 입력받는다. 이때의 입력은 알파벳 소문자로만 주어지며 단어의 길이는 10을 넘지 않는다.

단어장에 단어가 반드시 1개 이상 존재하는 입력만 주어진다.

 

출력


화은이의 단어장에 들어 있는 단어를 단어장의 앞에 위치한 단어부터 한 줄에 한 단어씩 순서대로 출력한다.

 

해결 코드


import java.io.BufferedReader;
import java.io.BufferedWriter;
import java.io.InputStreamReader;
import java.io.OutputStreamWriter;
import java.util.*;

public class Main {
    public static void main(String[] args) throws Exception{
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        StringTokenizer st = new StringTokenizer(br.readLine());

        int N = Integer.parseInt(st.nextToken());
        int M = Integer.parseInt(st.nextToken());

        Map<String,Word> wordMap = new HashMap<>();

        //중복 문자열 개수 파악
        for(int i=0;i<N;i++){
            String value = br.readLine();

            Word word = wordMap.getOrDefault(value,new Word(value,0, value.length()));
            word.count++;

            wordMap.put(value,word);
        }

        PriorityQueue<Word> pq = new PriorityQueue<>();

        //우선순위에 맞게 단어 정렬
        for(String key : wordMap.keySet()){
            pq.add(wordMap.get(key));
        }

        BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out));

        //우선순위가 높은 순서로 단어 출력
        while(!pq.isEmpty()) {
            Word word = pq.poll();

            //M미만인 단어는 출력 스킵
            if (word.length < M) {
                continue;
            }

            bw.append(word.value);
            bw.newLine();
        }

        bw.flush();
    }
}

class Word implements Comparable<Word>{
    String value;
    int count;
    int length;

    public Word(String value, int count, int length){
        this.value = value;
        this.count = count;
        this.length = length;
    }

    @Override
    public int compareTo(Word o) {
        if(this.count == o.count){
            if(this.length == o.length){
                return this.value.compareTo(o.value);
            }
            return o.length - this.length;
        }
        return o.count - this.count;
    }
}
 

 

실행 결과


 


  • Map을 이용해 객체를 빠르게 탐색하자
  • BufferedWriter를 이용해 출력 시간을 효율적으로 사용하자