def find_max(data):
# Return the maximum element from a nonempty Python list
biggest = data[0] # The initial value to beat
for val in data: # For each value:
if val > biggest: # if it is greater than the best so far,
biggest = val # we have found a new best (so far)
return biggest # When loop ends, biggest is the max
initialization: O(1)
loop: O(n)
return: O(1)
To sum up, this algorithm has O(n) time complexity.
def prefix_average1(S):
# Return list such tath, for all j, A[j] equals average of S[0], ..., S[j]
n = len(S)
A = [0]*n # Create new list of n zeros
for j in range(n):
total = 0 # begin computing S[0]+...+S[j]
for i in range(j+1):
total += S[i]
A[j] = total / (j+1) # record the average
return A
def prefix_average2(S):
n = len(S)
A = [0]*n
for j in range(n):
A[j] = sum(S[0:j])/(j+1)
return A
def prefix_average3(S):
n = len(S)
A = [0] * n
total = 0
for j in range(n):
total += S[j]
A[j] = total / (j+1)
return A
Time complexity in Python
len(data): O(1)
data[j]: O(1)
Python's lists are implemented as array-based sequences.
8n+5 is O(n)
5n4+3n3+2n2+4n+1 is O(n4)
a0β+a1βn+β―+adβnd is O(nd)
2n+100logn is O(n)
The running time of prefix_average1 is O(n2)
This big-Oh notation is used widely to characterize running times and space bounds in terms of some parameter n. (prefix_average2 is also O(n2))
The above expression only has O(n)time complexity.