Detailed Analysis of The Binary Search
Detailed Analysis of The Binary Search
The third assumption will make our math easier since the sum
we will have to calculate will more easily follow a pattern. (Our
general result we obtain will still hold w/o this assumption.)
First, we note that using 1 comparison, we can find 1 element.
If we use two comparisons exactly, there are 2 possible
elements we can find. In general, after using k comparisons, we
can find 2k-1 elements. (To see this, consider doing a binary
search on the array 2, 5, 6, 8, 12, 17, 19. 8 would be found in 1
comparison, 5 and 17 in two, and 1, 6, 12 and 19 would be
found in 3 comparisons.)
n
1 1 n
j 1 n
p ( j ) p( j )
n j 1
n n k
1 1 1
n p( j ) n p ( j ) n j 2
j 1 j 1 j 1
j 1
j2
j 1
j 1
1( 20 ) 2( 21 ) .................. k ( 2 k 1 )
k
2 j 2 j 1 1(21 ) 2( 2 2 ) ... ( k 1)(2 k 1 ) k (2 k )
j 1
j2
j 1
j 1
2 k 1 k 2 k
k
j2
j 1
j 1
(k 1)2 k 1
(k 1)2 k 1 (k 1)2 k 1
k 1 O(log n)
n 2k 1
T(n) = 2T(n-1) + 1
= 2(2T(n-2) +1) + 1
= 4T(n-2) + 3
= 4(2T(n-3) +1) + 3
= 8T(n-3) + 7
= 2n-1T(1) + 2n-1-1
= 2n-1 + 2n-1-1
= 2(2n-1) - 1
= 2n - 1.
T(n) = T(n-25)+T(n-10)+T(n-5)+T(n-1)
Is there anything wrong with this?
1)If d is 25, give out a quarter and make change for n-25 cents
using the largest coin as a quarter.
2)If d is 10, give out a dime and make change for n-10 cents
using the largest coin as a dime.
3)If d is 5, give out a nickel and make change for n-5 cents
using the largest coin as a nickel.
4)If d is 1, we can simply return 1 since if you are only allowed
to give pennies, you can only make change in one way.
Although this seems quite a bit more complex than before, the
code itself isn't so long. Let's take a look at it:
if (n < 0)
return 0;
else if (n==0)
return 1;
else {
int sum = 0;
switch (d) {
case 25: sum+=makeChange(n-25,25);
case 10: sum+=makeChange(n-10,10);
case 5: sum += makeChange(n-5,5);
case 1: sum++;
}
return sum;
}
}
Dangers of Recursion
In the code above, a whole bunch of stuff going on, but one of
the things you'll notice is that the larger n gets, the slower and
slower this will run, or maybe your computer will run out of
stack space. Further analysis will show that many, many
method calls get repeated in the course of a single initial
method call.
if (n < 2)
return n;
else
return fibrec(n-1)+fibrec(n-2);
}
The problem here is that lots of calls are made to fibrec(0) and
fibrec(1). More concretely, consider what happens when we call
fibrec(10). It calls fibrec(9), which calls fibrec(8) and fibrec(7).
When both of those calls finish, we call fibrec(8) AGAIN, even
though we had already done that!!!
Now, we will show that F2n 2n, using induction on n for all
positive integers n 3.
Base case n=3: LHS = F6 = 8, RHS = 23 = 8, so the inequality
holds.
F2(k+1) = F2k+2
= F2k+1 + F2k
> 2F2k, since the sequence is strictly increasing for k>1.
2(2k)
= 2k+1, finishing the induction.
1 1 5 n
More accurately, Fn
5
(
2
) , which also indicates the
method's running time.