SlideShare a Scribd company logo
Copyright © 2014 by John Wiley & Sons. All rights reserved. 1
Chapter 13 - Recursion
Copyright © 2014 by John Wiley & Sons. All rights reserved. 2
Chapter Goals
 To learn to “think recursively”
 To be able to use recursive helper methods
 To understand the relationship between recursion and iteration
 To understand when the use of recursion affects the efficiency of an
algorithm
 To analyze problems that are much easier to solve by recursion than
by iteration
 To process data with recursive structures using mutual recursion
Copyright © 2014 by John Wiley & Sons. All rights reserved. 3
Triangle Numbers
 Recursion: the same computation occurs repeatedly.
 Using the same method as the one in this section, you can compute
the volume of a Mayan pyramid.
 Problem: to compute the area of a triangle of width n
 Assume each [] square has an area of 1
 Also called the nth triangle number
 The third triangle number is 6
[]
[][]
[][][]
Copyright © 2014 by John Wiley & Sons. All rights reserved. 4
Outline of Triangle Class
public class Triangle
{
private int width;
public Triangle(int aWidth)
{
width = aWidth;
}
public int getArea()
{
. . .
}
}
Copyright © 2014 by John Wiley & Sons. All rights reserved. 5
Handling Triangle of Width 1
 The triangle consists of a single square.
 Its area is 1.
 Add the code to getArea method for width 1:
public int getArea()
{
if (width == 1) { return 1; }
. . .
}
Copyright © 2014 by John Wiley & Sons. All rights reserved. 6
Handling the General Case
 Assume we know the area of the smaller, colored triangle
[]
[][]
[][][]
[][][][]
 Area of larger triangle can be calculated as:
smallerArea + width
 To get the area of the smaller triangle:
• Make a smaller triangle and ask it for its area:
Triangle smallerTriangle = new Triangle(width - 1);
int smallerArea = smallerTriangle.getArea();
Copyright © 2014 by John Wiley & Sons. All rights reserved. 7
Completed getArea Method
public int getArea()
{
if (width == 1) { return 1; }
Triangle smallerTriangle = new Triangle(width - 1);
int smallerArea = smallerTriangle.getArea();
return smallerArea + width;
}
A recursive computation solves a problem by using the solution
to the same problem with simpler inputs.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 8
Computing the Area of a Triangle with Width 4
 getArea method makes a smaller triangle of width 3
 It calls getArea on that triangle
• That method makes a smaller triangle of width 2
• It calls getArea on that triangle
o That method makes a smaller triangle of width 1
o It calls getArea on that triangle
– That method returns 1
o The method returns smallerArea + width = 1 + 2 = 3
• The method returns smallerArea + width = 3 + 3 = 6
 The method returns smallerArea + width = 6 + 4 = 10
Copyright © 2014 by John Wiley & Sons. All rights reserved. 9
Recursion
 A recursive computation solves a problem by using the solution
of the same problem with simpler values.
 Two requirements for successful recursion.
 For recursion to terminate, there must be special cases for the
simplest inputs.
 To complete our Triangle example, we must handle width <= 0:
if (width <= 0) return 0;
 Two key requirements for successful recursion:
• Every recursive call must simplify the computation in some way
• There must be special cases to handle the simplest computations
directly
Copyright © 2014 by John Wiley & Sons. All rights reserved. 10
Other Ways to Compute Triangle Numbers
 The area of a triangle equals the sum:
1 + 2 + 3 + . . . + width
 Using a simple loop:
double area = 0;
for (int i = 1; i <= width; i++)
area = area + i;
 Using math:
1 + 2 + . . . + n = n × (n + 1)/2
=> area = width * (width + 1) / 2
Copyright © 2014 by John Wiley & Sons. All rights reserved. 11
section_1/Triangle.java
1 /**
2 A triangular shape composed of stacked unit squares like this:
3 []
4 [][]
5 [][][]
6 . . .
7 */
8 public class Triangle
9 {
10 private int width;
11
12 /**
13 Constructs a triangular shape.
14 @param aWidth the width (and height) of the triangle
15 */
16 public Triangle(int aWidth)
17 {
18 width = aWidth;
19 }
20
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 12
section_1/Triangle.java
21 /**
22 Computes the area of the triangle.
23 @return the area
24 */
25 public int getArea()
26 {
27 if (width <= 0) { return 0; }
28 else if (width == 1) { return 1; }
29 else
30 {
31 Triangle smallerTriangle = new Triangle(width - 1);
32 int smallerArea = smallerTriangle.getArea();
33 return smallerArea + width;
34 }
35 }
36 }
Copyright © 2014 by John Wiley & Sons. All rights reserved. 13
section_1/TriangleTester.java
1 public class TriangleTester
2 {
3 public static void main(String[] args)
4 {
5 Triangle t = new Triangle(10);
6 int area = t.getArea();
7 System.out.println("Area: " + area);
8 System.out.println("Expected: 55");
9 }
10 }
Program Run:
Area: 55
Expected: 55
Copyright © 2014 by John Wiley & Sons. All rights reserved. 14
Self Check 13.1
Answer: Suppose we omit the statement. When computing
the area of a triangle with width 1, we compute the area of
the triangle with width 0 as 0, and then add 1, to arrive at
the correct area.
Why is the statement
else if (width == 1) { return 1; }
in the getArea method unnecessary?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 15
Self Check 13.2
Answer: You would compute the smaller area recursively,
then return
smallerArea + width + width – 1.
[][][][]
[][][][]
[][][][]
[][][][]
Of course, it would be simpler to compute the area simply as
width * width. The results are identical because
How would you modify the program to recursively compute the
area of a square?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 16
Self Check 13.3
Answer: There is no provision for stopping the recursion.
When a number < 10 isn’t 8, then the method should return
false and stop.
In some cultures, numbers containing the digit 8 are lucky
numbers. What is wrong with the following method that tries to
test whether a number is lucky?
public static boolean isLucky(int number)
{
int lastDigit = number % 10;
if (lastDigit == 8) { return true; }
else
{
// Test the number without the last digit
return isLucky(number / 10);
}
}
Copyright © 2014 by John Wiley & Sons. All rights reserved. 17
Self Check 13.4
Answer:
public static int pow2(int n)
{
if (n <= 0) { return 1; } // 2^0 is 1
else { return 2 * pow2(n - 1); }
}
In order to compute a power of two, you can take the next-lower
power and double it. For example, if you want to compute 211
and you know that 210 = 1024, then 211 = 2 × 1024 = 2048.
Write a recursive method
public static int pow2(int n)
that is based on this observation.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 18
Self Check 13.5
Consider the following recursive method:
public static int mystery(int n)
{
if (n <= 0) { return 0; }
else
{
int smaller = n - 1;
return mystery(smaller) + n * n;
}
}
What is mystery(4)?
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 19
Self Check 13.5
Answer:
mystery(4) calls mystery(3)
mystery(3) calls mystery(2)
mystery(2) calls mystery(1)
mystery(1) calls mystery(0)
mystery(0) returns 0.
mystery(1) returns 0 + 1 * 1 = 1
mystery(2) returns 1 + 2 * 2 = 5
mystery(3) returns 5 + 3 * 3 = 14
mystery(4) returns 14 + 4 * 4 = 30
Copyright © 2014 by John Wiley & Sons. All rights reserved. 20
Tracing Through Recursive Methods
To debug recursive methods with a debugger, you need to be
particularly careful, and watch the call stack to understand
which nested call you currently are in.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 21
Thinking Recursively
Thinking recursively is easy if you can recognize a subtask that
is similar to the original task.
 Problem: test whether a sentence is a palindrome
 Palindrome: a string that is equal to itself when you reverse all
characters
• A man, a plan, a canal – Panama!
• Go hang a salami, I'm a lasagna hog
• Madam, I'm Adam
Copyright © 2014 by John Wiley & Sons. All rights reserved. 22
Implement isPalindrome Method: How To 13.1
public class Sentence
{
private String text;
/**
Constructs a sentence.
@param aText a string containing all characters of the sentence
*/
public Sentence(String aText)
{
text = aText;
}
/**
Tests whether this sentence is a palindrome.
@return true if this sentence is a palindrome, false otherwise
*/
public boolean isPalindrome()
{
. . .
}
}
Copyright © 2014 by John Wiley & Sons. All rights reserved. 23
Thinking Recursively: How To 13.1
1. Consider various ways to simplify inputs.
Here are several possibilities:
 Remove the first character.
 Remove the last character.
 Remove both the first and last characters.
 Remove a character from the middle.
 Cut the string into two halves.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 24
Thinking Recursively: How To 13.1
2. Combine solutions with simpler inputs into a solution of the
original problem.
 Most promising simplification: Remove first and last characters
“adam, I'm Ada”, is a palindrome too!
 Thus, a word is a palindrome if
• The first and last letters match, and
• Word obtained by removing the first and last letters is a palindrome
 What if first or last character is not a letter? Ignore it.
• If the first and last characters are letters, check whether they match;
if so, remove both and test shorter string
• If last character isn't a letter, remove it and test shorter string
• If first character isn't a letter, remove it and test shorter string
Copyright © 2014 by John Wiley & Sons. All rights reserved. 25
Thinking Recursively: How To 13.1
3. Find solutions to the simplest inputs.
 Strings with two characters
• No special case required; step two still applies
 Strings with a single character
• They are palindromes
 The empty string
• It is a palindrome
Copyright © 2014 by John Wiley & Sons. All rights reserved. 26
Thinking Recursively: How To 13.1
4. Implement the solution by combining the simple cases and the
reduction step:
public boolean isPalindrome()
{
int length = text.length();
// Separate case for shortest strings.
if (length <= 1) { return true; }
// Get first and last characters, converted to lowercase.
char first = Character.toLowerCase(text.charAt(0));
char last = Character.toLowerCase(text.charAt(length - 1));
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 27
Thinking Recursively: How To 13.1
if (Character.isLetter(first) && Character.isLetter(last))
{
// Both are letters.
if (first == last)
{
// Remove both first and last character.
Sentence shorter =
new Sentence(text.substring(1, length - 1));
return shorter.isPalindrome();
}
else
{
return false;
}
}
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 28
Thinking Recursively: How To 13.1
else if (!Character.isLetter(last))
{
// Remove last character.
Sentence shorter = new Sentence(text.substring(0, length - 1));
return shorter.isPalindrome();
}
else
{
// Remove first character.
Sentence shorter = new Sentence(text.substring(1));
return shorter.isPalindrome();
}
}
Copyright © 2014 by John Wiley & Sons. All rights reserved. 29
Recursive Helper Methods
 Sometimes, a task can be solved by handing it off to a
recursive helper method.
 Sometimes it is easier to find a recursive solution if you make a
slight change to the original problem.
 Consider the palindrome test of previous slide.
• It is a bit inefficient to construct new Sentence objects in every step
Copyright © 2014 by John Wiley & Sons. All rights reserved. 30
Recursive Helper Methods
 Rather than testing whether the sentence is a palindrome,
check whether a substring is a palindrome:
/**
Tests whether a substring of the sentence is a palindrome.
@param start the index of the first character of the substring
@param end the index of the last character of the substring
@return true if the substring is a palindrome
*/
public boolean isPalindrome(int start, int end)
Copyright © 2014 by John Wiley & Sons. All rights reserved. 31
Recursive Helper Methods - isPalindrome
public boolean isPalindrome(int start, int end)
{
// Separate case for substrings of length 0 and 1.
if (start >= end) { return true; }
// Get first and last characters, converted to lowercase.
char first = Character.toLowerCase(text.charAt(start));
char last = Character.toLowerCase(text.charAt(end));
if (Character.isLetter(first) && Character.isLetter(last))
{
if (first == last)
{
// Test substring that doesn’t contain the matching letters.
return isPalindrome(start + 1, end - 1);
}
else
{
return false;
}
}
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 32
Recursive Helper Methods - isPalindrome
else if (!Character.isLetter(last))
{
// Test substring that doesn’t contain the last character.
return isPalindrome(start, end - 1);
}
else
{
// Test substring that doesn’t contain the first character.
return isPalindrome(start + 1, end);
}
}
Copyright © 2014 by John Wiley & Sons. All rights reserved. 33
Recursive Helper Methods
 Provide a method to call the helper method with positions that test the entire
string:
public boolean isPalindrome()
{
return isPalindrome(0, text.length() - 1);
}
 This call is not recursive
• The isPalindrome(String) method calls the helper method isPalindrome(String, int,
int).
• An example of overloading
 The public will call isPalindrome(String) method.
 isPalindrome(String, int, int) is the recursive helper method.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 34
Self Check 13.6
Answer: No — the second one could be given a different
name such as substringIsPalindrome.
Do we have to give the same name to both isPalindrome
methods?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 35
Self Check 13.7
Answer: When start >= end, that is, when the investigated
string is either empty or has length 1.
When does the recursive isPalindrome method stop calling
itself?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 36
Self Check 13.8
Answer: A sumHelper(int[] a, int start, int size). The method
calls sumHelper(a, start + 1, size).
To compute the sum of the values in an array, add the first
value to the sum of the remaining values, computing
recursively. Of course, it would be inefficient to set up an actual
array of the remaining values. Which recursive helper method
can solve the problem?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 37
Self Check 13.9
Answer: Call sum(a, size - 1) and add the last element,
a[size - 1].
How can you write a recursive method
public static void sum(int[] a)
without needing a helper function?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 38
The Efficiency of Recursion: Fibonacci Sequence
 Fibonacci sequence is a sequence of numbers defined by:
