解決済み: このコメントの最後に投稿されました。
このエラーが発生し続けますが、なぜ発生するのかについての説明が見つかりません。
Exception in thread "main" java.lang.StackOverflowError
at java.util.Random.nextDouble(Random.java:444)
at java.lang.Math.random(Math.java:716)
at assignment6quickSort.M6.qsAlgorithm(M6.java:50)
at assignment6quickSort.M6.qsAlgorithm(M6.java:60)
at assignment6quickSort.M6.qsAlgorithm(M6.java:60)
at assignment6quickSort.M6.qsAlgorithm(M6.java:60)
私は狂ったようにグーグルしてきましたが、誰も同じ問題を抱えていないようです。または、正しいことを検索するのはばかげています(まったく可能です)。
とにかく、一般的なクイックソートのピボット番号を見つけるために乱数を作成していますが、数時間前には何度か機能しましたが、今では毎回このエラーが発生します。
お願い、私はとてもイライラしています.ふふふ!私は何を間違っていますか?これはどのようにオーバーフローを引き起こす可能性がありますか?
これが私のコードです...
package assignment6quickSort;
import java.util.ArrayList;
import java.util.List;
import java.util.Comparator;
public class M6 {
static M6Comparator<Integer> comp = new M6Comparator<Integer>();
static Integer[] array = new Integer[20];
static ArrayList qsSorted = new ArrayList();
public static void main (String[] args) {
for (int i = 0; i < array.length; i++) {
array[i] = (int)(50 * Math.random());
}
for (int i: array) {
System.out.print(i + ", ");
}
quickSort(array, comp);
System.out.println("\n");
for (Object i: qsSorted) {
System.out.print(i + ", ");
}
}
static <T> void quickSort(T[] a, Comparator<? super T> comp) {
ArrayList<T> temp = new ArrayList<T>();
for (int i = 0; i < a.length; i++) {
temp.add(a[i]);
}
qsSorted = qsAlgorithm(temp, comp);
}
static <T> ArrayList<T> qsAlgorithm(ArrayList<T> a, Comparator<? super T> comp) {
ArrayList<T> L = new ArrayList<T>();
ArrayList<T> G = new ArrayList<T>();
if (a.size() <= 1)
return a;
int pivot = (int)Math.random() * a.size();
T pivotValue = a.get(pivot);
for (int i = 0; i < a.size(); i++) {
if (comp.compare(a.get(i), pivotValue) == -1 || comp.compare(a.get(i), pivotValue) == 0) {
L.add(a.get(i));
} else {
G.add(a.get(i));
}
}
L = qsAlgorithm(L, comp);
G = qsAlgorithm(G, comp);
L.addAll(G);
return L;
}
}
さらに、ここに私のコンパレータがあります:
package assignment6quickSort;
import java.util.Comparator;
public class M6Comparator<E> implements Comparator<E> {
public int compare(E original, E other) {
return((Comparable<E>)original).compareTo(other);
}
}
### 解決 ###
どうやら古典的な再帰的なオーバーフロー エラーです。助けてくれた@pstと@Marcinに感謝します!qsAlgorithm() メソッドのリビジョンは次のとおりです。
static <T> ArrayList<T> qsAlgorithm(ArrayList<T> a, Comparator<? super T> comp) {
ArrayList<T> L = new ArrayList<T>();
ArrayList<T> P = new ArrayList<T>();
ArrayList<T> G = new ArrayList<T>();
if (a.size() <= 1)
return a;
int pivot = (int)Math.random() * a.size();
T pivotValue = a.get(pivot);
for (int i = 0; i < a.size(); i++) {
int v = comp.compare(a.get(i), pivotValue);
if (v == -1) {
L.add(a.get(i));
} else if (v == 0) {
P.add(a.get(i));
} else {
G.add(a.get(i));
}
}
return concatenate(qsAlgorithm(L, comp), P, qsAlgorithm(G, comp));
}
static <T> ArrayList<T> concatenate(ArrayList<T> a, ArrayList<T> p, ArrayList<T> b) {
a.addAll(p);
a.addAll(b);
return a;
}