STUDY/Algorithm

[프로그래머스] 모음사전, C++

sinawi95 2022. 10. 11. 22:03
728x90

 

 

프로그래머스

코드 중심의 개발자 채용. 스택 기반의 포지션 매칭. 프로그래머스의 개발자 맞춤형 프로필을 등록하고, 나와 기술 궁합이 잘 맞는 기업들을 매칭 받으세요.

programmers.co.kr

문제 요약

알파벳 aeiou 로 만들어지는 단어에 대한 사전순 위치 구하기

접근

1. 완전탐색

생각없이 완전탐색으로 구현했다.
모든 값을 구해서 map에 저장한다.
for문으로 구현하는데 실패해서 재귀함수를 사용했다.


void make(int ind, string word)
{
    if (ind == 6)
    {
        return;
    }
    if (word != "" && !dict.count(word)) 
    {
        // dict[word] = index++; 아래 두줄을 하나로 합쳐도 된다.
        dict[word] = index;
        index++;
    }
    for (int i=0; i<5; i++)
    {
        make(ind+1, word+base[i]);
    }

    return ;
}

전체 코드


#include <string>
#include <vector>
#include <unordered_map>

using namespace std;

unordered_map<string, int> dict;
string base = "AEIOU";
int index = 1;
void make(int ind, string word)
{
    if (ind == 6)
    {
        return;
    }
    if (word != "" && !dict.count(word)) 
    {
        dict[word] = index;
        index++;
    }
    for (int i=0; i<5; i++)
    {
        make(ind+1, word+base[i]);
    }

    return ;
}

int solution(string word) {
    make(0, "");

    return dict[word];
}

한번 볼만한 것

  1. 재귀함수 vs 반복문

#include <string>
#include <vector>
#include <unordered_map>
#include <iostream> // cout

using namespace std;

unordered_map<string, int> dict;
string base = "AEIOU";
int index = 1;
void make()
{
    string word = "";
    for (int i=0; i<5; i++)
    {
        string tmpi = word;
        word += base[i];
        dict[word] = index++;
        for (int j=0; j<5; j++)
        {
            string tmpj = word;
            word += base[j];
            dict[word] = index++;
            for (int k=0; k<5; k++)
            {
                string tmpk = word;
                word += base[k];
                dict[word] = index++;
                for (int l=0; l<5; l++)
                {
                    string tmpl = word;
                    word += base[l];
                    dict[word] = index++;
                    for (int m=0; m<5; m++)
                    {
                        string tmpm = word;
                        word += base[m];
                        dict[word] = index++;
                        word = tmpm;
                    }
                    word = tmpl;
                }
                word = tmpk;
            }
            word = tmpj;
        }
        word = tmpi;
    }
    return;
}

int solution(string word) {
    make();

    return dict[word];
}

들쭉날쭉하긴한데 반복문이 평균적으로 적게 걸림

  1. unordered_map(좌) vs map(우)
    트리를 사용한게 시간이 오래걸림

'STUDY > Algorithm' 카테고리의 다른 글

[백준] 2812 크게 만들기, C++  (1) 2022.10.11
[백준] 2493 탑 C++  (0) 2022.10.11
[백준] 2143 두 배열의 합, C++  (0) 2022.09.18
[백준] 1351 무한수열, C++  (0) 2022.09.18
[백준] 1103 게임, C++  (0) 2022.09.12