본문 바로가기
프로그래밍/Algorithm

C# [백준 BAEKJOON] 17219번 비밀번호 찾기

by bantomak 2024. 5. 22.

문제

2019 HEPC - MAVEN League의 "비밀번호 만들기"와 같은 방식으로 비밀번호를 만든 경민이는 한 가지 문제점을 발견하였다. 비밀번호가 랜덤으로 만들어져서 기억을 못 한다는 것이었다! 그래서 경민이는 메모장에 사이트의 주소와 비밀번호를 저장해두기로 했다. 하지만 컴맹인 경민이는 메모장에서 찾기 기능을 활용하지 못하고 직접 눈으로 사이트의 주소와 비밀번호를 찾았다. 메모장에 저장된 사이트의 수가 늘어나면서 경민이는 비밀번호를 찾는 일에 시간을 너무 많이 쓰게 되었다. 이를 딱하게 여긴 문석이는 경민이를 위해 메모장에서 비밀번호를 찾는 프로그램을 만들기로 결심하였다! 문석이를 도와 경민이의 메모장에서 비밀번호를 찾아주는 프로그램을 만들어보자.

 

입력

첫째 줄에 저장된 사이트 주소의 수 N(1 ≤ N ≤ 100,000)과 비밀번호를 찾으려는 사이트 주소의 수 M(1 ≤ M ≤ 100,000)이 주어진다.

두번째 줄부터 N개의 줄에 걸쳐 각 줄에 사이트 주소와 비밀번호가 공백으로 구분되어 주어진다. 사이트 주소는 알파벳 소문자, 알파벳 대문자, 대시('-'), 마침표('.')로 이루어져 있고, 중복되지 않는다. 비밀번호는 알파벳 대문자로만 이루어져 있다. 모두 길이는 최대 20자이다.

N+2번째 줄부터 M개의 줄에 걸쳐 비밀번호를 찾으려는 사이트 주소가 한줄에 하나씩 입력된다. 이때, 반드시 이미 저장된 사이트 주소가 입력된다.

 

출력

첫 번째 줄부터 M개의 줄에 걸쳐 비밀번호를 찾으려는 사이트 주소의 비밀번호를 차례대로 각 줄에 하나씩 출력한다.

 

 

풀이 코드

using System;
using System.Collections.Generic;
using System.IO;

public partial class Program
{
    static void Main(string[] args)
    {
        var sw = new StreamWriter(Console.OpenStandardOutput());
        var sr = new StreamReader(Console.OpenStandardInput());

        var input = sr.ReadLine().Split();
        var count = Int32.Parse(input[0]);
        var searchCount = Int32.Parse(input[1]);

        var dic = new Dictionary<string, string>();

        for (int i = 0; i < count; i++) 
        {
            var input2 = sr.ReadLine().Split();
            dic.Add(input2[0], input2[1]);
        }

        for (int i = 0; i < searchCount; i++)
        {
            var input3 = sr.ReadLine();
            sw.WriteLine(dic[input3]);
        }

        sw.Close();
        sr.Close();
    }
}

 

해시 테이블 직접 구현

using System;
using System.IO;

public partial class Program
{
    static void Main(string[] args)
    {
        var sw = new StreamWriter(Console.OpenStandardOutput());
        var sr = new StreamReader(Console.OpenStandardInput());

        var input = sr.ReadLine().Split();
        var count = Int32.Parse(input[0]);
        var searchCount = Int32.Parse(input[1]);

        var dic = new SimpleHashTable<string, string>();

        for (int i = 0; i < count; i++) 
        {
            var input2 = sr.ReadLine().Split();
            dic.Put(input2[0], input2[1]);
        }

        for (int i = 0; i < searchCount; i++)
        {
            var input3 = sr.ReadLine();
            sw.WriteLine(dic.Get(input3));
        }

        sw.Close();
        sr.Close();
    }

    public class SimpleHashTable<T, V>
    {
        private const int INITIAL_SIZE = 100000;
        private int size;
        private Node<T, V>[] buckets;

        public SimpleHashTable()
        {
            this.size = INITIAL_SIZE;
            this.buckets = new Node<T, V>[size];
        }

        public SimpleHashTable(int capacity)
        {
            this.size = capacity;
            this.buckets = new Node<T, V>[size];
        }

        public void Put(T key, V value)
        {
            int index = HashFunction(key);
            if (buckets[index] == null)
            {
                buckets[index] = new Node<T, V>(key, value);
            }
            else
            {
                var newNode = new Node<T, V>(key, value);
                newNode.m_next = buckets[index];
                buckets[index] = newNode;
            }
        }

        public V Get(T key)
        {
            var index = HashFunction(key);
            if (buckets[index] != null)
            {
                for (var n = buckets[index]; n != null; n = n.m_next)
                {
                    if (n.m_key.Equals(key))
                    {
                        return n.m_value;
                    }
                }
            }

            return default(V);
        }

        public bool Contains(T key)
        {
            var index = HashFunction(key);
            if (buckets[index] != null)
            {
                for (var n = buckets[index]; n != null; n = n.m_next)
                {
                    if (n.m_key.Equals(key))
                    {
                        return true;
                    }
                }
            }

            return false;
        }

        protected virtual int HashFunction(T key)
        {
            return Math.Abs(key.GetHashCode() + 1 + (((key.GetHashCode() >> 5) + 1) % (size))) % size;
        }
    }

    private class Node<T, V>
    {
        public T m_key { get; set; }
        public V m_value { get; set; }
        public Node<T, V> m_next { get; set; }

        public Node(T key, V value)
        {
            m_key = key;
            m_value = value;
        }
    }
}

 

함께 읽으면 좋은 글

 

해시 테이블(Hash Table)이란?

해시 테이블(Hash Table)이란?데이터의 삽입, 제거, 탐색이 모두 O(1)으로 매우 빠름내부적으로 정렬되지 않음저장할 데이터의 수보다 더 많은 공간이 필요해싱(Hashing)해시 테이블은 키를 해시 함수(

jettstream.tistory.com

댓글