My code is below for leetcode 53.Maximum Subarray, but one test case is not passed.
How can I fix my current code to prevent Time Limit Exceeded?
JavaScript
x
22
22
1
class Solution(object):
2
def maxSubArray(self, nums):
3
"""
4
:type nums: List[int]
5
:rtype: int
6
"""
7
result = nums[0]
8
array_len = len(nums)
9
for i in range(array_len):
10
#print("first index" + str(i))
11
total = 0
12
for j in range(i, array_len):
13
14
total = total + nums[j]
15
#print(total)
16
17
if result < total:
18
result = total
19
20
return result
21
22
Advertisement
Answer
You are getting TLE because your solution’s runtime is O(n^2). The time complexity can be reduced by two ways. Either you need to use divide and conquer approach which has O(nlogn) runtime or Kadane`s algorithm which has O(n) runtime. Either of the approaches will be enough.