-
Notifications
You must be signed in to change notification settings - Fork 0
/
Big O Notation.py
66 lines (42 loc) · 1.9 KB
/
Big O Notation.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
'''
The efficiency and accuracy of algorithms have to be analysed to compare them and choose a specific algorithm for certain scenarios. The process of making this analysis is called Asymptotic analysis. It refers to computing the running time of any operation in mathematical units of computation.
For example, the running time of one operation is computed as f(n) and may be for another operation it is computed as g(n2). This means the first operation running time will increase linearly with the increase in n and the running time of the second operation will increase exponentially when n increases. Similarly, the running time of both operations will be nearly the same if n is significantly small.
Usually, the time required by an algorithm falls under three types −
Best Case − Minimum time required for program execution.
Average Case − Average time required for program execution.
Worst Case − Maximum time required for program execution.
'''
# Big O Notation
'''----------Constant Complexity-----------'''
def constant_algo(items):
result = items[0]*items[0]
print()
constant_algo([2,4,5,6])
'''----------Linear Complexity------------'''
def linear_algo(items):
for item in items:
print(item)
linear_algo([4,5,7,9])
'''----------Quardratic Complexity-----------'''
def quadratic_algo(items):
for item in items:
for item2 in items:
print(item, ' ' , item)
quadratic_algo([3,4,6,8,9])
'''----------Complex Algorithm------------------'''
def complex_algo(items):
for i in range(5):
print('Python is awesome')
for item in items:
print(item)
print('Big O')
complex_algo([4,5,7.6])
'''---------- Worst vs Best Case Complexity --------------'''
def search_algo(num, items):
for item in items:
if item == num:
return True
else:
return False
nums = [2, 4, 6, 8, 10]
print(search_algo(2, nums))