Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[1주차] 재귀, 꼬리 재귀, 꼬리 재귀 최적화 #14

Open
wants to merge 8 commits into
base: main
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from 6 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
47 changes: 47 additions & 0 deletions problem-1/problem-1.test.js
Original file line number Diff line number Diff line change
@@ -1,4 +1,51 @@
// 1. 가장 익숙한 방법으로 문제를 해결해 주세요.
//const solution = (numbers) => {

Check failure on line 2 in problem-1/problem-1.test.js

View workflow job for this annotation

GitHub Actions / build

Expected exception block, space or tab after '//' in comment
// let answer = 0;
//
// for (let i = 0; i < numbers.length; i += 1) {
// answer += numbers[i];
// }
//
// return answer;
//};

Check failure on line 10 in problem-1/problem-1.test.js

View workflow job for this annotation

GitHub Actions / build

Expected exception block, space or tab after '//' in comment

// 2. 이번에는 재귀 함수로 문제를 해결해 주세요.
//const solution = (numbers) => {

Check failure on line 13 in problem-1/problem-1.test.js

View workflow job for this annotation

GitHub Actions / build

Expected exception block, space or tab after '//' in comment
// // Base Case
// if (numbers.length === 0) {
// return 0;
// }
//
// // Recursive Case
// return numbers.pop() + solution(numbers);
//};

Check failure on line 21 in problem-1/problem-1.test.js

View workflow job for this annotation

GitHub Actions / build

Expected exception block, space or tab after '//' in comment

// 3. 꼬리 재귀 함수로 바꿔보세요.
// -> Maximum call stack size exceeded 발생..
//const solution = (numbers, acc = 0) => {

Check failure on line 25 in problem-1/problem-1.test.js

View workflow job for this annotation

GitHub Actions / build

Expected exception block, space or tab after '//' in comment
// if (numbers.length === 0) {
// return acc;
// }
//
// // return solution(numbers.slice(0, numbers.length - 1), acc + numbers[numbers.length - 1]);
// return solution(numbers, acc + numbers.pop());
//};

Check failure on line 32 in problem-1/problem-1.test.js

View workflow job for this annotation

GitHub Actions / build

Expected exception block, space or tab after '//' in comment

// 4. 꼬리 재귀 최적화를 통해서 최적화해 보세요.
const solution = (numbers) => {
// 1) 계속해서 바뀌는 값을 변수로 선언한다.
const current = numbers;
let acc = 0;

// 3) 반복문을 만든다.
while (true) {

Check warning on line 41 in problem-1/problem-1.test.js

View workflow job for this annotation

GitHub Actions / build

Unexpected constant condition
if (current.length === 0) {
return acc;
}

// 2) 재귀 함수 호출로 값을 변경하는 대신에 변수의 값을 할당해서 변경한다.
acc = acc + current.pop();
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

주어진 배열의 마지막을 하나씩 제거하면서 값을 더해주고 있군요. 여기서 pop메서드는 배열의 가장 끝에 있는 요소를 제거하는 것으로 배열 자체를 변경하게 됩니다. 그리고 제일 뒤에 있는 것을 제거하기 때문에 만약 지금처럼 값을 더하는 것이 아니라 이어 붙이는 작업이었다면 순서가 달라질 수 있겠죠.

pop으로 배열 자체를 수정한다면 numbers를 참조하는 곳에서도 변경이 일어납니다. 그러면 의도치 않은 변경때문에 심각한 버그가 발생할 수 있습니다. 그래서 만약 하나를 제거하고 나머지 배열을 넘기고 싶다면 slice메서드를 사용할 수 있습니다. slice메서드는 원본 배열을 건드리지 않고 복사합니다.

acc = acc + current.slice(1);

혹은 이렇게도 할 수 있습니다.

const [first, ...newArray] = [1, 2, 3, 4, 5];
// first = 1
// newArray = [2, 3, 4, 5]

그런데 이렇게 값들을 복사하는 것은 효율적이지는 않습니다. 그래서 성능을 최적화하기 위해서는 배열을 복사하는 대신 index를 사용할 수 있습니다. index의 값을 변경하는 것은 데이터의 크기이 비례하지 않기 때문입니다.

const solution = (numbers, index = 0) => {
  let acc = 0;

  while (true) {
    if (index === numbers.length) {
      return acc;
    }

    acc = acc + numbers[index];
    index++;
  }
}

Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

가장 익숙한 방법인 for loop 으로 해결할 땐 당연하게(?) index 를 사용했는데
정작 꼬리 재귀 최적화에서는 index 를 떠올리지 못한 게 아쉽네요 😭

코멘트 해주신대로, 데이터 원본을 직접적으로 수정하지 않도록 습관화해야겠습니다!

}
};

