We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Maximum Ascending Subarray Sum

Difficulty: Easy


Problem Description

Given an array of positive integers nums, return the maximum possible sum of a strictly increasing subarray in nums. A subarray is defined as a contiguous sequence of numbers in an array.


Key Insights

  • A strictly increasing subarray is a contiguous part of the array where each element is greater than the previous one.
  • To find the maximum sum, we can iterate through the array and maintain a running sum of the current increasing subarray.
  • Whenever the sequence is not increasing, we compare the running sum with the maximum sum found so far and reset the running sum.

Space and Time Complexity

Time Complexity: O(n)
Space Complexity: O(1)


Solution

The solution involves iterating through the array while maintaining a running sum of the current strictly increasing subarray. When the current element is greater than the previous one, we add it to the running sum. If not, we compare the running sum to the maximum sum recorded so far and reset the running sum to the current element. Finally, we ensure to check the running sum one last time after exiting the loop to account for the case where the maximum increasing subarray ends at the last element.


Code Solutions

def max_ascending_sum(nums):
    max_sum = 0
    current_sum = 0

    for i in range(len(nums)):
        if i == 0 or nums[i] > nums[i - 1]:
            current_sum += nums[i]
        else:
            max_sum = max(max_sum, current_sum)
            current_sum = nums[i]
    
    return max(max_sum, current_sum)

# Example usage
print(max_ascending_sum([10,20,30,5,10,50]))  # Output: 65
← Back to All Questions