f1 = 1
f2 = 1
fn = fn-1 + fn-2
 First ten terms:
1, 1, 2, 3, 5, 8, 13, 21, 34, 55
Copyright © 2014 by John Wiley & Sons. All rights reserved. 39
section_3/RecursiveFib.java
1 import java.util.Scanner;
2
3 /**
4 This program computes Fibonacci numbers using a recursive method.
5 */
6 public class RecursiveFib
7 {
8 public static void main(String[] args)
9 {
10 Scanner in = new Scanner(System.in);
11 System.out.print("Enter n: ");
12 int n = in.nextInt();
13
14 for (int i = 1; i <= n; i++)
15 {
16 long f = fib(i);
17 System.out.println("fib(" + i + ") = " + f);
18 }
19 }
20
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 40
section_3/RecursiveFib.java
21 /**
22 Computes a Fibonacci number.
23 @param n an integer
24 @return the nth Fibonacci number
25 */
26 public static long fib(int n)
27 {
28 if (n <= 2) { return 1; }
29 else { return fib(n - 1) + fib(n - 2); }
30 }
31 }
Program Run:
Enter n: 50
fib(1) = 1
fib(2) = 1
fib(3) = 2
fib(4) = 3
fib(5) = 5
fib(6) = 8
fib(7) = 13
. . .
fib(50) = 12586269025
Copyright © 2014 by John Wiley & Sons. All rights reserved. 41
The Efficiency of Recursion
 Recursive implementation of fib is straightforward.
 Watch the output closely as you run the test program.
 First few calls to fib are quite fast.
 For larger values, the program pauses an amazingly long time
between outputs.
 To find out the problem, lets insert trace messages.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 42
section_3/RecursiveFibTracer.java
1 import java.util.Scanner;
2
3 /**
4 This program prints trace messages that show how often the
5 recursive method for computing Fibonacci numbers calls itself.
6 */
7 public class RecursiveFibTracer
8 {
9 public static void main(String[] args)
10 {
11 Scanner in = new Scanner(System.in);
12 System.out.print("Enter n: ");
13 int n = in.nextInt();
14
15 long f = fib(n);
16
17 System.out.println("fib(" + n + ") = " + f);
18 }
19
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 43
section_3/RecursiveFibTracer.java
20 /**
21 Computes a Fibonacci number.
22 @param n an integer
23 @return the nth Fibonacci number
24 */
25 public static long fib(int n)
26 {
27 System.out.println("Entering fib: n = " + n);
28 long f;
29 if (n <= 2) { f = 1; }
30 else { f = fib(n - 1) + fib(n - 2); }
31 System.out.println("Exiting fib: n = " + n
32 + " return value = " + f);
33 return f;
34 }
35 }
Program Run:
Enter n: 6
Entering fib: n = 6
Entering fib: n = 5
Entering fib: n = 4
Entering fib: n = 3
Entering fib: n = 2
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 44
section_3/RecursiveFibTracer.java
Exiting fib: n = 2 return value = 1
Entering fib: n = 1
Exiting fib: n = 1 return value = 1
Exiting fib: n = 3 return value = 2
Entering fib: n = 2
Exiting fib: n = 2 return value = 1
Exiting fib: n = 4 return value = 3
Entering fib: n = 3
Entering fib: n = 2
Exiting fib: n = 2 return value = 1
Entering fib: n = 1
Exiting fib: n = 1 return value = 1
Exiting fib: n = 3 return value = 2
Exiting fib: n = 5 return value = 5
Entering fib: n = 4
Entering fib: n = 3
Entering fib: n = 2
Exiting fib: n = 2 return value = 1
Entering fib: n = 1
Exiting fib: n = 1 return value = 1
Exiting fib: n = 3 return value = 2
Entering fib: n = 2
Exiting fib: n = 2 return value = 1
Exiting fib: n = 4 return value = 3
Exiting fib: n = 6 return value = 8
fib(6) = 8
Copyright © 2014 by John Wiley & Sons. All rights reserved. 45
Call Tree for Computing fib(6)
Figure 2 Call Pattern of the Recursive fib Method
Copyright © 2014 by John Wiley & Sons. All rights reserved. 46
The Efficiency of Recursion
 Method takes so long because it computes the same values
over and over.
 The computation of fib(6) calls fib(3) three times.
 Imitate the pencil-and-paper process to avoid computing the
values more than once.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 47
section_3/LoopFib.java
1 import java.util.Scanner;
2
3 /**
4 This program computes Fibonacci numbers using an iterative method.
5 */
6 public class LoopFib
7 {
8 public static void main(String[] args)
9 {
10 Scanner in = new Scanner(System.in);
11 System.out.print("Enter n: ");
12 int n = in.nextInt();
13
14 for (int i = 1; i <= n; i++)
15 {
16 long f = fib(i);
17 System.out.println("fib(" + i + ") = " + f);
18 }
19 }
20
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 48
section_3/LoopFib.java
21 /**
22 Computes a Fibonacci number.
23 @param n an integer
24 @return the nth Fibonacci number
25 */
26 public static long fib(int n)
27 {
28 if (n <= 2) { return 1; }
29 else
30 {
31 long olderValue = 1;
32 long oldValue = 1;
33 long newValue = 1;
34 for (int i = 3; i <= n; i++)
35 {
36 newValue = oldValue + olderValue;
37 olderValue = oldValue;
38 oldValue = newValue;
39 }
40 return newValue;
41 }
42 }
43 }
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 49
section_3/LoopFib.java
Program Run:
Enter n: 50
fib(1) = 1
fib(2) = 1
fib(3) = 2
fib(4) = 3
fib(5) = 5
fib(6) = 8
fib(7) = 13
. . .
fib(50) = 12586269025
Copyright © 2014 by John Wiley & Sons. All rights reserved. 50
The Efficiency of Recursion
 In most cases, the iterative and recursive approaches have
comparable efficiency.
 Occasionally, a recursive solution runs much slower than its
iterative counterpart.
 In most cases, the recursive solution is only slightly slower.
 The iterative isPalindrome performs only slightly better than
recursive solution.
• Each recursive method call takes a certain amount of processor time
Copyright © 2014 by John Wiley & Sons. All rights reserved. 51
The Efficiency of Recursion
 Smart compilers can avoid recursive method calls if they follow
simple patterns.
 Most compilers don't do that.
 In many cases, a recursive solution is easier to understand and
implement correctly than an iterative solution.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 52
Iterative isPalindrome Method
public boolean isPalindrome()
{
int start = 0;
int end = text.length() - 1;
while (start < end)
{
char first = Character.toLowerCase(text.charAt(start));
char last = Character.toLowerCase(text.charAt(end);
if (Character.isLetter(first) && Character.isLetter(last))
{
// Both are letters.
if (first == last)
{
start++;
end--;
}
else
{
return false;
}
}
if (!Character.isLetter(last)) { end--; }
if (!Character.isLetter(first)) { start++; }
}
return true;
}
Copyright © 2014 by John Wiley & Sons. All rights reserved. 53
Self Check 13.10
Answer: The loop is slightly faster. Of course, it is even faster
to simply compute width * (width + 1) / 2.
Is it faster to compute the triangle numbers recursively, as
shown in Section 13.1, or is it faster to use a loop that
computes 1 + 2 + 3 + . . . + width?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 54
Self Check 13.11
Answer: No, the recursive solution is about as efficient as
the iterative approach. Both require n – 1 multiplications
to compute n!.
You can compute the factorial function either with a loop, using the
definition that n! = 1 × 2 × . . . × n, or recursively, using the definition
that 0! = 1and
n! = (n – 1)! × n. Is the recursive approach inefficient in this case?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 55
Self Check 13.12
Answer: The recursive algorithm performs about as well as
the loop. Unlike the recursive Fibonacci algorithm, this
algorithm doesn’t call itself again on the same input. For
example, the sum of the array 1 4 9 16 25 36 49 64 is
computed as the sum of 1 4 9 16 and 25 36 49 64, then as
the sums of 1 4, 9 16, 25 36, and 49 64, which can be
computed directly.
To compute the sum of the values in an array, you can split the
array in the middle, recursively compute the sums of the halves,
and add the results. Compare the performance of this algorithm
with that of a loop that adds the values.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 56
Permutations
 Using recursion, you can find all arrangements of a set of
objects.
 Design a class that will list all permutations of a string. A
permutation is a rearrangement of the letters.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 57
Permutations
 The string "eat" has six permutations:
"eat"
"eta"
"aet"
"ate"
"tea"
"tae”
Copyright © 2014 by John Wiley & Sons. All rights reserved. 58
Permutations
 Problem: Generate all the permutations of "eat".
 First generate all permutations that start with the letter 'e', then
'a' then 't'.
 How do we generate the permutations that start with 'e'?
• We need to know the permutations of the substring "at".
• But that’s the same problem—to generate all permutations— with a
simpler input
 Prepend the letter 'e' to all the permutations you found of 'at'.
 Do the same for 'a' and 't'.
 Provide a special case for the simplest strings.
• The simplest string is the empty string, which has a single permutation—
itself.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 59
section_4/Permutations.java
1 import java.util.ArrayList;
2
3 /**
4 This program computes permutations of a string.
5 */
6 public class Permutations
7 {
8 public static void main(String[] args)
9 {
10 for (String s : permutations("eat"))
11 {
12 System.out.println(s);
13 }
14 }
15
16 /**
17 Gets all permutations of a given word.
18 @param word the string to permute
19 @return a list of all permutations
20 */
21 public static ArrayList<String> permutations(String word)
22 {
23 ArrayList<String> result = new ArrayList<String>();
24
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 60
section_4/Permutations.java
25 // The empty string has a single permutation: itself
26 if (word.length() == 0)
27 {
28 result.add(word);
29 return result;
30 }
31 else
32 {
33 // Loop through all character positions
34 for (int i = 0; i < word.length(); i++)
35 {
36 // Form a shorter word by removing the ith character
37 String shorter = word.substring(0, i) + word.substring(i + 1);
38
39 // Generate all permutations of the simpler word
40 ArrayList<String> shorterPermutations = permutations(shorter);
41
42 // Add the removed character to the front of
43 // each permutation of the simpler word,
44 for (String s : shorterPermutations)
45 {
46 result.add(word.charAt(i) + s);
47 }
48 }
49 // Return all permutations
50 return result;
51 }
52 }
53 }
54
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 61
section_4/Permutations.java
Program Run:
eat
eta
aet
ate
tea
tae
Copyright © 2014 by John Wiley & Sons. All rights reserved. 62
Self Check 13.13
Answer: They are b followed by the six permutations of eat, e
followed by the six permutations of bat, a followed by the
six permutations of bet, and t followed by the six
permutations of bea.
What are all permutations of the four-letter word beat?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 63
Self Check 13.14
Answer: Simply change
if (word.length() == 0)
to
if (word.length() <= 1)
because a word with a single letter is also its sole
permutation.
Our recursion for the permutation generator stops at the empty
string. What simple modification would make the recursion stop
at strings of length 0 or 1?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 64
Self Check 13.15
 Answer: An iterative solution would have a loop whose
body computes the next permutation from the previous
ones. But there is no obvious mechanism for getting the
next permutation. For example, if you already found
permutations eat, eta, and aet, it is not clear how you use
that information to get the next permutation. Actually, there
is an ingenious mechanism for doing just that, but it is far
from obvious —see Exercise P13.12.
Why isn’t it easy to develop an iterative solution for the
permutation generator?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 65
Mutual Recursions
 Problem: to compute the value of arithmetic expressions such
as:
3 + 4 * 5 (3 + 4) * 5 1 - (2 - (3 - (4 - 5)))
 Computing expression is complicated
• * and / bind more strongly than + and -
• Parentheses can be used to group subexpressions
Copyright © 2014 by John Wiley & Sons. All rights reserved. 66
Syntax Diagrams for Evaluating an Expression
Figure 3
Copyright © 2014 by John Wiley & Sons. All rights reserved. 67
Mutual Recursions
 An expression can broken down into a sequence of terms,
separated by + or -.
 Each term is broken down into a sequence of factors,
separated by * or /.
 Each factor is either a parenthesized expression or a number.
 The syntax trees represent which operations should be carried
out first.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 68
Syntax Tree for Two Expressions
Copyright © 2014 by John Wiley & Sons. All rights reserved. 69
Mutually Recursive Methods
 In a mutual recursion, a set of cooperating methods calls each
other repeatedly.
 To compute the value of an expression, implement 3 methods
that call each other recursively:
• getExpressionValue
• getTermValue
• getFactorValue
Copyright © 2014 by John Wiley & Sons. All rights reserved. 70
The getExpressionValue Method
public int getExpressionValue()
{
int value = getTermValue();
boolean done = false;
while (!done)
{
String next = tokenizer.peekToken();
if ("+".equals(next) || "-".equals(next))
{
tokenizer.nextToken(); // Discard "+" or "-"
int value2 = getTermValue();
if ("+".equals(next)) value = value + value2;
else value = value - value2;
}
else
{
done = true;
}
}
return value;
}
Copyright © 2014 by John Wiley & Sons. All rights reserved. 71
The getTermValue Method
 The getTermValue method calls getFactorValue in the same
way, multiplying or dividing the factor values.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 72
The getFactorValue Method
public int getFactorValue()
{
int value;
String next = tokenizer.peekToken();
if ("(".equals(next))
{
tokenizer.nextToken(); // Discard "("
value = getExpressionValue();
tokenizer.nextToken(); // Discard ")"
}
else
{
value = Integer.parseInt(tokenizer.nextToken());
}
return value;
}
Copyright © 2014 by John Wiley & Sons. All rights reserved. 73
Using Mutual Recursions
 To see the mutual recursion clearly, trace through the
expression (3+4)*5:
• getExpressionValue calls getTermValue
• getTermValue calls getFactorValue
– getFactorValue consumes the ( input
» getFactorValue calls getExpressionValue
• getExpressionValue returns eventually with the value of 7, having consumed 3 + 4. This is the
recursive call.
» getFactorValue consumes the ) input
– getFactorValue returns 7
• getTermValue consumes the inputs * and 5 and returns 35
• getExpressionValue returns 35
 Recursion terminates when all the tokens of the input string are
consumed.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 74
section_5/Evaluator.java
1 /**
2 A class that can compute the value of an arithmetic expression.
3 */
4 public class Evaluator
5 {
6 private ExpressionTokenizer tokenizer;
7
8 /**
9 Constructs an evaluator.
10 @param anExpression a string containing the expression
11 to be evaluated
12 */
13 public Evaluator(String anExpression)
14 {
15 tokenizer = new ExpressionTokenizer(anExpression);
16 }
17
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 75
section_5/Evaluator.java
18 /**
19 Evaluates the expression.
20 @return the value of the expression.
21 */
22 public int getExpressionValue()
23 {
24 int value = getTermValue();
25 boolean done = false;
26 while (!done)
27 {
28 String next = tokenizer.peekToken();
29 if ("+".equals(next) || "-".equals(next))
30 {
31 tokenizer.nextToken(); // Discard "+" or "-"
32 int value2 = getTermValue();
33 if ("+".equals(next)) { value = value + value2; }
34 else { value = value - value2; }
35 }
36 else
37 {
38 done = true;
39 }
40 }
41 return value;
42 }
43
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 76
section_5/Evaluator.java
44 /**
45 Evaluates the next term found in the expression.
46 @return the value of the term
47 */
48 public int getTermValue()
49 {
50 int value = getFactorValue();
51 boolean done = false;
52 while (!done)
53 {
54 String next = tokenizer.peekToken();
55 if ("*".equals(next) || "/".equals(next))
56 {
57 tokenizer.nextToken();
58 int value2 = getFactorValue();
59 if ("*".equals(next)) { value = value * value2; }
60 else { value = value / value2; }
61 }
62 else
63 {
64 done = true;
65 }
66 }
67 return value;
68 }
69
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 77
section_5/Evaluator.java
70 /**
71 Evaluates the next factor found in the expression.
72 @return the value of the factor
73 */
74 public int getFactorValue()
75 {
76 int value;
77 String next = tokenizer.peekToken();
78 if ("(".equals(next))
79 {
80 tokenizer.nextToken(); // Discard "("
81 value = getExpressionValue();
82 tokenizer.nextToken(); // Discard ")"
83 }
84 else
85 {
86 value = Integer.parseInt(tokenizer.nextToken());
87 }
88 return value;
89 }
90 }
Copyright © 2014 by John Wiley & Sons. All rights reserved. 78
section_5/ExpressionTokenizer.java
1 /**
2 This class breaks up a string describing an expression
3 into tokens: numbers, parentheses, and operators.
4 */
5 public class ExpressionTokenizer
6 {
7 private String input;
8 private int start; // The start of the current token
9 private int end; // The position after the end of the current token
10
11 /**
12 Constructs a tokenizer.
13 @param anInput the string to tokenize
14 */
15 public ExpressionTokenizer(String anInput)
16 {
17 input = anInput;
18 start = 0;
19 end = 0;
20 nextToken(); // Find the first token
21 }
22
23 /**
24 Peeks at the next token without consuming it.
25 @return the next token or null if there are no more tokens
26 */
27 public String peekToken()
28 {
29 if (start >= input.length()) { return null; }
30 else { return input.substring(start, end); }
31 }
32
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 79
section_5/ExpressionTokenizer.java
33 /**
34 Gets the next token and moves the tokenizer to the following token.
35 @return the next token or null if there are no more tokens
36 */
37 public String nextToken()
38 {
39 String r = peekToken();
40 start = end;
41 if (start >= input.length()) { return r; }
42 if (Character.isDigit(input.charAt(start)))
43 {
44 end = start + 1;
45 while (end < input.length()
46 && Character.isDigit(input.charAt(end)))
47 {
48 end++;
49 }
50 }
51 else
52 {
53 end = start + 1;
54 }
55 return r;
56 }
57 }
Copyright © 2014 by John Wiley & Sons. All rights reserved. 80
section5/ExpressionCalculator.java
1 import java.util.Scanner;
2
3 /**
4 This program calculates the value of an expression
5 consisting of numbers, arithmetic operators, and parentheses.
6 */
7 public class ExpressionCalculator
8 {
9 public static void main(String[] args)
10 {
11 Scanner in = new Scanner(System.in);
12 System.out.print("Enter an expression: ");
13 String input = in.nextLine();
14 Evaluator e = new Evaluator(input);
15 int value = e.getExpressionValue();
16 System.out.println(input + "=" + value);
17 }
18 }
Program Run:
Enter an expression: 3+4*5
3+4*5=23
Copyright © 2014 by John Wiley & Sons. All rights reserved. 81
Self Check 13.16
Answer: Factors are combined by multiplicative operators (*
and /), terms are combined by additive operators (+, -). We
need both so that multiplication can bind more strongly
than addition.
What is the difference between a term and a factor? Why do we
need both concepts?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 82
Self Check 13.17
Answer: To handle parenthesized expressions, such as 2 +
3*(4 + 5). The subexpression 4 + 5 is handled by a
recursive call to getExpressionValue.
Why does the expression parser use mutual recursion?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 83
Self Check 13.18
Answer: The Integer.parseInt call in getFactorValue throws
an exception when it is given the string ")".
What happens if you try to parse the illegal expression 3+4*)5?
Specifically, which method throws an exception?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 84
Backtracking
 Backtracking is a problem solving technique that builds up
