Trying to reproduce Heap's algorithm, for generating all possible permutations of an array of integers, but I can't solve it for other integers than three. Heap's algorithm from Wikipedia:
procedure generate(N : integer, data : array of any):
if N = 1 then
output(data)
else
for c := 1; c <= N; c += 1 do
generate(N - 1, data)
swap(data[if N is odd then 1 else c], data[N])
My code:
public static void perm(int[] list, int n){
if(n==1){
System.out.println(Arrays.toString(list));
} else {
for(int c=1;c<=n;c++){ /for(int c=0;c<n;c++)
perm(list,n-1);
if(n%2==0){
int temp1=list[c]; //This is line 17
list[c]=list[list.length-1];
list[list.length-1]=temp1;
}else{
int temp2=list[0];
list[0]=list[list.length-1];
list[list.length-1]=temp2;
}
}
}
}
What am I doing wrong and misunderstanding about it? Why does it Only work with [1,2,3] (n=3) as input and neither with n=2 nor n=4?
Runs:
perm(A,3);
[1, 2, 3]
[1, 3, 2]
[2, 3, 1]
[2, 1, 3]
[3, 1, 2]
[3, 2, 1]
perm(A,4)
[1, 2, 3, 4]
[1, 4, 3, 2]
.
.
.
[2, 4, 1, 3]
[2, 3, 1, 4]
Exception in thread "main" java.lang.ArrayIndexOutOfBoundsException: 4
at Permutation.perm(Permutation.java:17)
at Permutation.main(Permutation.java:43)
Thanks for the replies but that cannot be the problem. I tried changing that before I asked the question but think starting from 1 is part of the algorithm if I understand the Wiki-page correctly as it is explicitly stated (even though no particular language/for-loop-scheme is mentioned). Below is an output for n=4 which contains several duplicates. Link to Wiki-page: http://en.wikipedia.org/wiki/Heap%27s_algorithm
[1, 2, 3, 4]
[4, 2, 3, 1]
[2, 1, 3, 4]
[4, 1, 3, 2]
[1, 2, 3, 4]
[4, 2, 3, 1]
[4, 1, 3, 2]
[2, 1, 3, 4]
[1, 4, 3, 2]
[2, 4, 3, 1]
[4, 1, 3, 2]
[2, 1, 3, 4]
[1, 2, 3, 4]
[4, 2, 3, 1]
[2, 1, 3, 4]
[4, 1, 3, 2]
[1, 2, 3, 4]
[4, 2, 3, 1]
[2, 1, 4, 3]
[3, 1, 4, 2]
[1, 2, 4, 3]
[3, 2, 4, 1]
[2, 1, 4, 3]
[3, 1, 4, 2]
Try this:
//Heap's Algorithm
public static void perm(int[] list, int n)
{
if(n == 1)
{
System.out.println(Arrays.toString(list));
}
else
{
for(int i=0; i<n; i++)
{
perm(list,n-1);
int j = ( n % 2 == 0 ) ? i : 0;
int t = list[n-1];
list[n-1] = list[j];
list[j] = t;
}
}
}
public static void main(String[] args) {
int[] list = new int[]{1,2,3};
perm(list, list.length);
}
You were using the length of the input list instead of "n" for your swap
In most contemporary programming languages the arrays are 0 indexed and thus for(int c=1;c<=n;c++){
is not a correct cycle to iterate over the elements. The pseudo code assumes 1-indexed array.
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With