Skip to content

Commit e40b1dd

Browse files
committed
add 070
1 parent 7447013 commit e40b1dd

File tree

3 files changed

+89
-0
lines changed

3 files changed

+89
-0
lines changed

README.md

+7
Original file line numberDiff line numberDiff line change
@@ -69,6 +69,12 @@
6969
| 88 | [Merge Sorted Array][088] |
7070
| 278 | [First Bad Version][278] |
7171

72+
**Dynamic Programming**
73+
74+
| # | Title |
75+
| :--: | :------------------------------------------ |
76+
| 70 | [Climbing Stairs][070] |
77+
7278

7379
**其他**
7480

@@ -115,3 +121,4 @@
115121
[108]: https://github.com/andavid/leetcode-java/blob/master/note/108/README.md
116122
[088]: https://github.com/andavid/leetcode-java/blob/master/note/088/README.md
117123
[278]: https://github.com/andavid/leetcode-java/blob/master/note/278/README.md
124+
[070]: https://github.com/andavid/leetcode-java/blob/master/note/070/README.md

note/070/README.md

+60
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,60 @@
1+
# [Climbing Stairs][title]
2+
3+
## Description
4+
5+
You are climbing a stair case. It takes n steps to reach to the top.
6+
7+
Each time you can either climb 1 or 2 steps. In how many distinct ways can you climb to the top?
8+
9+
**Note:** Given n will be a positive integer.
10+
11+
12+
**Example 1:**
13+
14+
```
15+
Input: 2
16+
Output: 2
17+
Explanation: There are two ways to climb to the top.
18+
19+
1. 1 step + 1 step
20+
2. 2 steps
21+
```
22+
23+
**Example 2:**
24+
25+
```
26+
Input: 3
27+
Output: 3
28+
Explanation: There are three ways to climb to the top.
29+
30+
1. 1 step + 1 step + 1 step
31+
2. 1 step + 2 steps
32+
3. 2 steps + 1 step
33+
```
34+
35+
## 思路
36+
37+
爬到第 N 步有两种方法,从 第 N-1 步爬一步,或者从第 N-2 步爬两步。
38+
题目其实就是求斐波那契数列的第 N 个数。
39+
40+
## [完整代码][src]
41+
42+
```java
43+
class Solution {
44+
public int climbStairs(int n) {
45+
if (n == 1) return 1;
46+
47+
int first = 1;
48+
int second = 2;
49+
for (int i = 3; i <= n; i++) {
50+
int third = first + second;
51+
first = second;
52+
second = third;
53+
}
54+
return second;
55+
}
56+
}
57+
```
58+
59+
[title]: https://leetcode.com/problems/climbing-stairs
60+
[src]: https://github.com/andavid/leetcode-java/blob/master/src/com/andavid/leetcode/_070/Solution.java
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,22 @@
1+
class Solution {
2+
public int climbStairs(int n) {
3+
if (n == 1) return 1;
4+
5+
int first = 1;
6+
int second = 2;
7+
for (int i = 3; i <= n; i++) {
8+
int third = first + second;
9+
first = second;
10+
second = third;
11+
}
12+
return second;
13+
}
14+
15+
public static void main(String[] args) {
16+
Solution solution = new Solution();
17+
System.out.println(solution.climbStairs(1));
18+
System.out.println(solution.climbStairs(2));
19+
System.out.println(solution.climbStairs(3));
20+
System.out.println(solution.climbStairs(4));
21+
}
22+
}

0 commit comments

Comments
 (0)