partial solutions that get increasingly closer to the goal.
• If a partial solution cannot be completed, one abandons it
• And returns to examining the other candidates.
 Characteristic properties needed to use backtracking for a
problem.
1. A procedure to examine a partial solution and determine whether to
• Accept it as an actual solution.
• Abandon it (either because it violates some rules or because it is clear that it
can never lead to a valid solution).
• Continue extending it.
2. A procedure to extend a partial solution, generating one or more
solutions that come closer to the goal.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 85
Backtracking
 In a backtracking algorithm, one explores all paths towards a
solution. When one path is a dead end, one needs to backtrack
and try another choice.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 86
Backtracking
 Backtracking can then be expressed with the following
recursive algorithm:
Solve(partialSolution)
Examine(partialSolution).
If accepted
Add partialSolution to the list of solutions.
Else if continuing
For each p in extend(partialSolution)
Solve(p).
Copyright © 2014 by John Wiley & Sons. All rights reserved. 87
Backtracking - Eight Queens Problem
 The Problem: position eight queens on a chess board so that
none of them attacks another according to the rules of chess.
• There are no two queens on the same row, column, or diagonal
 A Solution to the Eight Queens Problem:
Copyright © 2014 by John Wiley & Sons. All rights reserved. 88
Backtracking - Eight Queens Problem
 To examine a partial solution:
• If two queens attack each other, reject it.
• Otherwise, if it has eight queens, accept it.
• Otherwise, continue.
 To extend a partial solution:
• Add another queen on an empty square
• For efficiency, place first queen in row 1, the next in row 2, and so on
Copyright © 2014 by John Wiley & Sons. All rights reserved. 89
Backtracking
 Provide a class PartialSolution
• that collects the queens in a partial solution,
• and that has methods to examine and extend the solution
public class PartialSolution
{
private Queen[] queens;
public int examine() { . . . }
public PartialSolution[] extend() { . . . }
}
Copyright © 2014 by John Wiley & Sons. All rights reserved. 90
Backtracking
 The examine method simply checks whether two queens attack
each other:
public int examine()
{
for (int i = 0; i < queens.length; i++)
{
for (int j = i + 1; j <queens.length; j++)
{
if (queens[i].attacks(queens[j])) { return ABANDON; }
}
}
if (queens.length == NQUEENS) { return ACCEPT; }
else { return CONTINUE; }
}
Copyright © 2014 by John Wiley & Sons. All rights reserved. 91
Backtracking
 The extend method takes a given solution
• And makes eight copies of it.
• Each copy gets a new queen in a different column.
Copyright © 2014 by John Wiley & Sons. All rights reserved. 92
Backtracking
public PartialSolution[] extend()
{
// Generate a new solution for each column
PartialSolution[] result = new PartialSolution[NQUEENS];
for (int i = 0; i < result.length; i++)
{
int size = queens.length;
// The new solution has one more row than this one
result[i] = new PartialSolution(size + 1);
// Copy this solution into the new one
for (int j = 0; j < size; j++)
{
result[i].queens[j] = queens[j];
}
// Append the new queen into the ith column
result[i].queens[size] = new Queen(size, i);
}
return result;
}
Copyright © 2014 by John Wiley & Sons. All rights reserved. 93
Backtracking
 To determine if two queens attack each other diagonally
• Compute the slope.
• If it ±1 the queens attack each other diagonally?
 Just check:
|row2 - row1| = |column2 - column1|
Copyright © 2014 by John Wiley & Sons. All rights reserved. 94
Backtracking
Backtracking in the Four Queens Problem
Copyright © 2014 by John Wiley & Sons. All rights reserved. 95
section_6/PartialSolution.java
1 import java.util.Arrays;
2
3 /**
4 A partial solution to the eight queens puzzle.
5 */
6 public class PartialSolution
7 {
8 private Queen[] queens;
9 private static final int NQUEENS = 8;
10
11 public static final int ACCEPT = 1;
12 public static final int ABANDON = 2;
13 public static final int CONTINUE = 3;
14
15 /**
16 Constructs a partial solution of a given size.
17 @param size the size
18 */
19 public PartialSolution(int size)
20 {
21 queens = new Queen[size];
22 }
23
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 96
section_6/PartialSolution.java
24 /**
25 Examines a partial solution.
26 @return one of ACCEPT, ABANDON, CONTINUE
27 */
28 public int examine()
29 {
30 for (int i = 0; i < queens.length; i++)
31 {
32 for (int j = i + 1; j < queens.length; j++)
33 {
34 if (queens[i].attacks(queens[j])) { return ABANDON; }
35 }
36 }
37 if (queens.length == NQUEENS) { return ACCEPT; }
38 else { return CONTINUE; }
39 }
40
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 97
section_6/PartialSolution.java
41 /**
42 Yields all extensions of this partial solution.
43 @return an array of partial solutions that extend this solution.
44 */
45 public PartialSolution[] extend()
46 {
47 // Generate a new solution for each column
48 PartialSolution[] result = new PartialSolution[NQUEENS];
49 for (int i = 0; i < result.length; i++)
50 {
51 int size = queens.length;
52
53 // The new solution has one more row than this one
54 result[i] = new PartialSolution(size + 1);
55
56 // Copy this solution into the new one
57 for (int j = 0; j < size; j++)
58 {
59 result[i].queens[j] = queens[j];
60 }
61
62 // Append the new queen into the ith column
63 result[i].queens[size] = new Queen(size, i);
64 }
65 return result;
66 }
67
68 public String toString() { return Arrays.toString(queens); }
69 }
70
Copyright © 2014 by John Wiley & Sons. All rights reserved. 98
section_6/Queen.java
1 /**
2 A queen in the eight queens problem.
3 */
4 public class Queen
5 {
6 private int row;
7 private int column;
8
9 /**
10 Constructs a queen at a given position.
11 @param r the row
12 @param c the column
13 */
14 public Queen(int r, int c)
15 {
16 row = r;
17 column = c;
18 }
19
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 99
section_6/Queen.java
20 /**
21 Checks whether this queen attacks another.
22 @param other the other queen
23 @return true if this and the other queen are in the same
24 row, column, or diagonal.
25 */
26 public boolean attacks(Queen other)
27 {
28 return row == other.row
29 || column == other.column
30 || Math.abs(row - other.row) == Math.abs(column - other.column);
31 }
32
33 public String toString()
34 {
35 return "" + "abcdefgh".charAt(column) + (row + 1) ;
36 }
37 }
Copyright © 2014 by John Wiley & Sons. All rights reserved. 100
section_6/EightQueens.java
1 /**
2 This class solves the eight queens problem using backtracking.
3 */
4 public class EightQueens
5 {
6 public static void main(String[] args)
7 {
8 solve(new PartialSolution(0));
9 }
10
11 /**
12 Prints all solutions to the problem that can be extended from
13 a given partial solution.
14 @param sol the partial solution
15 */
16 public static void solve(PartialSolution sol)
17 {
18 int exam = sol.examine();
19 if (exam == PartialSolution.ACCEPT)
20 {
21 System.out.println(sol);
22 }
23 else if (exam == PartialSolution.CONTINUE)
24 {
25 for (PartialSolution p : sol.extend())
26 {
27 solve(p);
28 }
29 }
30 }
31 }
32
Continued
Copyright © 2014 by John Wiley & Sons. All rights reserved. 101
section_6/EightQueens.java
Program Run:
[a1, e2, h3, f4, c5, g6, b7, d8]
[a1, f2, h3, c4, g5, d6, b7, e8]
[a1, g2, d3, f4, h5, b6, e7, c8]
. . .
[f1, a2, e3, b4, h5, c6, g7, d8]
. . .
[h1, c2, a3, f4, b5, e6, g7, d8]
[h1, d2, a3, c4, f5, b6, g7, e8]
(92 solutions)
Copyright © 2014 by John Wiley & Sons. All rights reserved. 102
Self Check 13.19
Answer: We want to check whether any queen[i] attacks any
queen[j], but attacking is symmetric. That is, we can
choose to compare only those for which i < j (or,
alternatively, those for which i > j). We don’t want to call the
attacks method when i equals j; it would return true.
Why does j begin at i + 1 in the examine method?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 103
Self Check 13.20
Answer: One solution:
Continue tracing the four queens problem as shown in Figure 6.
How many solutions are there with the first queen in position
a2?
Copyright © 2014 by John Wiley & Sons. All rights reserved. 104
Self Check 13.21
Answer: Two solutions: The one from Self Check 20, and its
mirror image.
How many solutions are there altogether for the four queens
problem?

