KEMBAR78
Basic Algorithim 2 | PDF | Algorithms And Data Structures | Numerical Analysis
0% found this document useful (0 votes)
20 views57 pages

Basic Algorithim 2

basic algorithim 2

Uploaded by

Osama Rashdan
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
20 views57 pages

Basic Algorithim 2

basic algorithim 2

Uploaded by

Osama Rashdan
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 57

Algorithms

Design and complexity (Ch. 8-9)


Morgan Ericsson

Algorithms/ Design and complexity 1


Today
» Algorithm design
» Exponential time
» Computability
» P and NP

Algorithms/ Design and complexity 2


Algorithm design

Algorithms/ Design and complexity 4


The knapsack problem
» Assume you have some items that each have a value
and a weight
» And a bag (knapsack) that can hold at most a certain
weight
» Which items should you pick to maximize the value
» (How much of each)

Algorithms/ Design and complexity 5


The fraction version
» Assume that each item can be split into units of
weight 1
» In this case, we can use a greedy strategy
» Pick as much as you can of the most valuable item
» If room left, pick from the second most valuable item,

Algorithms/ Design and complexity 6


Implementation
1 class Item:
2 def __init__(self, val:float, weight:int) -> None:
3 self.value = val
4 self.weight = weight
5
6 def __lt__(self, other) -> bool:
7 return self.value / self.weight < other.value / other.w
8
9 def __repr__(self) -> str:
10 return f'Item({self.value}, {self.weight})'

Algorithms/ Design and complexity 7


Implementation
1 class FKnapsack:
2 def __init__(self, itms, cap) -> None:
3 self.itm = sorted(itms)
4 self.cap = cap
5
6 def fill(self) -> float:
7 total = 0.0
8
9 while self.cap > 0:
10 i = self.itm.pop()
11 mn = min(self.cap, i.weight)
12 total += i.value / i.weight * mn
13 self.cap -= mn
14
15 return total

Algorithms/ Design and complexity 8


Testing it
1 il = [Item(5, 4), Item(10, 8), Item(3, 3), \
2 Item(2, 5), Item(3, 2)]
3
4 ks = FKnapsack(il, 11)
5 assert ks.fill() == 14.25

Algorithms/ Design and complexity 9


Testing it

Algorithms/ Design and complexity 10


Greedy algorithms
» A way to deal with optimization problems, where we
need to make choices at each step
» E.g., which order should tasks be scheduled in
» Make the optimal choice at each step
» Can lead to the optimal solution
» But not required
» Never re-evaluate previous choices

Algorithms/ Design and complexity 11


When does it work?
» Optimal substructure
» An optimal solution can be constructed from
optimal solutions to subproblems
» Greedy choice property
» There is an optimal solution that is consistent
with the greedy choices

Algorithms/ Design and complexity 12


Greedy choice property?
» Write any number, n, as a ⋅ 10 + b ⋅ 5 + c ⋅ 1
» 43 = 4 ⋅ 10 + 0 ⋅ 5 + 3 ⋅ 1
» 99 = 9 ⋅ 10 + 1 ⋅ 5 + 4 ⋅ 1
» As long as n > 10, pick 10 and set n ← n − 10
» As long as 10 > n > 5, pick 5 and set n ← n − 5
» As long as 5 > n > 0 , pick 1 and set n ← n − 1

Algorithms/ Design and complexity 13


Greedy choice property?
» Write any number, n, as a ⋅ 6 + b ⋅ 5 + c ⋅ 1
» 11 = 1 ⋅ 6 + 1 ⋅ 5 + 0 ⋅ 1
» 10 = 1 ⋅ 6 + 0 ⋅ 5 + 4 ⋅ 1
» Greedy choice provides non-optimal solution
» (but correct)

Algorithms/ Design and complexity 14


Greedy choice property?
» Write any number, n, as a ⋅ 6 + b ⋅ 5 + c ⋅ 2
» 11 = 1 ⋅ 6 + 1 ⋅ 5 + 0 ⋅ 2
» 7≠1⋅6+0⋅5+0⋅2
» Greedy solution is not correct

Algorithms/ Design and complexity 15


Greedy algorithms
» There are problems that can be solved with greedy
algorithms
» often with low complexity
» fraction Knapsack O(n log n) (from sorting)
» But it is easy to fool yourself!

Algorithms/ Design and complexity 16


The binary version
» What if we cannot split the items?
» We cannot use a greedy approach
» Why? No greedy choice property!
» Highest value or value per weight does not guarantee
an optimal solution
» Try all combinations?

Algorithms/ Design and complexity 17


