티스토리 뷰
Problem
You are climbing a staircase. It takes n steps to reach the top.
Each time you can either climb 1 or 2 steps. In how many distinct ways can you climb to the top?
Example 1:
Input: n = 2
Output: 2
Explanation: There are two ways to climb to the top.
1. 1 step + 1 step
2. 2 steps
Example 2:
Input: n = 3
Output: 3
Explanation: There are three ways to climb to the top.
1. 1 step + 1 step + 1 step
2. 1 step + 2 steps
3. 2 steps + 1 step
Solution
DP 문제중 가장 기본이 되는 문제입니다.
계단을 오르는데 하나 또는 두 개씩 오를 수 있을 때 N개의 계단을 오를 수 있는 경우의 수를 구하는 문제입니다.
DP 문제는 점화식만 잘 세우면 끝나는데 이 문제는 점화식을 세우기 매우 쉬운 문제입니다.
처음 한 계단을 오르는 경우의 수는 1, 두 계단을 오르는 경우의 수는 첫 번째 계단에서 한 계단 오른 경우 + 두 계단을 한 번에 오른 경우 총, 두 가지 입니다.
N 번째 계단에 올라갔을 때의 경우의 수는 N-1번째 계단에서 한 계단을 오르는 경우의 수 + N-2번째 계단에서 두 계단을 오르는 경우의 수 이므로 점화식은 다음과 같습니다.
f[n] = f[n-1] + f[n-2]
f[1] = 1
f[2] = 2
이 내용을 소스 코드로 표현하면 다음과 같습니다.
public class Solution {
public int climbStairs(int n) {
if (n <= 2) {
return n;
}
int[] dp = new int[n + 1];
dp[1] = 1;
dp[2] = 2;
for (int i = 3; i < dp.length; i++) {
dp[i] = dp[i - 1] + dp[i - 2];
}
return dp[n];
}
}
메모리를 아끼기 위해 두 개의 변수를 사용하여 누적값을 계산할 수 있습니다.
class Solution {
public int climbStairs(int n) {
if (n <= 2) {
return n;
}
int result = 0, a = 1, b = 1;
for (int i = 2; i <= n; i++) {
result = a + b;
a = b;
b = result;
}
return result;
}
}
Test
package io.lcalmsky.leetcode.climbing_stairs;
import org.junit.jupiter.api.Test;
import static org.junit.jupiter.api.Assertions.assertAll;
import static org.junit.jupiter.api.Assertions.assertEquals;
class SolutionTest {
@Test
void givenInteger_whenClimbStairs_thenCorrect() {
assertAll(
() -> test(2, 2),
() -> test(3, 3)
);
}
private void test(int given, int expected) {
// when
Solution solution = new Solution();
int actual = solution.climbStairs(given);
// then
assertEquals(expected, actual);
}
}
'Algorithm > LeetCode' 카테고리의 다른 글
[LeetCode - Daily Challenge] 79. Word Search (0) | 2021.10.09 |
---|---|
[LeetCode - Daily Challenge] 442. Find All Duplicates in an Array (0) | 2021.10.07 |
[LeetCode - Daily Challenge] 463. Island Perimeter (0) | 2021.10.05 |
[LeetCode - Daily Challenge] 55. Jump Game (0) | 2021.10.04 |
[LeetCode - Daily Challenge] 174. Dungeon Game (0) | 2021.10.02 |
댓글
공지사항
최근에 올라온 글
최근에 달린 댓글
- Total
- Today
- Yesterday
링크
TAG
- proto3
- 함께 자라기 후기
- 스프링 부트
- Spring Boot
- 헥사고날 아키텍처
- Java
- r
- Linux
- 스프링 부트 튜토리얼
- intellij
- 알고리즘
- spring boot jwt
- leetcode
- spring boot app
- JSON
- QueryDSL
- spring boot application
- 스프링 부트 애플리케이션
- @ManyToOne
- Jackson
- Spring Data JPA
- 스프링부트
- Spring Boot JPA
- 클린 아키텍처
- 스프링 부트 회원 가입
- 함께 자라기
- 스프링 데이터 jpa
- gRPC
- JPA
- Spring Boot Tutorial
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | |||||
3 | 4 | 5 | 6 | 7 | 8 | 9 |
10 | 11 | 12 | 13 | 14 | 15 | 16 |
17 | 18 | 19 | 20 | 21 | 22 | 23 |
24 | 25 | 26 | 27 | 28 | 29 | 30 |
글 보관함