More Related Content

What's hot

Icom4015 lecture9-f16
Icom4015 lecture9-f16Icom4015 lecture9-f16
Icom4015 lecture9-f16
BienvenidoVelezUPR
 
Advanced Programming Lecture 5 Fall 2016
Advanced Programming Lecture 5 Fall 2016Advanced Programming Lecture 5 Fall 2016
Advanced Programming Lecture 5 Fall 2016
BienvenidoVelezUPR
 
Icom4015 lecture8-f16
Icom4015 lecture8-f16Icom4015 lecture8-f16
Icom4015 lecture8-f16
BienvenidoVelezUPR
 
Icom4015 lecture3-f16
Icom4015 lecture3-f16Icom4015 lecture3-f16
Icom4015 lecture3-f16
BienvenidoVelezUPR
 
Advanced Programming Lecture 6 Fall 2016
Advanced Programming Lecture 6 Fall 2016Advanced Programming Lecture 6 Fall 2016
Advanced Programming Lecture 6 Fall 2016
BienvenidoVelezUPR
 
CiIC4010-chapter-2-f17
CiIC4010-chapter-2-f17CiIC4010-chapter-2-f17
CiIC4010-chapter-2-f17
BienvenidoVelezUPR
 
Icom4015 lecture7-f16
Icom4015 lecture7-f16Icom4015 lecture7-f16
Icom4015 lecture7-f16
BienvenidoVelezUPR
 
Icom4015 lecture14-f16
Icom4015 lecture14-f16Icom4015 lecture14-f16
Icom4015 lecture14-f16
BienvenidoVelezUPR
 
Icom4015 lecture10-f16
Icom4015 lecture10-f16Icom4015 lecture10-f16
Icom4015 lecture10-f16
BienvenidoVelezUPR
 
Icom4015 lecture11-s16
Icom4015 lecture11-s16Icom4015 lecture11-s16
Icom4015 lecture11-s16
BienvenidoVelezUPR
 
Chapter 4 Powerpoint
Chapter 4 PowerpointChapter 4 Powerpoint
Chapter 4 PowerpointGus Sandoval
 
Java Foundations: Basic Syntax, Conditions, Loops
Java Foundations: Basic Syntax, Conditions, LoopsJava Foundations: Basic Syntax, Conditions, Loops
Java Foundations: Basic Syntax, Conditions, Loops
Svetlin Nakov
 
Java Foundations: Strings and Text Processing
Java Foundations: Strings and Text ProcessingJava Foundations: Strings and Text Processing
Java Foundations: Strings and Text Processing
Svetlin Nakov
 
02. Data Types and variables
02. Data Types and variables02. Data Types and variables
02. Data Types and variables
Intro C# Book
 
Java basic tutorial by sanjeevini india
Java basic tutorial by sanjeevini indiaJava basic tutorial by sanjeevini india
Java basic tutorial by sanjeevini indiaSanjeev Tripathi
 

What's hot (20)

Icom4015 lecture9-f16
Icom4015 lecture9-f16Icom4015 lecture9-f16
Icom4015 lecture9-f16
 
Advanced Programming Lecture 5 Fall 2016
Advanced Programming Lecture 5 Fall 2016Advanced Programming Lecture 5 Fall 2016
Advanced Programming Lecture 5 Fall 2016
 
Icom4015 lecture8-f16
Icom4015 lecture8-f16Icom4015 lecture8-f16
Icom4015 lecture8-f16
 
Icom4015 lecture3-f16
Icom4015 lecture3-f16Icom4015 lecture3-f16
Icom4015 lecture3-f16
 
Advanced Programming Lecture 6 Fall 2016
Advanced Programming Lecture 6 Fall 2016Advanced Programming Lecture 6 Fall 2016
Advanced Programming Lecture 6 Fall 2016
 
CiIC4010-chapter-2-f17
CiIC4010-chapter-2-f17CiIC4010-chapter-2-f17
CiIC4010-chapter-2-f17
 
Icom4015 lecture7-f16
Icom4015 lecture7-f16Icom4015 lecture7-f16
Icom4015 lecture7-f16
 
Icom4015 lecture14-f16
Icom4015 lecture14-f16Icom4015 lecture14-f16
Icom4015 lecture14-f16
 
Icom4015 lecture10-f16
Icom4015 lecture10-f16Icom4015 lecture10-f16
Icom4015 lecture10-f16
 
Icom4015 lecture11-s16
Icom4015 lecture11-s16Icom4015 lecture11-s16
Icom4015 lecture11-s16
 
Chapter 4 Powerpoint
Chapter 4 PowerpointChapter 4 Powerpoint
Chapter 4 Powerpoint
 
06slide
06slide06slide
06slide
 
07slide
07slide07slide
07slide
 
Java Foundations: Basic Syntax, Conditions, Loops
Java Foundations: Basic Syntax, Conditions, LoopsJava Foundations: Basic Syntax, Conditions, Loops
Java Foundations: Basic Syntax, Conditions, Loops
 
C sharp chap6
C sharp chap6C sharp chap6
C sharp chap6
 
Java Foundations: Strings and Text Processing
Java Foundations: Strings and Text ProcessingJava Foundations: Strings and Text Processing
Java Foundations: Strings and Text Processing
 
02. Data Types and variables
02. Data Types and variables02. Data Types and variables
02. Data Types and variables
 
C sharp chap4
C sharp chap4C sharp chap4
C sharp chap4
 
05slide
05slide05slide
05slide
 
Java basic tutorial by sanjeevini india
Java basic tutorial by sanjeevini indiaJava basic tutorial by sanjeevini india
Java basic tutorial by sanjeevini india
 

Similar to Icom4015 lecture12-s16

Lecture 4 recursion
Lecture 4    recursionLecture 4    recursion
Lecture 4 recursion
Nada G.Youssef
 
G6 m2-c-lesson 13-t
G6 m2-c-lesson 13-tG6 m2-c-lesson 13-t
G6 m2-c-lesson 13-tmlabuski
 
Linear Programming- Leacture-16-lp1.pptx
Linear Programming- Leacture-16-lp1.pptxLinear Programming- Leacture-16-lp1.pptx
Linear Programming- Leacture-16-lp1.pptx
SarahKoech1
 
Quicker maths
Quicker mathsQuicker maths
Quicker maths
Ravi Bansal
 
Math Short Tricks ( english)
Math Short Tricks ( english)Math Short Tricks ( english)
Math Short Tricks ( english)
Exam Affairs!
 
Integer programming
Integer programmingInteger programming
Integer programming
Hakeem-Ur- Rehman
 
Math 103-Mensuration-Areas-sem-dfs
Math 103-Mensuration-Areas-sem-dfsMath 103-Mensuration-Areas-sem-dfs
Math 103-Mensuration-Areas-sem-dfs
Farhana Shaheen
 
dynamic programming complete by Mumtaz Ali (03154103173)
dynamic programming complete by Mumtaz Ali (03154103173)dynamic programming complete by Mumtaz Ali (03154103173)
dynamic programming complete by Mumtaz Ali (03154103173)
Mumtaz Ali
 
Unit-1 Basic Concept of Algorithm.pptx
Unit-1 Basic Concept of Algorithm.pptxUnit-1 Basic Concept of Algorithm.pptx
Unit-1 Basic Concept of Algorithm.pptx
ssuser01e301
 
NUMERICA METHODS 1 final touch summary for test 1
NUMERICA METHODS 1 final touch summary for test 1NUMERICA METHODS 1 final touch summary for test 1
NUMERICA METHODS 1 final touch summary for test 1
musadoto
 
Most Asked Coding Questions .pdf
Most Asked Coding Questions .pdfMost Asked Coding Questions .pdf
Most Asked Coding Questions .pdf
krishna415649
 
Introduction to computing Processing and performance.pdf
Introduction to computing Processing and performance.pdfIntroduction to computing Processing and performance.pdf
Introduction to computing Processing and performance.pdf
TulasiramKandula1
 
Complex variable transformation presentation.pptx
Complex variable transformation presentation.pptxComplex variable transformation presentation.pptx
Complex variable transformation presentation.pptx
HuzaifaAhmad51
 
Mathematics
MathematicsMathematics
Mathematics
rohitkumar2468
 
Project Euler in Python
Project Euler in PythonProject Euler in Python
Project Euler in Python
Tetsuo Koyama
 
Daa unit 1
Daa unit 1Daa unit 1
Daa unit 1
jinalgoti
 
Skills_Level 2 Functional Slkills Maths.
Skills_Level 2 Functional Slkills Maths.Skills_Level 2 Functional Slkills Maths.
Skills_Level 2 Functional Slkills Maths.
DemJawo
 

Similar to Icom4015 lecture12-s16 (20)

Lecture 4 recursion
Lecture 4    recursionLecture 4    recursion
Lecture 4 recursion
 
G6 m2-c-lesson 13-t
G6 m2-c-lesson 13-tG6 m2-c-lesson 13-t
G6 m2-c-lesson 13-t
 
Linear Programming- Leacture-16-lp1.pptx
Linear Programming- Leacture-16-lp1.pptxLinear Programming- Leacture-16-lp1.pptx
Linear Programming- Leacture-16-lp1.pptx
 
Quicker maths
Quicker mathsQuicker maths
Quicker maths
 
Math Short Tricks ( english)
Math Short Tricks ( english)Math Short Tricks ( english)
Math Short Tricks ( english)
 
Integer programming
Integer programmingInteger programming
Integer programming
 
Math 103-Mensuration-Areas-sem-dfs
Math 103-Mensuration-Areas-sem-dfsMath 103-Mensuration-Areas-sem-dfs
Math 103-Mensuration-Areas-sem-dfs
 
dynamic programming complete by Mumtaz Ali (03154103173)
dynamic programming complete by Mumtaz Ali (03154103173)dynamic programming complete by Mumtaz Ali (03154103173)
dynamic programming complete by Mumtaz Ali (03154103173)
 
Lar calc10 ch03_sec7
Lar calc10 ch03_sec7Lar calc10 ch03_sec7
Lar calc10 ch03_sec7
 
Unit-1 Basic Concept of Algorithm.pptx
Unit-1 Basic Concept of Algorithm.pptxUnit-1 Basic Concept of Algorithm.pptx
Unit-1 Basic Concept of Algorithm.pptx
 
NUMERICA METHODS 1 final touch summary for test 1
NUMERICA METHODS 1 final touch summary for test 1NUMERICA METHODS 1 final touch summary for test 1
NUMERICA METHODS 1 final touch summary for test 1
 
Most Asked Coding Questions .pdf
Most Asked Coding Questions .pdfMost Asked Coding Questions .pdf
Most Asked Coding Questions .pdf
 
Topik 1
Topik 1Topik 1
Topik 1
 
Introduction to computing Processing and performance.pdf
Introduction to computing Processing and performance.pdfIntroduction to computing Processing and performance.pdf
Introduction to computing Processing and performance.pdf
 
Complex variable transformation presentation.pptx
Complex variable transformation presentation.pptxComplex variable transformation presentation.pptx
Complex variable transformation presentation.pptx
 
Mathematics
MathematicsMathematics
Mathematics
 
Mathematics
MathematicsMathematics
Mathematics
 
Project Euler in Python
Project Euler in PythonProject Euler in Python
Project Euler in Python
 
Daa unit 1
Daa unit 1Daa unit 1
Daa unit 1
 
Skills_Level 2 Functional Slkills Maths.
Skills_Level 2 Functional Slkills Maths.Skills_Level 2 Functional Slkills Maths.
Skills_Level 2 Functional Slkills Maths.
 

Recently uploaded

The Benefits and Techniques of Trenchless Pipe Repair.pdf
The Benefits and Techniques of Trenchless Pipe Repair.pdfThe Benefits and Techniques of Trenchless Pipe Repair.pdf
The Benefits and Techniques of Trenchless Pipe Repair.pdf
Pipe Restoration Solutions
 
AKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdf
AKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdfAKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdf
AKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdf
SamSarthak3
 
DESIGN A COTTON SEED SEPARATION MACHINE.docx
DESIGN A COTTON SEED SEPARATION MACHINE.docxDESIGN A COTTON SEED SEPARATION MACHINE.docx
DESIGN A COTTON SEED SEPARATION MACHINE.docx
FluxPrime1
 