test('빈 배열은 0을 반환한다', () => {
Expand Down
65 changes: 65 additions & 0 deletions problem-2/problem-2.test.js
Original file line number Diff line number Diff line change
@@ -1,4 +1,69 @@
// 1. 가장 익숙한 방법으로 문제를 해결해 주세요.
// const solution = (n) => {
// if (n <= 0) {
// return 0;
// }
//
// if (n === 1) {
// return 1;
// }
//
// const fibonacci = [0, 1];
//
// for (let i = 2; i <= n; i += 1) {
// fibonacci[i] = fibonacci[i - 2] + fibonacci[i - 1];
// }
//
// return fibonacci[n];
// };

// 2. 이번에는 재귀 함수로 문제를 해결해 주세요.
// const solution = (n) => {
// if (n <= 0) {
// return 0;
// }
//
// if (n === 1) {
// return 1;
// }
//
// return solution(n - 2) + solution(n - 1);
// };

// 3. 꼬리 재귀 함수로 바꿔보세요.
// const solution = (n, prev = 0, curr = 1) => {
// if (n <= 0) {
// return prev;
// }
//
// if (n === 1) {
// return curr;
// }
//
// return solution(n - 1, curr, prev + curr);
// };

// 4. 꼬리 재귀 최적화를 통해서 최적화해 보세요.
const solution = (n) => {
let number = n;
let prev = 0;
let curr = 1;
let acc = 1;

while (true) {

Check warning on line 53 in problem-2/problem-2.test.js

View workflow job for this annotation

GitHub Actions / build

Unexpected constant condition
if (number <= 0) {
return prev;
}

if (number === 1) {
return curr;
}

acc = prev + curr;
prev = curr;
curr = acc;
number -= 1;
}
};

test('음수가 주어지면 0을 반환한다', () => {
Expand Down
28 changes: 27 additions & 1 deletion problem-3/problem-3.test.js
Original file line number Diff line number Diff line change
@@ -1,4 +1,30 @@
const solution = (n) => {
// const solution = (n) => {
// if (n === 0) {
// return '0';
// }
//
// let number = n;
// let binaryString = '';
//
// while (number > 0) {
// const remainder = number % 2;
// binaryString = remainder + binaryString;
// number = Math.floor(number / 2);
// }
//
// return binaryString;
// };

const solution = (n, binaryString = '') => {
if (n === 0) {
return '0';
}

if (n === 1) {
return `1${binaryString}`;
}

return solution(Math.floor(n / 2), (n % 2).toString() + binaryString);
};

test('이진수 문자열을 반환한다', () => {
Expand Down
65 changes: 64 additions & 1 deletion problem-4/problem-4.test.js
Original file line number Diff line number Diff line change
@@ -1,4 +1,67 @@
const solution = () => {
// const solution = (binaryString) => {
// let decimalNumber = 0;
// for (let bitIndex = 0; bitIndex < binaryString.length; bitIndex += 1) {
// const currentBit = parseInt(binaryString[bitIndex], 10);
// const bitWeight = 2 ** (binaryString.length - 1 - bitIndex);
//
// const currentBitValue = currentBit * bitWeight;
// decimalNumber += currentBitValue;
// }
//
// return decimalNumber;
// };

// const solution = (
// binaryString,
// currentIndex = 0,
// bitWeight = binaryString.length - 1,
// ) => {
// if (binaryString === '0') {
// return 0;
// }
//
// if (binaryString === '1') {
// return 1;
// }
//
// if (bitWeight < 0) {
// return 0;
// }
//
// const currentBit = parseInt(binaryString[currentIndex], 10);
// const currentBitValue = (2 ** bitWeight) * currentBit;
//
// return currentBitValue + solution(
// binaryString,
// currentIndex + 1,
// bitWeight - 1,
// );
// };

const solution = (
binaryString,
currentIndex = 0,
bitWeight = binaryString.length - 1,
decimalNumber = 0,
) => {
if (binaryString === '0') {
return 0;
}

if (binaryString === '1') {
return 1;
}

if (bitWeight < 0) {
return decimalNumber;
}

return solution(
binaryString,
currentIndex + 1,
bitWeight - 1,
decimalNumber + (2 ** bitWeight) * parseInt(binaryString[currentIndex], 10),
);
};

test('10진수 숫자를 반환한다', () => {
Expand Down
25 changes: 24 additions & 1 deletion problem-5/problem-5.test.js
Original file line number Diff line number Diff line change
@@ -1,4 +1,27 @@
const solution = () => {
/*
const solution = (num1, num2) => {
let smallerNumber = num1;
let largerNumber = num2;

while (true) {
const remainder = largerNumber % smallerNumber;

if (remainder === 0) {
return smallerNumber;
}

largerNumber = smallerNumber;
smallerNumber = remainder;
}
};
*/

const solution = (smallerNumber, largerNumber, remainder = largerNumber % smallerNumber) => {
if (remainder === 0) {
return smallerNumber;
}

return solution(remainder, smallerNumber);
};

test('최대 공약수를 반환한다', () => {
Expand Down
45 changes: 44 additions & 1 deletion problem-6/problem-6.test.js
Original file line number Diff line number Diff line change
@@ -1,4 +1,47 @@
const solution = (n) => {
// const solution = (n) => {
// if (n < 0) {
// return 0;
// }
//
// if (n === 0 || n === 1) {
// return 1;
// }
//
// return solution(n - 3) + solution(n - 2) + solution(n - 1);
// };

// 하향식 다이내믹 프로그래밍 (메모이제이션)

// const solution = (n, memo = []) => {
// if (n < 0) {
// return 0;
// }
// if (n === 0 || n === 1) {
// return 1;
// }
//
// if (!memo[n]) {
// memo[n] = solution(n - 3, memo) + solution(n - 2, memo) + solution(n - 1, memo);
// }
//
// return memo[n];
// };

// 상향식 다이내믹 프로그래밍
const solution = (n, current = 2, a = 0, b = 1, c = 1) => {
if (n < 0) {
return 0;
}

if (n === 0 || n === 1) {
return 1;
}

if (n === current) {
return a + b + c;
}

return solution(n, current + 1, b, c, a + b + c);
};

test('계단에 오를 수 있는 가지 수를 반환한다', () => {
Expand Down
Loading