Implementation
1 class BKnapsack:
2 def __init__(self, itms, cap) -> None:
3 self.itm = itms
4 self.cap = cap
5
6 def fill(self) -> float:
7 return self._fill(self.cap, len(self.itm))
8
9 def _fill(self, W, n) -> float:
10 if n == 0 or W == 0.0:
11 return 0.0
12
13 if self.itm[n-1].weight > W:
14 return self._fill(W, n-1)
15 else:
16 return max(self.itm[n-1].value + \
17 self._fill(W - self.itm[n - 1].weight, n - 1), \
18 self._fill(W, n - 1))

Algorithms/ Design and complexity 18


Testing it
1 il = [Item(5, 4), Item(10, 8), Item(3, 3), \
2 Item(2, 5), Item(3, 2)]
3
4 ks = BKnapsack(il, 11)
5 assert ks.fill() == 13.0

Algorithms/ Design and complexity 19


Any difference?

Algorithms/ Design and complexity 20


Any difference?
variant n exctime
fraction 75 0.00005
fraction 150 0.00012
fraction 300 0.00027
binary 75 0.01532
binary 150 2.38345
binary 300 1256.56600

Algorithms/ Design and complexity 21


How can we fix it?
» We evaluate all combinations
» An item can either be picked or not picked
» If two items,
» ∅, {i1 }, {i2 }, {i1 , i2 }
  
22
n
» So, for n items, O(2 )

Algorithms/ Design and complexity 22


How can we fix it?
» The brute force approach evaluates the same
problem several times
» Overlapping subproblems
» What if we store the results and reuse them?

Algorithms/ Design and complexity 23


Fibonacci
1 def fib(n):
2 print(f'fib({n}) ', end='')
3 if n <= 1:
4 return n
5 return fib(n - 2) + fib(n - 1)

Algorithms/ Design and complexity 24


Fibonacci
1 assert fib(5) == 5
fib(5) fib(3) fib(1) fib(2) fib(0) fib(1) fib(4) fib(2)
fib(0) fib(1) fib(3) fib(1) fib(2) fib(0) fib(1)

Algorithms/ Design and complexity 25


Caching Fibonacci (memoization)
1 class TDFibonacci:
2 def __init__(self, n:int):
3 self.c = {0:0, 1:1}
4 self._fib(n)
5
6 def _fib(self, n:int):
7 if n in self.c:
8 return self.c[n]
9 print(f'fib({n}) ', end='')
10 self.c[n] = self._fib(n - 2) + self._fib(n - 1)
11 return self.c[n]

Algorithms/ Design and complexity 26


Fibonacci
1 f = TDFibonacci(5)
2 assert f.c[5] == 5
fib(5) fib(3) fib(2) fib(4)

Algorithms/ Design and complexity 27


Caching Fibonacci (tabulation)
1 class BUFibonacci:
2 def __init__(self, n:int):
3 self.c = np.zeros(n+1, dtype=int)
4 self.c[0:2] = [0, 1]
5 self._fib(5)
6
7 def _fib(self, n:int):
8 for i in range(2, n + 1):
9 print(f'fib({i}) ', end='')
10 self.c[i] = self.c[i - 2] + self.c[i - 1]

Algorithms/ Design and complexity 28


Fibonacci
1 f = BUFibonacci(5)
2 assert f.c[5] == 5
fib(2) fib(3) fib(4) fib(5)

Algorithms/ Design and complexity 29


Dynamic programming
» If a problem has optimal substructure and
overlapping subproblems
» We can use dynamic programming
» Memoization (Top-down, recursion)
» Tabulation (Botton-up, iterative)

Algorithms/ Design and complexity 30


Divide and conquer?
» We have seen divide and conquer multiple times
» Quicksort, mergesort, …
» Optimal substructure
» Non-overlapping subproblems

Algorithms/ Design and complexity 31


Implementation
1 import numpy as np
2
3 class DPBKnapsack:
4 def __init__(self, itms, cap) -> None:
5 self.itm = itms
6 self.cap = cap
7 self.dp = np.zeros(self.cap + 1, dtype=float)
8
9 def fill(self) -> float:
10 for i in range(1, len(self.itm) + 1):
11 for w in range(self.cap, 0, -1):
12 if self.itm[i-1].weight <= w:
13 self.dp[w] = max(self.dp[w], \
14 self.dp[w - self.itm[i - 1].weight] + \
15 self.itm[i - 1].value)
16
17 return self.dp[self.cap]

Algorithms/ Design and complexity 32


Testing it
1 il = [Item(5, 4), Item(10, 8), Item(3, 3), \
2 Item(2, 5), Item(3, 2)]
3
4 ks = DPBKnapsack(il, 11)
5 assert ks.fill() == 13.0

Algorithms/ Design and complexity 33


Better?

Algorithms/ Design and complexity 34


P and NP

Algorithms/ Design and complexity 36


Disclaimer
» Some of this will be simplified to make it easier to
understand
» The formal definitions can be difficult to understand
without a course in languages and automata theory

Algorithms/ Design and complexity 37