road safety engineering r s e unit 3.pdf
road safety engineering  r s e unit 3.pdfroad safety engineering  r s e unit 3.pdf
road safety engineering r s e unit 3.pdf
VENKATESHvenky89705
 
WATER CRISIS and its solutions-pptx 1234
WATER CRISIS and its solutions-pptx 1234WATER CRISIS and its solutions-pptx 1234
WATER CRISIS and its solutions-pptx 1234
AafreenAbuthahir2
 
Vaccine management system project report documentation..pdf
Vaccine management system project report documentation..pdfVaccine management system project report documentation..pdf
Vaccine management system project report documentation..pdf
Kamal Acharya
 
Gen AI Study Jams _ For the GDSC Leads in India.pdf
Gen AI Study Jams _ For the GDSC Leads in India.pdfGen AI Study Jams _ For the GDSC Leads in India.pdf
Gen AI Study Jams _ For the GDSC Leads in India.pdf
gdsczhcet
 
ethical hacking-mobile hacking methods.ppt
ethical hacking-mobile hacking methods.pptethical hacking-mobile hacking methods.ppt
ethical hacking-mobile hacking methods.ppt
Jayaprasanna4
 
Hybrid optimization of pumped hydro system and solar- Engr. Abdul-Azeez.pdf
Hybrid optimization of pumped hydro system and solar- Engr. Abdul-Azeez.pdfHybrid optimization of pumped hydro system and solar- Engr. Abdul-Azeez.pdf
Hybrid optimization of pumped hydro system and solar- Engr. Abdul-Azeez.pdf
fxintegritypublishin
 
The role of big data in decision making.
The role of big data in decision making.The role of big data in decision making.
The role of big data in decision making.
ankuprajapati0525
 
NO1 Uk best vashikaran specialist in delhi vashikaran baba near me online vas...
NO1 Uk best vashikaran specialist in delhi vashikaran baba near me online vas...NO1 Uk best vashikaran specialist in delhi vashikaran baba near me online vas...
NO1 Uk best vashikaran specialist in delhi vashikaran baba near me online vas...
Amil Baba Dawood bangali
 
weather web application report.pdf
weather web application report.pdfweather web application report.pdf
weather web application report.pdf
Pratik Pawar
 
Cosmetic shop management system project report.pdf
Cosmetic shop management system project report.pdfCosmetic shop management system project report.pdf
Cosmetic shop management system project report.pdf
Kamal Acharya
 
ASME IX(9) 2007 Full Version .pdf
ASME IX(9)  2007 Full Version       .pdfASME IX(9)  2007 Full Version       .pdf
ASME IX(9) 2007 Full Version .pdf
AhmedHussein950959
 
CFD Simulation of By-pass Flow in a HRSG module by R&R Consult.pptx
CFD Simulation of By-pass Flow in a HRSG module by R&R Consult.pptxCFD Simulation of By-pass Flow in a HRSG module by R&R Consult.pptx
CFD Simulation of By-pass Flow in a HRSG module by R&R Consult.pptx
R&R Consult
 
一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理
一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理
一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理
bakpo1
 
Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...
Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...
Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...
AJAYKUMARPUND1
 
在线办理(ANU毕业证书)澳洲国立大学毕业证录取通知书一模一样
在线办理(ANU毕业证书)澳洲国立大学毕业证录取通知书一模一样在线办理(ANU毕业证书)澳洲国立大学毕业证录取通知书一模一样
在线办理(ANU毕业证书)澳洲国立大学毕业证录取通知书一模一样
obonagu
 
Design and Analysis of Algorithms-DP,Backtracking,Graphs,B&B
Design and Analysis of Algorithms-DP,Backtracking,Graphs,B&BDesign and Analysis of Algorithms-DP,Backtracking,Graphs,B&B
Design and Analysis of Algorithms-DP,Backtracking,Graphs,B&B
Sreedhar Chowdam
 
Immunizing Image Classifiers Against Localized Adversary Attacks
Immunizing Image Classifiers Against Localized Adversary AttacksImmunizing Image Classifiers Against Localized Adversary Attacks
Immunizing Image Classifiers Against Localized Adversary Attacks
gerogepatton
 

Recently uploaded (20)

The Benefits and Techniques of Trenchless Pipe Repair.pdf
The Benefits and Techniques of Trenchless Pipe Repair.pdfThe Benefits and Techniques of Trenchless Pipe Repair.pdf
The Benefits and Techniques of Trenchless Pipe Repair.pdf
 
AKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdf
AKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdfAKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdf
AKS UNIVERSITY Satna Final Year Project By OM Hardaha.pdf
 
DESIGN A COTTON SEED SEPARATION MACHINE.docx
DESIGN A COTTON SEED SEPARATION MACHINE.docxDESIGN A COTTON SEED SEPARATION MACHINE.docx
DESIGN A COTTON SEED SEPARATION MACHINE.docx
 
road safety engineering r s e unit 3.pdf
road safety engineering  r s e unit 3.pdfroad safety engineering  r s e unit 3.pdf
road safety engineering r s e unit 3.pdf
 
WATER CRISIS and its solutions-pptx 1234
WATER CRISIS and its solutions-pptx 1234WATER CRISIS and its solutions-pptx 1234
WATER CRISIS and its solutions-pptx 1234
 
Vaccine management system project report documentation..pdf
Vaccine management system project report documentation..pdfVaccine management system project report documentation..pdf
Vaccine management system project report documentation..pdf
 
Gen AI Study Jams _ For the GDSC Leads in India.pdf
Gen AI Study Jams _ For the GDSC Leads in India.pdfGen AI Study Jams _ For the GDSC Leads in India.pdf
Gen AI Study Jams _ For the GDSC Leads in India.pdf
 
ethical hacking-mobile hacking methods.ppt
ethical hacking-mobile hacking methods.pptethical hacking-mobile hacking methods.ppt
ethical hacking-mobile hacking methods.ppt
 
Hybrid optimization of pumped hydro system and solar- Engr. Abdul-Azeez.pdf
Hybrid optimization of pumped hydro system and solar- Engr. Abdul-Azeez.pdfHybrid optimization of pumped hydro system and solar- Engr. Abdul-Azeez.pdf
Hybrid optimization of pumped hydro system and solar- Engr. Abdul-Azeez.pdf
 
The role of big data in decision making.
The role of big data in decision making.The role of big data in decision making.
The role of big data in decision making.
 
NO1 Uk best vashikaran specialist in delhi vashikaran baba near me online vas...
NO1 Uk best vashikaran specialist in delhi vashikaran baba near me online vas...NO1 Uk best vashikaran specialist in delhi vashikaran baba near me online vas...
NO1 Uk best vashikaran specialist in delhi vashikaran baba near me online vas...
 
weather web application report.pdf
weather web application report.pdfweather web application report.pdf
weather web application report.pdf
 
Cosmetic shop management system project report.pdf
Cosmetic shop management system project report.pdfCosmetic shop management system project report.pdf
Cosmetic shop management system project report.pdf
 
ASME IX(9) 2007 Full Version .pdf
ASME IX(9)  2007 Full Version       .pdfASME IX(9)  2007 Full Version       .pdf
ASME IX(9) 2007 Full Version .pdf
 
CFD Simulation of By-pass Flow in a HRSG module by R&R Consult.pptx
CFD Simulation of By-pass Flow in a HRSG module by R&R Consult.pptxCFD Simulation of By-pass Flow in a HRSG module by R&R Consult.pptx
CFD Simulation of By-pass Flow in a HRSG module by R&R Consult.pptx
 
一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理
一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理
一比一原版(SFU毕业证)西蒙菲莎大学毕业证成绩单如何办理
 
Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...
Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...
Pile Foundation by Venkatesh Taduvai (Sub Geotechnical Engineering II)-conver...
 
在线办理(ANU毕业证书)澳洲国立大学毕业证录取通知书一模一样
在线办理(ANU毕业证书)澳洲国立大学毕业证录取通知书一模一样在线办理(ANU毕业证书)澳洲国立大学毕业证录取通知书一模一样
在线办理(ANU毕业证书)澳洲国立大学毕业证录取通知书一模一样
 
Design and Analysis of Algorithms-DP,Backtracking,Graphs,B&B
Design and Analysis of Algorithms-DP,Backtracking,Graphs,B&BDesign and Analysis of Algorithms-DP,Backtracking,Graphs,B&B
Design and Analysis of Algorithms-DP,Backtracking,Graphs,B&B
 
Immunizing Image Classifiers Against Localized Adversary Attacks
Immunizing Image Classifiers Against Localized Adversary AttacksImmunizing Image Classifiers Against Localized Adversary Attacks
Immunizing Image Classifiers Against Localized Adversary Attacks
 

