题目:给你一个整数数组 nums 。你可以选定任意的 正数 startValue 作为初始值。
你需要从左到右遍历 nums 数组,并将 startValue 依次累加上 nums 数组中的值。
请你在确保累加和始终大于等于 1 的前提下,选出一个最小的 正数 作为 startValue
链接 https://leetcode.cn/problems/minimum-value-to-get-positive-step-by-step-sum
class Solution:
def minStartValue(self, nums: List[int]) -> int:
temp = 0
total = 0
for i in nums:
total += i
if total < temp:
temp = total
if temp <= 0:
return 1 - temp
else:
return 1
其实也不需要判断是否小于0:
class Solution:
def minStartValue(self, nums: List[int]) -> int:
accSum, accSumMin = 0, 0
for num in nums:
accSum += num
accSumMin = min(accSumMin, accSum)
return -accSumMin + 1
复杂度分析
时间复杂度:O(n),其中 n 是数组nums 的长度。只需要遍历数组一次。
空间复杂度:O(1)。只需要使用常量空间。
class Solution:
def minStartValue(self, nums: List[int]) -> int:
m = min(nums)
if m >= 0:
return 1
left, right = 1, -m * len(nums) + 1
while left < right:
medium = (left + right) // 2
if self.valid(medium, nums):
right = medium
else:
left = medium + 1
return left
def valid(self, startValue: int, nums: List[int]) -> bool:
for num in nums:
startValue += num
if startValue <= 0:
return False
return True
这方法用在这里显得有点多余。。。
作者:LeetCode-Solution
链接:https://leetcode.cn/problems/minimum-value-to-get-positive-step-by-step-sum/solution/zhu-bu-qiu-he-de-dao-zheng-shu-de-zui-xi-vyrt/