This is not homework, I don't have money for school so I am teaching myself whilst working shifts at a tollbooth on the highway (long nights with few customers).
I am trying to implement a simple version of the Hanoi Towers solver in Java. I am using stacks and a recursive function, without consulting external sources so as to get a chance to think myself.
I started with an array of arrays (int[][] pegs
) but got stuck on the implementation of the "move" step, particularly how to know at which "height" I would need to "pick" from the starting-position array and at which "height" I would drop the disc at the destination-position array. Of course with Stack<Integer>
it's the data structure that does this for me and I don't have to keep track of anything. I coded this version but felt negatively lazy about giving up; I am intrigued by stretching my brain and understanding how one could do it all with arrays.
Is it possible to implement this code using int[][] pegs
? How? (A hint will suffice, I am just stuck on the approach, I can do the legwork myself after having identified the right path).
BTW, is the code I wrote "passable" Java or am I misusing things? (I am still unsure about whether to focus on Java or C++. I have e-books for both).
package exercises;
import java.util.ArrayList;
import java.util.List;
import java.util.Stack;
public class HanoiTowers {
private static final int N_DISCS = 6;
private static final int N_PEGS = 3;
private static int nMoves = 0;
private static final int POSITION_END_PEG = N_PEGS - 1;
private static final int POSITION_START_PEG = 0;
public static void main(String[] args) {
List<Stack<Integer>> pegs = new ArrayList<Stack<Integer>>(N_PEGS);
for (int i = 0; i < N_PEGS; i++) {
pegs.add(new Stack<Integer>());
}
for (int i = 0; i < N_DISCS; i++) {
pegs.get(POSITION_START_PEG).push(N_DISCS - i);
}
printPegs(pegs);
moveTowers(pegs, POSITION_START_PEG, POSITION_END_PEG, N_DISCS);
System.out.println(String.format("# moves: %d", nMoves));
}
private static void moveTowers(List<Stack<Integer>> pegs, int fromPeg,
int toPeg, int ofHeight) {
if (ofHeight <= 0) {
return;
}
int throughPeg = N_PEGS - fromPeg - toPeg; // Kind of a hack?
moveTowers(pegs, fromPeg, throughPeg, ofHeight - 1);
pegs.get(toPeg).push(pegs.get(fromPeg).pop());
nMoves++;
printPegs(pegs);
moveTowers(pegs, throughPeg, toPeg, ofHeight - 1);
}
private static void printPegs(List<Stack<Integer>> stacks) {
for (int j = N_DISCS - 1; j >= 0; j--) {
for (int i = 0; i < N_PEGS; i++) {
Stack<Integer> stack = stacks.get(i);
int disc = stack.size() < j + 1 ? 0 : stack.get(j);
System.out.print(String.format("[%d]", disc));
}
System.out.println();
}
System.out.println();
}
}
Stack<Integer>
yourself, based on arrays. Then, with that code you have created yourself, you can implement towers on hanoi much easier, with more abstraction and still all your own code. – Province