Icom4015 lecture12-s16

  • 1. Copyright © 2014 by John Wiley & Sons. All rights reserved. 1 Chapter 13 - Recursion
  • 2. Copyright © 2014 by John Wiley & Sons. All rights reserved. 2 Chapter Goals  To learn to “think recursively”  To be able to use recursive helper methods  To understand the relationship between recursion and iteration  To understand when the use of recursion affects the efficiency of an algorithm  To analyze problems that are much easier to solve by recursion than by iteration  To process data with recursive structures using mutual recursion
  • 3. Copyright © 2014 by John Wiley & Sons. All rights reserved. 3 Triangle Numbers  Recursion: the same computation occurs repeatedly.  Using the same method as the one in this section, you can compute the volume of a Mayan pyramid.  Problem: to compute the area of a triangle of width n  Assume each [] square has an area of 1  Also called the nth triangle number  The third triangle number is 6 [] [][] [][][]
  • 4. Copyright © 2014 by John Wiley & Sons. All rights reserved. 4 Outline of Triangle Class public class Triangle { private int width; public Triangle(int aWidth) { width = aWidth; } public int getArea() { . . . } }
  • 5. Copyright © 2014 by John Wiley & Sons. All rights reserved. 5 Handling Triangle of Width 1  The triangle consists of a single square.  Its area is 1.  Add the code to getArea method for width 1: public int getArea() { if (width == 1) { return 1; } . . . }
  • 6. Copyright © 2014 by John Wiley & Sons. All rights reserved. 6 Handling the General Case  Assume we know the area of the smaller, colored triangle [] [][] [][][] [][][][]  Area of larger triangle can be calculated as: smallerArea + width  To get the area of the smaller triangle: • Make a smaller triangle and ask it for its area: Triangle smallerTriangle = new Triangle(width - 1); int smallerArea = smallerTriangle.getArea();
  • 7. Copyright © 2014 by John Wiley & Sons. All rights reserved. 7 Completed getArea Method public int getArea() { if (width == 1) { return 1; } Triangle smallerTriangle = new Triangle(width - 1); int smallerArea = smallerTriangle.getArea(); return smallerArea + width; } A recursive computation solves a problem by using the solution to the same problem with simpler inputs.
  • 8. Copyright © 2014 by John Wiley & Sons. All rights reserved. 8 Computing the Area of a Triangle with Width 4  getArea method makes a smaller triangle of width 3  It calls getArea on that triangle • That method makes a smaller triangle of width 2 • It calls getArea on that triangle o That method makes a smaller triangle of width 1 o It calls getArea on that triangle – That method returns 1 o The method returns smallerArea + width = 1 + 2 = 3 • The method returns smallerArea + width = 3 + 3 = 6  The method returns smallerArea + width = 6 + 4 = 10
  • 9. Copyright © 2014 by John Wiley & Sons. All rights reserved. 9 Recursion  A recursive computation solves a problem by using the solution of the same problem with simpler values.  Two requirements for successful recursion.  For recursion to terminate, there must be special cases for the simplest inputs.  To complete our Triangle example, we must handle width <= 0: if (width <= 0) return 0;  Two key requirements for successful recursion: • Every recursive call must simplify the computation in some way • There must be special cases to handle the simplest computations directly
  • 10. Copyright © 2014 by John Wiley & Sons. All rights reserved. 10 Other Ways to Compute Triangle Numbers  The area of a triangle equals the sum: 1 + 2 + 3 + . . . + width  Using a simple loop: double area = 0; for (int i = 1; i <= width; i++) area = area + i;  Using math: 1 + 2 + . . . + n = n × (n + 1)/2 => area = width * (width + 1) / 2
  • 11. Copyright © 2014 by John Wiley & Sons. All rights reserved. 11 section_1/Triangle.java 1 /** 2 A triangular shape composed of stacked unit squares like this: 3 [] 4 [][] 5 [][][] 6 . . . 7 */ 8 public class Triangle 9 { 10 private int width; 11 12 /** 13 Constructs a triangular shape. 14 @param aWidth the width (and height) of the triangle 15 */ 16 public Triangle(int aWidth) 17 { 18 width = aWidth; 19 } 20 Continued
  • 12. Copyright © 2014 by John Wiley & Sons. All rights reserved. 12 section_1/Triangle.java 21 /** 22 Computes the area of the triangle. 23 @return the area 24 */ 25 public int getArea() 26 { 27 if (width <= 0) { return 0; } 28 else if (width == 1) { return 1; } 29 else 30 { 31 Triangle smallerTriangle = new Triangle(width - 1); 32 int smallerArea = smallerTriangle.getArea(); 33 return smallerArea + width; 34 } 35 } 36 }
  • 13. Copyright © 2014 by John Wiley & Sons. All rights reserved. 13 section_1/TriangleTester.java 1 public class TriangleTester 2 { 3 public static void main(String[] args) 4 { 5 Triangle t = new Triangle(10); 6 int area = t.getArea(); 7 System.out.println("Area: " + area); 8 System.out.println("Expected: 55"); 9 } 10 } Program Run: Area: 55 Expected: 55
  • 14. Copyright © 2014 by John Wiley & Sons. All rights reserved. 14 Self Check 13.1 Answer: Suppose we omit the statement. When computing the area of a triangle with width 1, we compute the area of the triangle with width 0 as 0, and then add 1, to arrive at the correct area. Why is the statement else if (width == 1) { return 1; } in the getArea method unnecessary?
  • 15. Copyright © 2014 by John Wiley & Sons. All rights reserved. 15 Self Check 13.2 Answer: You would compute the smaller area recursively, then return smallerArea + width + width – 1. [][][][] [][][][] [][][][] [][][][] Of course, it would be simpler to compute the area simply as width * width. The results are identical because How would you modify the program to recursively compute the area of a square?
  • 16. Copyright © 2014 by John Wiley & Sons. All rights reserved. 16 Self Check 13.3 Answer: There is no provision for stopping the recursion. When a number < 10 isn’t 8, then the method should return false and stop. In some cultures, numbers containing the digit 8 are lucky numbers. What is wrong with the following method that tries to test whether a number is lucky? public static boolean isLucky(int number) { int lastDigit = number % 10; if (lastDigit == 8) { return true; } else { // Test the number without the last digit return isLucky(number / 10); } }
  • 17. Copyright © 2014 by John Wiley & Sons. All rights reserved. 17 Self Check 13.4 Answer: public static int pow2(int n) { if (n <= 0) { return 1; } // 2^0 is 1 else { return 2 * pow2(n - 1); } } In order to compute a power of two, you can take the next-lower power and double it. For example, if you want to compute 211 and you know that 210 = 1024, then 211 = 2 × 1024 = 2048. Write a recursive method public static int pow2(int n) that is based on this observation.
  • 18. Copyright © 2014 by John Wiley & Sons. All rights reserved. 18 Self Check 13.5 Consider the following recursive method: public static int mystery(int n) { if (n <= 0) { return 0; } else { int smaller = n - 1; return mystery(smaller) + n * n; } } What is mystery(4)? Continued
  • 19. Copyright © 2014 by John Wiley & Sons. All rights reserved. 19 Self Check 13.5 Answer: mystery(4) calls mystery(3) mystery(3) calls mystery(2) mystery(2) calls mystery(1) mystery(1) calls mystery(0) mystery(0) returns 0. mystery(1) returns 0 + 1 * 1 = 1 mystery(2) returns 1 + 2 * 2 = 5 mystery(3) returns 5 + 3 * 3 = 14 mystery(4) returns 14 + 4 * 4 = 30
  • 20. Copyright © 2014 by John Wiley & Sons. All rights reserved. 20 Tracing Through Recursive Methods To debug recursive methods with a debugger, you need to be particularly careful, and watch the call stack to understand which nested call you currently are in.
  • 21. Copyright © 2014 by John Wiley & Sons. All rights reserved. 21 Thinking Recursively Thinking recursively is easy if you can recognize a subtask that is similar to the original task.  Problem: test whether a sentence is a palindrome  Palindrome: a string that is equal to itself when you reverse all characters • A man, a plan, a canal – Panama! • Go hang a salami, I'm a lasagna hog • Madam, I'm Adam
  • 22. Copyright © 2014 by John Wiley & Sons. All rights reserved. 22 Implement isPalindrome Method: How To 13.1 public class Sentence { private String text; /** Constructs a sentence. @param aText a string containing all characters of the sentence */ public Sentence(String aText) { text = aText; } /** Tests whether this sentence is a palindrome. @return true if this sentence is a palindrome, false otherwise */ public boolean isPalindrome() { . . . } }
  • 23. Copyright © 2014 by John Wiley & Sons. All rights reserved. 23 Thinking Recursively: How To 13.1 1. Consider various ways to simplify inputs. Here are several possibilities:  Remove the first character.  Remove the last character.  Remove both the first and last characters.  Remove a character from the middle.  Cut the string into two halves.
  • 24. Copyright © 2014 by John Wiley & Sons. All rights reserved. 24 Thinking Recursively: How To 13.1 2. Combine solutions with simpler inputs into a solution of the original problem.  Most promising simplification: Remove first and last characters “adam, I'm Ada”, is a palindrome too!  Thus, a word is a palindrome if • The first and last letters match, and • Word obtained by removing the first and last letters is a palindrome  What if first or last character is not a letter? Ignore it. • If the first and last characters are letters, check whether they match; if so, remove both and test shorter string • If last character isn't a letter, remove it and test shorter string • If first character isn't a letter, remove it and test shorter string
  • 25. Copyright © 2014 by John Wiley & Sons. All rights reserved. 25 Thinking Recursively: How To 13.1 3. Find solutions to the simplest inputs.  Strings with two characters • No special case required; step two still applies  Strings with a single character • They are palindromes  The empty string • It is a palindrome
  • 26. Copyright © 2014 by John Wiley & Sons. All rights reserved. 26 Thinking Recursively: How To 13.1 4. Implement the solution by combining the simple cases and the reduction step: public boolean isPalindrome() { int length = text.length(); // Separate case for shortest strings. if (length <= 1) { return true; } // Get first and last characters, converted to lowercase. char first = Character.toLowerCase(text.charAt(0)); char last = Character.toLowerCase(text.charAt(length - 1)); Continued
  • 27. Copyright © 2014 by John Wiley & Sons. All rights reserved. 27 Thinking Recursively: How To 13.1 if (Character.isLetter(first) && Character.isLetter(last)) { // Both are letters. if (first == last) { // Remove both first and last character. Sentence shorter = new Sentence(text.substring(1, length - 1)); return shorter.isPalindrome(); } else { return false; } } Continued
  • 28. Copyright © 2014 by John Wiley & Sons. All rights reserved. 28 Thinking Recursively: How To 13.1 else if (!Character.isLetter(last)) { // Remove last character. Sentence shorter = new Sentence(text.substring(0, length - 1)); return shorter.isPalindrome(); } else { // Remove first character. Sentence shorter = new Sentence(text.substring(1)); return shorter.isPalindrome(); } }
  • 29. Copyright © 2014 by John Wiley & Sons. All rights reserved. 29 Recursive Helper Methods  Sometimes, a task can be solved by handing it off to a recursive helper method.  Sometimes it is easier to find a recursive solution if you make a slight change to the original problem.  Consider the palindrome test of previous slide. • It is a bit inefficient to construct new Sentence objects in every step
  • 30. Copyright © 2014 by John Wiley & Sons. All rights reserved. 30 Recursive Helper Methods  Rather than testing whether the sentence is a palindrome, check whether a substring is a palindrome: /** Tests whether a substring of the sentence is a palindrome. @param start the index of the first character of the substring @param end the index of the last character of the substring @return true if the substring is a palindrome */ public boolean isPalindrome(int start, int end)
  • 31. Copyright © 2014 by John Wiley & Sons. All rights reserved. 31 Recursive Helper Methods - isPalindrome public boolean isPalindrome(int start, int end) { // Separate case for substrings of length 0 and 1. if (start >= end) { return true; } // Get first and last characters, converted to lowercase. char first = Character.toLowerCase(text.charAt(start)); char last = Character.toLowerCase(text.charAt(end)); if (Character.isLetter(first) && Character.isLetter(last)) { if (first == last) { // Test substring that doesn’t contain the matching letters. return isPalindrome(start + 1, end - 1); } else { return false; } } Continued
  • 32. Copyright © 2014 by John Wiley & Sons. All rights reserved. 32 Recursive Helper Methods - isPalindrome else if (!Character.isLetter(last)) { // Test substring that doesn’t contain the last character. return isPalindrome(start, end - 1); } else { // Test substring that doesn’t contain the first character. return isPalindrome(start + 1, end); } }
  • 33. Copyright © 2014 by John Wiley & Sons. All rights reserved. 33 Recursive Helper Methods  Provide a method to call the helper method with positions that test the entire string: public boolean isPalindrome() { return isPalindrome(0, text.length() - 1); }  This call is not recursive • The isPalindrome(String) method calls the helper method isPalindrome(String, int, int). • An example of overloading  The public will call isPalindrome(String) method.  isPalindrome(String, int, int) is the recursive helper method.
  • 34. Copyright © 2014 by John Wiley & Sons. All rights reserved. 34 Self Check 13.6 Answer: No — the second one could be given a different name such as substringIsPalindrome. Do we have to give the same name to both isPalindrome methods?
  • 35. Copyright © 2014 by John Wiley & Sons. All rights reserved. 35 Self Check 13.7 Answer: When start >= end, that is, when the investigated string is either empty or has length 1. When does the recursive isPalindrome method stop calling itself?
  • 36. Copyright © 2014 by John Wiley & Sons. All rights reserved. 36 Self Check 13.8 Answer: A sumHelper(int[] a, int start, int size). The method calls sumHelper(a, start + 1, size). To compute the sum of the values in an array, add the first value to the sum of the remaining values, computing recursively. Of course, it would be inefficient to set up an actual array of the remaining values. Which recursive helper method can solve the problem?
  • 37. Copyright © 2014 by John Wiley & Sons. All rights reserved. 37 Self Check 13.9 Answer: Call sum(a, size - 1) and add the last element, a[size - 1]. How can you write a recursive method public static void sum(int[] a) without needing a helper function?
  • 38. Copyright © 2014 by John Wiley & Sons. All rights reserved. 38 The Efficiency of Recursion: Fibonacci Sequence  Fibonacci sequence is a sequence of numbers defined by: f1 = 1 f2 = 1 fn = fn-1 + fn-2  First ten terms: 1, 1, 2, 3, 5, 8, 13, 21, 34, 55
  • 39. Copyright © 2014 by John Wiley & Sons. All rights reserved. 39 section_3/RecursiveFib.java 1 import java.util.Scanner; 2 3 /** 4 This program computes Fibonacci numbers using a recursive method. 5 */ 6 public class RecursiveFib 7 { 8 public static void main(String[] args) 9 { 10 Scanner in = new Scanner(System.in); 11 System.out.print("Enter n: "); 12 int n = in.nextInt(); 13 14 for (int i = 1; i <= n; i++) 15 { 16 long f = fib(i); 17 System.out.println("fib(" + i + ") = " + f); 18 } 19 } 20 Continued
  • 40. Copyright © 2014 by John Wiley & Sons. All rights reserved. 40 section_3/RecursiveFib.java 21 /** 22 Computes a Fibonacci number. 23 @param n an integer 24 @return the nth Fibonacci number 25 */ 26 public static long fib(int n) 27 { 28 if (n <= 2) { return 1; } 29 else { return fib(n - 1) + fib(n - 2); } 30 } 31 } Program Run: Enter n: 50 fib(1) = 1 fib(2) = 1 fib(3) = 2 fib(4) = 3 fib(5) = 5 fib(6) = 8 fib(7) = 13 . . . fib(50) = 12586269025
  • 41. Copyright © 2014 by John Wiley & Sons. All rights reserved. 41 The Efficiency of Recursion  Recursive implementation of fib is straightforward.  Watch the output closely as you run the test program.  First few calls to fib are quite fast.  For larger values, the program pauses an amazingly long time between outputs.  To find out the problem, lets insert trace messages.
  • 42. Copyright © 2014 by John Wiley & Sons. All rights reserved. 42 section_3/RecursiveFibTracer.java 1 import java.util.Scanner; 2 3 /** 4 This program prints trace messages that show how often the 5 recursive method for computing Fibonacci numbers calls itself. 6 */ 7 public class RecursiveFibTracer 8 { 9 public static void main(String[] args) 10 { 11 Scanner in = new Scanner(System.in); 12 System.out.print("Enter n: "); 13 int n = in.nextInt(); 14 15 long f = fib(n); 16 17 System.out.println("fib(" + n + ") = " + f); 18 } 19 Continued
  • 43. Copyright © 2014 by John Wiley & Sons. All rights reserved. 43 section_3/RecursiveFibTracer.java 20 /** 21 Computes a Fibonacci number. 22 @param n an integer 23 @return the nth Fibonacci number 24 */ 25 public static long fib(int n) 26 { 27 System.out.println("Entering fib: n = " + n); 28 long f; 29 if (n <= 2) { f = 1; } 30 else { f = fib(n - 1) + fib(n - 2); } 31 System.out.println("Exiting fib: n = " + n 32 + " return value = " + f); 33 return f; 34 } 35 } Program Run: Enter n: 6 Entering fib: n = 6 Entering fib: n = 5 Entering fib: n = 4 Entering fib: n = 3 Entering fib: n = 2 Continued
  • 44. Copyright © 2014 by John Wiley & Sons. All rights reserved. 44 section_3/RecursiveFibTracer.java Exiting fib: n = 2 return value = 1 Entering fib: n = 1 Exiting fib: n = 1 return value = 1 Exiting fib: n = 3 return value = 2 Entering fib: n = 2 Exiting fib: n = 2 return value = 1 Exiting fib: n = 4 return value = 3 Entering fib: n = 3 Entering fib: n = 2 Exiting fib: n = 2 return value = 1 Entering fib: n = 1 Exiting fib: n = 1 return value = 1 Exiting fib: n = 3 return value = 2 Exiting fib: n = 5 return value = 5 Entering fib: n = 4 Entering fib: n = 3 Entering fib: n = 2 Exiting fib: n = 2 return value = 1 Entering fib: n = 1 Exiting fib: n = 1 return value = 1 Exiting fib: n = 3 return value = 2 Entering fib: n = 2 Exiting fib: n = 2 return value = 1 Exiting fib: n = 4 return value = 3 Exiting fib: n = 6 return value = 8 fib(6) = 8
  • 45. Copyright © 2014 by John Wiley & Sons. All rights reserved. 45 Call Tree for Computing fib(6) Figure 2 Call Pattern of the Recursive fib Method
  • 46. Copyright © 2014 by John Wiley & Sons. All rights reserved. 46 The Efficiency of Recursion  Method takes so long because it computes the same values over and over.  The computation of fib(6) calls fib(3) three times.  Imitate the pencil-and-paper process to avoid computing the values more than once.
  • 47. Copyright © 2014 by John Wiley & Sons. All rights reserved. 47 section_3/LoopFib.java 1 import java.util.Scanner; 2 3 /** 4 This program computes Fibonacci numbers using an iterative method. 5 */ 6 public class LoopFib 7 { 8 public static void main(String[] args) 9 { 10 Scanner in = new Scanner(System.in); 11 System.out.print("Enter n: "); 12 int n = in.nextInt(); 13 14 for (int i = 1; i <= n; i++) 15 { 16 long f = fib(i); 17 System.out.println("fib(" + i + ") = " + f); 18 } 19 } 20 Continued
  • 48. Copyright © 2014 by John Wiley & Sons. All rights reserved. 48 section_3/LoopFib.java 21 /** 22 Computes a Fibonacci number. 23 @param n an integer 24 @return the nth Fibonacci number 25 */ 26 public static long fib(int n) 27 { 28 if (n <= 2) { return 1; } 29 else 30 { 31 long olderValue = 1; 32 long oldValue = 1; 33 long newValue = 1; 34 for (int i = 3; i <= n; i++) 35 { 36 newValue = oldValue + olderValue; 37 olderValue = oldValue; 38 oldValue = newValue; 39 } 40 return newValue; 41 } 42 } 43 } Continued
  • 49. Copyright © 2014 by John Wiley & Sons. All rights reserved. 49 section_3/LoopFib.java Program Run: Enter n: 50 fib(1) = 1 fib(2) = 1 fib(3) = 2 fib(4) = 3 fib(5) = 5 fib(6) = 8 fib(7) = 13 . . . fib(50) = 12586269025
  • 50. Copyright © 2014 by John Wiley & Sons. All rights reserved. 50 The Efficiency of Recursion  In most cases, the iterative and recursive approaches have comparable efficiency.  Occasionally, a recursive solution runs much slower than its iterative counterpart.  In most cases, the recursive solution is only slightly slower.  The iterative isPalindrome performs only slightly better than recursive solution. • Each recursive method call takes a certain amount of processor time
  • 51. Copyright © 2014 by John Wiley & Sons. All rights reserved. 51 The Efficiency of Recursion  Smart compilers can avoid recursive method calls if they follow simple patterns.  Most compilers don't do that.  In many cases, a recursive solution is easier to understand and implement correctly than an iterative solution.
  • 52. Copyright © 2014 by John Wiley & Sons. All rights reserved. 52 Iterative isPalindrome Method public boolean isPalindrome() { int start = 0; int end = text.length() - 1; while (start < end) { char first = Character.toLowerCase(text.charAt(start)); char last = Character.toLowerCase(text.charAt(end); if (Character.isLetter(first) && Character.isLetter(last)) { // Both are letters. if (first == last) { start++; end--; } else { return false; } } if (!Character.isLetter(last)) { end--; } if (!Character.isLetter(first)) { start++; } } return true; }
  • 53. Copyright © 2014 by John Wiley & Sons. All rights reserved. 53 Self Check 13.10 Answer: The loop is slightly faster. Of course, it is even faster to simply compute width * (width + 1) / 2. Is it faster to compute the triangle numbers recursively, as shown in Section 13.1, or is it faster to use a loop that computes 1 + 2 + 3 + . . . + width?
  • 54. Copyright © 2014 by John Wiley & Sons. All rights reserved. 54 Self Check 13.11 Answer: No, the recursive solution is about as efficient as the iterative approach. Both require n – 1 multiplications to compute n!. You can compute the factorial function either with a loop, using the definition that n! = 1 × 2 × . . . × n, or recursively, using the definition that 0! = 1and n! = (n – 1)! × n. Is the recursive approach inefficient in this case?
  • 55. Copyright © 2014 by John Wiley & Sons. All rights reserved. 55 Self Check 13.12 Answer: The recursive algorithm performs about as well as the loop. Unlike the recursive Fibonacci algorithm, this algorithm doesn’t call itself again on the same input. For example, the sum of the array 1 4 9 16 25 36 49 64 is computed as the sum of 1 4 9 16 and 25 36 49 64, then as the sums of 1 4, 9 16, 25 36, and 49 64, which can be computed directly. To compute the sum of the values in an array, you can split the array in the middle, recursively compute the sums of the halves, and add the results. Compare the performance of this algorithm with that of a loop that adds the values.
  • 56. Copyright © 2014 by John Wiley & Sons. All rights reserved. 56 Permutations  Using recursion, you can find all arrangements of a set of objects.  Design a class that will list all permutations of a string. A permutation is a rearrangement of the letters.
  • 57. Copyright © 2014 by John Wiley & Sons. All rights reserved. 57 Permutations  The string "eat" has six permutations: "eat" "eta" "aet" "ate" "tea" "tae”
  • 58. Copyright © 2014 by John Wiley & Sons. All rights reserved. 58 Permutations  Problem: Generate all the permutations of "eat".  First generate all permutations that start with the letter 'e', then 'a' then 't'.  How do we generate the permutations that start with 'e'? • We need to know the permutations of the substring "at". • But that’s the same problem—to generate all permutations— with a simpler input  Prepend the letter 'e' to all the permutations you found of 'at'.  Do the same for 'a' and 't'.  Provide a special case for the simplest strings. • The simplest string is the empty string, which has a single permutation— itself.
  • 59. Copyright © 2014 by John Wiley & Sons. All rights reserved. 59 section_4/Permutations.java 1 import java.util.ArrayList; 2 3 /** 4 This program computes permutations of a string. 5 */ 6 public class Permutations 7 { 8 public static void main(String[] args) 9 { 10 for (String s : permutations("eat")) 11 { 12 System.out.println(s); 13 } 14 } 15 16 /** 17 Gets all permutations of a given word. 18 @param word the string to permute 19 @return a list of all permutations 20 */ 21 public static ArrayList<String> permutations(String word) 22 { 23 ArrayList<String> result = new ArrayList<String>(); 24 Continued
  • 60. Copyright © 2014 by John Wiley & Sons. All rights reserved. 60 section_4/Permutations.java 25 // The empty string has a single permutation: itself 26 if (word.length() == 0) 27 { 28 result.add(word); 29 return result; 30 } 31 else 32 { 33 // Loop through all character positions 34 for (int i = 0; i < word.length(); i++) 35 { 36 // Form a shorter word by removing the ith character 37 String shorter = word.substring(0, i) + word.substring(i + 1); 38 39 // Generate all permutations of the simpler word 40 ArrayList<String> shorterPermutations = permutations(shorter); 41 42 // Add the removed character to the front of 43 // each permutation of the simpler word, 44 for (String s : shorterPermutations) 45 { 46 result.add(word.charAt(i) + s); 47 } 48 } 49 // Return all permutations 50 return result; 51 } 52 } 53 } 54 Continued
  • 61. Copyright © 2014 by John Wiley & Sons. All rights reserved. 61 section_4/Permutations.java Program Run: eat eta aet ate tea tae
  • 62. Copyright © 2014 by John Wiley & Sons. All rights reserved. 62 Self Check 13.13 Answer: They are b followed by the six permutations of eat, e followed by the six permutations of bat, a followed by the six permutations of bet, and t followed by the six permutations of bea. What are all permutations of the four-letter word beat?
  • 63. Copyright © 2014 by John Wiley & Sons. All rights reserved. 63 Self Check 13.14 Answer: Simply change if (word.length() == 0) to if (word.length() <= 1) because a word with a single letter is also its sole permutation. Our recursion for the permutation generator stops at the empty string. What simple modification would make the recursion stop at strings of length 0 or 1?
  • 64. Copyright © 2014 by John Wiley & Sons. All rights reserved. 64 Self Check 13.15  Answer: An iterative solution would have a loop whose body computes the next permutation from the previous ones. But there is no obvious mechanism for getting the next permutation. For example, if you already found permutations eat, eta, and aet, it is not clear how you use that information to get the next permutation. Actually, there is an ingenious mechanism for doing just that, but it is far from obvious —see Exercise P13.12. Why isn’t it easy to develop an iterative solution for the permutation generator?
  • 65. Copyright © 2014 by John Wiley & Sons. All rights reserved. 65 Mutual Recursions  Problem: to compute the value of arithmetic expressions such as: 3 + 4 * 5 (3 + 4) * 5 1 - (2 - (3 - (4 - 5)))  Computing expression is complicated • * and / bind more strongly than + and - • Parentheses can be used to group subexpressions
  • 66. Copyright © 2014 by John Wiley & Sons. All rights reserved. 66 Syntax Diagrams for Evaluating an Expression Figure 3
  • 67. Copyright © 2014 by John Wiley & Sons. All rights reserved. 67 Mutual Recursions  An expression can broken down into a sequence of terms, separated by + or -.  Each term is broken down into a sequence of factors, separated by * or /.  Each factor is either a parenthesized expression or a number.  The syntax trees represent which operations should be carried out first.
  • 68. Copyright © 2014 by John Wiley & Sons. All rights reserved. 68 Syntax Tree for Two Expressions
  • 69. Copyright © 2014 by John Wiley & Sons. All rights reserved. 69 Mutually Recursive Methods  In a mutual recursion, a set of cooperating methods calls each other repeatedly.  To compute the value of an expression, implement 3 methods that call each other recursively: • getExpressionValue • getTermValue • getFactorValue
  • 70. Copyright © 2014 by John Wiley & Sons. All rights reserved. 70 The getExpressionValue Method public int getExpressionValue() { int value = getTermValue(); boolean done = false; while (!done) { String next = tokenizer.peekToken(); if ("+".equals(next) || "-".equals(next)) { tokenizer.nextToken(); // Discard "+" or "-" int value2 = getTermValue(); if ("+".equals(next)) value = value + value2; else value = value - value2; } else { done = true; } } return value; }
  • 71. Copyright © 2014 by John Wiley & Sons. All rights reserved. 71 The getTermValue Method  The getTermValue method calls getFactorValue in the same way, multiplying or dividing the factor values.
  • 72. Copyright © 2014 by John Wiley & Sons. All rights reserved. 72 The getFactorValue Method public int getFactorValue() { int value; String next = tokenizer.peekToken(); if ("(".equals(next)) { tokenizer.nextToken(); // Discard "(" value = getExpressionValue(); tokenizer.nextToken(); // Discard ")" } else { value = Integer.parseInt(tokenizer.nextToken()); } return value; }
  • 73. Copyright © 2014 by John Wiley & Sons. All rights reserved. 73 Using Mutual Recursions  To see the mutual recursion clearly, trace through the expression (3+4)*5: • getExpressionValue calls getTermValue • getTermValue calls getFactorValue – getFactorValue consumes the ( input » getFactorValue calls getExpressionValue • getExpressionValue returns eventually with the value of 7, having consumed 3 + 4. This is the recursive call. » getFactorValue consumes the ) input – getFactorValue returns 7 • getTermValue consumes the inputs * and 5 and returns 35 • getExpressionValue returns 35  Recursion terminates when all the tokens of the input string are consumed.
  • 74. Copyright © 2014 by John Wiley & Sons. All rights reserved. 74 section_5/Evaluator.java 1 /** 2 A class that can compute the value of an arithmetic expression. 3 */ 4 public class Evaluator 5 { 6 private ExpressionTokenizer tokenizer; 7 8 /** 9 Constructs an evaluator. 10 @param anExpression a string containing the expression 11 to be evaluated 12 */ 13 public Evaluator(String anExpression) 14 { 15 tokenizer = new ExpressionTokenizer(anExpression); 16 } 17 Continued
  • 75. Copyright © 2014 by John Wiley & Sons. All rights reserved. 75 section_5/Evaluator.java 18 /** 19 Evaluates the expression. 20 @return the value of the expression. 21 */ 22 public int getExpressionValue() 23 { 24 int value = getTermValue(); 25 boolean done = false; 26 while (!done) 27 { 28 String next = tokenizer.peekToken(); 29 if ("+".equals(next) || "-".equals(next)) 30 { 31 tokenizer.nextToken(); // Discard "+" or "-" 32 int value2 = getTermValue(); 33 if ("+".equals(next)) { value = value + value2; } 34 else { value = value - value2; } 35 } 36 else 37 { 38 done = true; 39 } 40 } 41 return value; 42 } 43 Continued
  • 76. Copyright © 2014 by John Wiley & Sons. All rights reserved. 76 section_5/Evaluator.java 44 /** 45 Evaluates the next term found in the expression. 46 @return the value of the term 47 */ 48 public int getTermValue() 49 { 50 int value = getFactorValue(); 51 boolean done = false; 52 while (!done) 53 { 54 String next = tokenizer.peekToken(); 55 if ("*".equals(next) || "/".equals(next)) 56 { 57 tokenizer.nextToken(); 58 int value2 = getFactorValue(); 59 if ("*".equals(next)) { value = value * value2; } 60 else { value = value / value2; } 61 } 62 else 63 { 64 done = true; 65 } 66 } 67 return value; 68 } 69 Continued
  • 77. Copyright © 2014 by John Wiley & Sons. All rights reserved. 77 section_5/Evaluator.java 70 /** 71 Evaluates the next factor found in the expression. 72 @return the value of the factor 73 */ 74 public int getFactorValue() 75 { 76 int value; 77 String next = tokenizer.peekToken(); 78 if ("(".equals(next)) 79 { 80 tokenizer.nextToken(); // Discard "(" 81 value = getExpressionValue(); 82 tokenizer.nextToken(); // Discard ")" 83 } 84 else 85 { 86 value = Integer.parseInt(tokenizer.nextToken()); 87 } 88 return value; 89 } 90 }
  • 78. Copyright © 2014 by John Wiley & Sons. All rights reserved. 78 section_5/ExpressionTokenizer.java 1 /** 2 This class breaks up a string describing an expression 3 into tokens: numbers, parentheses, and operators. 4 */ 5 public class ExpressionTokenizer 6 { 7 private String input; 8 private int start; // The start of the current token 9 private int end; // The position after the end of the current token 10 11 /** 12 Constructs a tokenizer. 13 @param anInput the string to tokenize 14 */ 15 public ExpressionTokenizer(String anInput) 16 { 17 input = anInput; 18 start = 0; 19 end = 0; 20 nextToken(); // Find the first token 21 } 22 23 /** 24 Peeks at the next token without consuming it. 25 @return the next token or null if there are no more tokens 26 */ 27 public String peekToken() 28 { 29 if (start >= input.length()) { return null; } 30 else { return input.substring(start, end); } 31 } 32 Continued
  • 79. Copyright © 2014 by John Wiley & Sons. All rights reserved. 79 section_5/ExpressionTokenizer.java 33 /** 34 Gets the next token and moves the tokenizer to the following token. 35 @return the next token or null if there are no more tokens 36 */ 37 public String nextToken() 38 { 39 String r = peekToken(); 40 start = end; 41 if (start >= input.length()) { return r; } 42 if (Character.isDigit(input.charAt(start))) 43 { 44 end = start + 1; 45 while (end < input.length() 46 && Character.isDigit(input.charAt(end))) 47 { 48 end++; 49 } 50 } 51 else 52 { 53 end = start + 1; 54 } 55 return r; 56 } 57 }
  • 80. Copyright © 2014 by John Wiley & Sons. All rights reserved. 80 section5/ExpressionCalculator.java 1 import java.util.Scanner; 2 3 /** 4 This program calculates the value of an expression 5 consisting of numbers, arithmetic operators, and parentheses. 6 */ 7 public class ExpressionCalculator 8 { 9 public static void main(String[] args) 10 { 11 Scanner in = new Scanner(System.in); 12 System.out.print("Enter an expression: "); 13 String input = in.nextLine(); 14 Evaluator e = new Evaluator(input); 15 int value = e.getExpressionValue(); 16 System.out.println(input + "=" + value); 17 } 18 } Program Run: Enter an expression: 3+4*5 3+4*5=23
  • 81. Copyright © 2014 by John Wiley & Sons. All rights reserved. 81 Self Check 13.16 Answer: Factors are combined by multiplicative operators (* and /), terms are combined by additive operators (+, -). We need both so that multiplication can bind more strongly than addition. What is the difference between a term and a factor? Why do we need both concepts?
  • 82. Copyright © 2014 by John Wiley & Sons. All rights reserved. 82 Self Check 13.17 Answer: To handle parenthesized expressions, such as 2 + 3*(4 + 5). The subexpression 4 + 5 is handled by a recursive call to getExpressionValue. Why does the expression parser use mutual recursion?
  • 83. Copyright © 2014 by John Wiley & Sons. All rights reserved. 83 Self Check 13.18 Answer: The Integer.parseInt call in getFactorValue throws an exception when it is given the string ")". What happens if you try to parse the illegal expression 3+4*)5? Specifically, which method throws an exception?
  • 84. Copyright © 2014 by John Wiley & Sons. All rights reserved. 84 Backtracking  Backtracking is a problem solving technique that builds up partial solutions that get increasingly closer to the goal. • If a partial solution cannot be completed, one abandons it • And returns to examining the other candidates.  Characteristic properties needed to use backtracking for a problem. 1. A procedure to examine a partial solution and determine whether to • Accept it as an actual solution. • Abandon it (either because it violates some rules or because it is clear that it can never lead to a valid solution). • Continue extending it. 2. A procedure to extend a partial solution, generating one or more solutions that come closer to the goal.
  • 85. Copyright © 2014 by John Wiley & Sons. All rights reserved. 85 Backtracking  In a backtracking algorithm, one explores all paths towards a solution. When one path is a dead end, one needs to backtrack and try another choice.
  • 86. Copyright © 2014 by John Wiley & Sons. All rights reserved. 86 Backtracking  Backtracking can then be expressed with the following recursive algorithm: Solve(partialSolution) Examine(partialSolution). If accepted Add partialSolution to the list of solutions. Else if continuing For each p in extend(partialSolution) Solve(p).
  • 87. Copyright © 2014 by John Wiley & Sons. All rights reserved. 87 Backtracking - Eight Queens Problem  The Problem: position eight queens on a chess board so that none of them attacks another according to the rules of chess. • There are no two queens on the same row, column, or diagonal  A Solution to the Eight Queens Problem:
  • 88. Copyright © 2014 by John Wiley & Sons. All rights reserved. 88 Backtracking - Eight Queens Problem  To examine a partial solution: • If two queens attack each other, reject it. • Otherwise, if it has eight queens, accept it. • Otherwise, continue.  To extend a partial solution: • Add another queen on an empty square • For efficiency, place first queen in row 1, the next in row 2, and so on
  • 89. Copyright © 2014 by John Wiley & Sons. All rights reserved. 89 Backtracking  Provide a class PartialSolution • that collects the queens in a partial solution, • and that has methods to examine and extend the solution public class PartialSolution { private Queen[] queens; public int examine() { . . . } public PartialSolution[] extend() { . . . } }
  • 90. Copyright © 2014 by John Wiley & Sons. All rights reserved. 90 Backtracking  The examine method simply checks whether two queens attack each other: public int examine() { for (int i = 0; i < queens.length; i++) { for (int j = i + 1; j <queens.length; j++) { if (queens[i].attacks(queens[j])) { return ABANDON; } } } if (queens.length == NQUEENS) { return ACCEPT; } else { return CONTINUE; } }
  • 91. Copyright © 2014 by John Wiley & Sons. All rights reserved. 91 Backtracking  The extend method takes a given solution • And makes eight copies of it. • Each copy gets a new queen in a different column.
  • 92. Copyright © 2014 by John Wiley & Sons. All rights reserved. 92 Backtracking public PartialSolution[] extend() { // Generate a new solution for each column PartialSolution[] result = new PartialSolution[NQUEENS]; for (int i = 0; i < result.length; i++) { int size = queens.length; // The new solution has one more row than this one result[i] = new PartialSolution(size + 1); // Copy this solution into the new one for (int j = 0; j < size; j++) { result[i].queens[j] = queens[j]; } // Append the new queen into the ith column result[i].queens[size] = new Queen(size, i); } return result; }
  • 93. Copyright © 2014 by John Wiley & Sons. All rights reserved. 93 Backtracking  To determine if two queens attack each other diagonally • Compute the slope. • If it ±1 the queens attack each other diagonally?  Just check: |row2 - row1| = |column2 - column1|
  • 94. Copyright © 2014 by John Wiley & Sons. All rights reserved. 94 Backtracking Backtracking in the Four Queens Problem
  • 95. Copyright © 2014 by John Wiley & Sons. All rights reserved. 95 section_6/PartialSolution.java 1 import java.util.Arrays; 2 3 /** 4 A partial solution to the eight queens puzzle. 5 */ 6 public class PartialSolution 7 { 8 private Queen[] queens; 9 private static final int NQUEENS = 8; 10 11 public static final int ACCEPT = 1; 12 public static final int ABANDON = 2; 13 public static final int CONTINUE = 3; 14 15 /** 16 Constructs a partial solution of a given size. 17 @param size the size 18 */ 19 public PartialSolution(int size) 20 { 21 queens = new Queen[size]; 22 } 23 Continued
  • 96. Copyright © 2014 by John Wiley & Sons. All rights reserved. 96 section_6/PartialSolution.java 24 /** 25 Examines a partial solution. 26 @return one of ACCEPT, ABANDON, CONTINUE 27 */ 28 public int examine() 29 { 30 for (int i = 0; i < queens.length; i++) 31 { 32 for (int j = i + 1; j < queens.length; j++) 33 { 34 if (queens[i].attacks(queens[j])) { return ABANDON; } 35 } 36 } 37 if (queens.length == NQUEENS) { return ACCEPT; } 38 else { return CONTINUE; } 39 } 40 Continued
  • 97. Copyright © 2014 by John Wiley & Sons. All rights reserved. 97 section_6/PartialSolution.java 41 /** 42 Yields all extensions of this partial solution. 43 @return an array of partial solutions that extend this solution. 44 */ 45 public PartialSolution[] extend() 46 { 47 // Generate a new solution for each column 48 PartialSolution[] result = new PartialSolution[NQUEENS]; 49 for (int i = 0; i < result.length; i++) 50 { 51 int size = queens.length; 52 53 // The new solution has one more row than this one 54 result[i] = new PartialSolution(size + 1); 55 56 // Copy this solution into the new one 57 for (int j = 0; j < size; j++) 58 { 59 result[i].queens[j] = queens[j]; 60 } 61 62 // Append the new queen into the ith column 63 result[i].queens[size] = new Queen(size, i); 64 } 65 return result; 66 } 67 68 public String toString() { return Arrays.toString(queens); } 69 } 70
  • 98. Copyright © 2014 by John Wiley & Sons. All rights reserved. 98 section_6/Queen.java 1 /** 2 A queen in the eight queens problem. 3 */ 4 public class Queen 5 { 6 private int row; 7 private int column; 8 9 /** 10 Constructs a queen at a given position. 11 @param r the row 12 @param c the column 13 */ 14 public Queen(int r, int c) 15 { 16 row = r; 17 column = c; 18 } 19 Continued
  • 99. Copyright © 2014 by John Wiley & Sons. All rights reserved. 99 section_6/Queen.java 20 /** 21 Checks whether this queen attacks another. 22 @param other the other queen 23 @return true if this and the other queen are in the same 24 row, column, or diagonal. 25 */ 26 public boolean attacks(Queen other) 27 { 28 return row == other.row 29 || column == other.column 30 || Math.abs(row - other.row) == Math.abs(column - other.column); 31 } 32 33 public String toString() 34 { 35 return "" + "abcdefgh".charAt(column) + (row + 1) ; 36 } 37 }
  • 100. Copyright © 2014 by John Wiley & Sons. All rights reserved. 100 section_6/EightQueens.java 1 /** 2 This class solves the eight queens problem using backtracking. 3 */ 4 public class EightQueens 5 { 6 public static void main(String[] args) 7 { 8 solve(new PartialSolution(0)); 9 } 10 11 /** 12 Prints all solutions to the problem that can be extended from 13 a given partial solution. 14 @param sol the partial solution 15 */ 16 public static void solve(PartialSolution sol) 17 { 18 int exam = sol.examine(); 19 if (exam == PartialSolution.ACCEPT) 20 { 21 System.out.println(sol); 22 } 23 else if (exam == PartialSolution.CONTINUE) 24 { 25 for (PartialSolution p : sol.extend()) 26 { 27 solve(p); 28 } 29 } 30 } 31 } 32 Continued
  • 101. Copyright © 2014 by John Wiley & Sons. All rights reserved. 101 section_6/EightQueens.java Program Run: [a1, e2, h3, f4, c5, g6, b7, d8] [a1, f2, h3, c4, g5, d6, b7, e8] [a1, g2, d3, f4, h5, b6, e7, c8] . . . [f1, a2, e3, b4, h5, c6, g7, d8] . . . [h1, c2, a3, f4, b5, e6, g7, d8] [h1, d2, a3, c4, f5, b6, g7, e8] (92 solutions)
  • 102. Copyright © 2014 by John Wiley & Sons. All rights reserved. 102 Self Check 13.19 Answer: We want to check whether any queen[i] attacks any queen[j], but attacking is symmetric. That is, we can choose to compare only those for which i < j (or, alternatively, those for which i > j). We don’t want to call the attacks method when i equals j; it would return true. Why does j begin at i + 1 in the examine method?
  • 103. Copyright © 2014 by John Wiley & Sons. All rights reserved. 103 Self Check 13.20 Answer: One solution: Continue tracing the four queens problem as shown in Figure 6. How many solutions are there with the first queen in position a2?
  • 104. Copyright © 2014 by John Wiley & Sons. All rights reserved. 104 Self Check 13.21 Answer: Two solutions: The one from Self Check 20, and its mirror image. How many solutions are there altogether for the four queens problem?