-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy path887-SuperEggDrop.go
More file actions
57 lines (47 loc) · 1.76 KB
/
887-SuperEggDrop.go
File metadata and controls
57 lines (47 loc) · 1.76 KB
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
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
package main
// 887. Super Egg Drop
// You are given k identical eggs and you have access to a building with n floors labeled from 1 to n.
// You know that there exists a floor f where 0 <= f <= n such that any egg dropped at a floor higher than f will break,
// and any egg dropped at or below floor f will not break.
// Each move, you may take an unbroken egg and drop it from any floor x (where 1 <= x <= n).
// If the egg breaks, you can no longer use it. However, if the egg does not break, you may reuse it in future moves.
// Return the minimum number of moves that you need to determine with certainty what the value of f is.
// Example 1:
// Input: k = 1, n = 2
// Output: 2
// Explanation:
// Drop the egg from floor 1. If it breaks, we know that f = 0.
// Otherwise, drop the egg from floor 2. If it breaks, we know that f = 1.
// If it does not break, then we know f = 2.
// Hence, we need at minimum 2 moves to determine with certainty what the value of f is.
// Example 2:
// Input: k = 2, n = 6
// Output: 3
// Example 3:
// Input: k = 3, n = 14
// Output: 4
// Constraints:
// 1 <= k <= 100
// 1 <= n <= 10^4
import "fmt"
// dp
func superEggDrop(k int, n int) int {
m := make([]int, k+1)
res := 0
for m[k] < n {
res++
for i := k; i > 0; i-- {
m[i] = m[i-1] + m[i] + 1
}
}
return res
}
func main() {
// Drop the egg from floor 1. If it breaks, we know that f = 0.
// Otherwise, drop the egg from floor 2. If it breaks, we know that f = 1.
// If it does not break, then we know f = 2.
// Hence, we need at minimum 2 moves to determine with certainty what the value of f is.
fmt.Println(superEggDrop(1,2)) // 2
fmt.Println(superEggDrop(2,6)) // 3
fmt.Println(superEggDrop(3,14)) // 4
}