P
» An algorithm is of polynomial time if its running time
is bounded by a polynomial expression
» T(n) = O(nk ), where k is some positive constant
» O(n2 )
» Most of the algorithms we have studied, including
O(log n)
» Problems with polynomial-time algorithms belong to
the complexity class P

Algorithms/ Design and complexity 38


The class P
» Decision problems that can be solved on a
deterministic Turing machine in polynomial time
» A decision problem is a problem that can be
answered by yes or no
» Given x and y, does x evenly divide y?
» Problems in P are efficiently solvable or tractable
» Rule of thumb, not entirely true (e.g., O(n50 ))

Algorithms/ Design and complexity 39


Turing machine
» A mathematical model of computation
» Abstract machine that manipulates symbols on a tape
» Capable of implementing any algorithm (Church-
Turing thesis)

Algorithms/ Design and complexity 40


Turing machine
» Formally M = ⟨Q, Γ, b, Σ, δ, q0 , F⟩
» Γ is a set of symbols (alphabet)
» b is the blank symbol
» Σ ⊆ Γ − {b}
» Q is a set of states
» q0 ∈ Q is the initial state
» F ⊆ Q is the accepting states
» δ : (Q − F) × Γ ⇀ Q × Γ × {L, R}

Algorithms/ Design and complexity 41


Example
» A busy beaver
» Q = {A, B, C, HALT}
» Γ = {0, 1}
» b=0
» Σ = {1}
» q0 = A
» F = {HALT}

Algorithms/ Design and complexity 42


Example

A B C
0 1RB 0RC 1LC
1 1RH 1RB 1LA

» E.g., δ = A × 0 ⇀ B × 1 × R, …

Algorithms/ Design and complexity 43


Example
000000 111100 111111
A B C
010000 111100 111111
B B A
010000 111100 111111
C B H
010100 111100
C B
011100 111100
C C
011100 111101
A C

Algorithms/ Design and complexity 44


Universal Turing machine (UTM)
» A Universal Turing machine can simulat any turing
machine on any input
» Reads the machine to be simulated and the input
from tape
» Birth of the stored program concept

Algorithms/ Design and complexity 45


Turing completeness
» A system of data-manipulation rules is Turing
complete if it can be used to simulate any Turing
machine
» Any general purpose programming language is Turing
complete
» And some other things, such as Cities: Skylines and
chemical reaction networks
» Regular expressions are not

Algorithms/ Design and complexity 46


The class P
» Decision problems that can be solved on a
deterministic Turing machine in polynomial time
» A decision problem is a problem that can be
answered by yes or no
» Given x and y, does x evenly divide y?
» Problems in P are efficiently solvable or tractable
» Rule of thumb, not entirely true (e.g., O(n50 ))

Algorithms/ Design and complexity 47


The class NP
» Decision problems that can be solved on a
nondeterministic Turing machine in polynomial time
» If yes, the proof can be verified in polynomial time
» Problems in NP are intractable
» Again, also rule of thumb
» Remember the N in NP is for nondeterministic turing
machine

Algorithms/ Design and complexity 48


???
» Consider the travelling salesperson problem (TSP)
» Given a list of cities and distances between each pair,
is there a route that visits each city and returns to the
origin city of lenght k or less?
» Similarities with binary knapsack
» But, it is easy to see that a possible solution is
verifiable in polynomial time, simply compute the
length of the path and check if less than or equal to k

Algorithms/ Design and complexity 49


???
» The trick is the nondeterminism
» Think of this as a “forking” Turing machine
» At each step, all possible guesses are tried
» Explores the exponential tree in parallel
» A single Turing machine that always guesses correctly

Algorithms/ Design and complexity 50


Problems in NP
» Binary knapsack
» TSP
» Hamiltonian paths
» …

Algorithms/ Design and complexity 51


Not that easy…
» NP
» NP hard
» NP complete

Algorithms/ Design and complexity 52


Reductions
» A reduction is an algorithm for transforming one
problem into another
» Can be used to show that one problem is at least as
difficult as another
» Consider finding the median of a list of integers
» Can be reduced to sorting and picking the middle

Algorithms/ Design and complexity 53


NP complete
» A problem, C is NP complete if
» C is in NP
» Every problem in NP can be reduced to C in
polynomial time
» Contains the hardest problems in NP
» Knapsack, Hamiltonian paths, TSP, SAT, … are NP
complete

Algorithms/ Design and complexity 54


NP hard
» Problems that are at least as hard as problems in NP
» Does not have to be in NP
» But problems in NP should be reducible to the NP
hard problem

Algorithms/ Design and complexity 55


The classes (assuming P!=NP)

NP hard

NP complete

NP

Algorithms/ Design and complexity 56


But?

Algorithms/ Design and complexity 57


Not P (but almost…)

Algorithms/ Design and complexity 58


Algorithms/ Design and complexity

You might also like