세로 길이 2, 가로 길이 n인 2 x n 보드가 있습니다. 2 x 1 크기의 타일을 가지고 이 보드를 채우는 모든 경우의 수를 리턴해야 합니다.
let output = tiling(2);
console.log(output); // --> 2
output = tiling(4);
console.log(output); // --> 5
/*
2 x 4 보드에 타일을 놓는 방법은 5가지
각 타일을 a, b, c, d로 구분
2 | a b c d
1 | a b c d
------------
2 | a a c c
1 | b b d d
------------
2 | a b c c
1 | a b d d
------------
2 | a a c d
1 | b b c d
------------
2 | a b b d
1 | a c c d
------------
*/
1. n=1/1 - n=2/2 - n=3/3 - n=4/5 ...
2. 피보나치 수열과 유사한 구조를 가지고 있다.
3. 기존에 사용했었던 메모라이즈 기법으로 코드를 구현해보자.
let tiling = function (n) {
let arr = [0,1,2]
const result = (n) => {
if(arr[n] !== undefined) return arr[n]
arr[n] = result(n-1) + result(n-2)
return arr[n]
}
return result(n);
};