Problem:
You have a total of n coins that you want to form in a staircase shape, where every k-th row must have exactly k coins.
Given n, find the total number of full staircase rows that can be formed.
n is a non-negative integer and fits within the range of a 32-bit signed integer.

-Summary-
Solved using binary search.
class Solution:
def arrangeCoins(self, n: int) -> int:
#k(k+1) // 2 <= n
left , right = 0, n
while left <= right:
middle = (left + right) // 2
res = middle*(middle+1) // 2
if res == n:
return middle
elif n < res:
right = middle - 1
else:
left = middle + 1
return right
Detail explanation from the leetcode solution.

Complexity Analysis
- Time complexity:
- Space complexity:
'LeetCode > 2020 LeetCoding Challenge' 카테고리의 다른 글
LeetCode. Unique Paths (0) | 2020.06.30 |
---|---|
LeetCode. Sum Root to Leaf Numbers (0) | 2020.06.27 |
LeetCode. Count Complete Tree Nodes (0) | 2020.06.24 |
LeetCode.Single Number II (0) | 2020.06.23 |
LeetCode.H-Index II (0) | 2020.06.19 |
댓글