Time does not change us. It just unfolds us.

Coding Test

[카카오]Lv2 땅따먹기 C++ (재귀,DP)

소젬 2022. 4. 23. 02:52

dfs로 단순히 풀어야지 생각했을 떄 10분도 안걸렸는데, 예상했던대로 시간초과가 난다.

구현만 맨날 풀어서 이런 문제는 어떤 방식으로 풀어야되는지 잘 모르겠다..

 

문제 설명

땅따먹기 게임을 하려고 합니다. 땅따먹기 게임의 땅(land)은 총 N행 4열로 이루어져 있고, 모든 칸에는 점수가 쓰여 있습니다. 1행부터 땅을 밟으며 한 행씩 내려올 때, 각 행의 4칸 중 한 칸만 밟으면서 내려와야 합니다. 단, 땅따먹기 게임에는 한 행씩 내려올 때, 같은 열을 연속해서 밟을 수 없는 특수 규칙이 있습니다.

예를 들면,

| 1 | 2 | 3 | 5 |

| 5 | 6 | 7 | 8 |

| 4 | 3 | 2 | 1 |

로 땅이 주어졌다면, 1행에서 네번째 칸 (5)를 밟았으면, 2행의 네번째 칸 (8)은 밟을 수 없습니다.

마지막 행까지 모두 내려왔을 때, 얻을 수 있는 점수의 최대값을 return하는 solution 함수를 완성해 주세요. 위 예의 경우, 1행의 네번째 칸 (5), 2행의 세번째 칸 (7), 3행의 첫번째 칸 (4) 땅을 밟아 16점이 최고점이 되므로 16을 return 하면 됩니다.

 

https://programmers.co.kr/learn/courses/30/lessons/12913

 

코딩테스트 연습 - 땅따먹기

땅따먹기 게임을 하려고 합니다. 땅따먹기 게임의 땅(land)은 총 N행 4열로 이루어져 있고, 모든 칸에는 점수가 쓰여 있습니다. 1행부터 땅을 밟으며 한 행씩 내려올 때, 각 행의 4칸 중 한 칸만 밟

programmers.co.kr

 


 

#include <iostream>
#include <vector>
using namespace std;

vector<vector<int> > eLand;
int row_size;
int ret = 0;

int dfs(int row, int col, int score) {
    if(row >= row_size) {
        if(score >= ret) ret = score;
        return 0;
    }
    
    score += eLand[row][col];
    for(int i=0; i<4; i++) {
        if(i!=col) dfs(row+1,i,score);
    }
    return 0;
}


int solution(vector<vector<int> > land)
{
    eLand = land;
    row_size = land.size();

    for(int i=0; i<4; i++) dfs(0,i,0);
    return ret;
}

 


참고한 풀이 https://luv-n-interest.tistory.com/1149

 

프로그래머스, 땅따먹기 : C++ [CPP]

DP문제인 것은 알았지만 바로 생각해내기에 어려운 문제.. 우선 나는 그랬다. https://programmers.co.kr/learn/courses/30/lessons/12913 이전 열에서의 최댓값을 채택하는 것이 현재열에서도 최댓값을 보장하는

luv-n-interest.tistory.com

 

현재열에서 최댓값을 따져주면 된다...

#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;


int solution(vector<vector<int> > land)
{
    int ret = 0;
    for(int i=1; i<land.size(); i++) {
        land[i][0] += max(land[i-1][1], max(land[i-1][2], land[i-1][3]));
        land[i][1] += max(land[i-1][0], max(land[i-1][2], land[i-1][3]));
        land[i][2] += max(land[i-1][0], max(land[i-1][1], land[i-1][3]));
        land[i][3] += max(land[i-1][0], max(land[i-1][1], land[i-1][2]));
    }
    
    ret = max(max(land[land.size()-1][0], land[land.size()-1][1]), 
             max(land[land.size()-1][2], land[land.size()-1][3]));
    
    return ret;
}