web-dev-qa-db-ja.com

Java数値リストの順列のコード

与えられたアイテムのリストのすべての可能な順列を見つけるプログラムを書きました。これは、私のプログラムがr = 0からnまでのすべての可能なP(n、r)値を出力することを正確に意味します

以下はコードです:

package com.algorithm;

import Java.util.ArrayList;
import Java.util.Calendar;
import Java.util.Collection;
import Java.util.HashSet;
import Java.util.List;
import Java.util.Set;

public class Permutations<T> {
    public static void main(String args[]) {
        Permutations<Integer> obj = new Permutations<Integer>();
        Collection<Integer> input = new ArrayList<Integer>();
        input.add(1);
        input.add(2);
        input.add(3);

        Collection<List<Integer>> output = obj.permute(input);
        int k = 0;
        Set<List<Integer>> pnr = null;
        for (int i = 0; i <= input.size(); i++) {
            pnr = new HashSet<List<Integer>>();
            for(List<Integer> integers : output){
            pnr.add(integers.subList(i, integers.size()));
            }
            k = input.size()- i;
            System.out.println("P("+input.size()+","+k+") :"+ 
            "Count ("+pnr.size()+") :- "+pnr);
        }
    }
    public Collection<List<T>> permute(Collection<T> input) {
        Collection<List<T>> output = new ArrayList<List<T>>();
        if (input.isEmpty()) {
            output.add(new ArrayList<T>());
            return output;
        }
        List<T> list = new ArrayList<T>(input);
        T head = list.get(0);
        List<T> rest = list.subList(1, list.size());
        for (List<T> permutations : permute(rest)) {
            List<List<T>> subLists = new ArrayList<List<T>>();
            for (int i = 0; i <= permutations.size(); i++) {
                List<T> subList = new ArrayList<T>();
                subList.addAll(permutations);
                subList.add(i, head);
                subLists.add(subList);
            }
            output.addAll(subLists);
        }
        return output;
    }
}
</ code>

出力

P(3,3) : Count (6) :- [[1, 2, 3], [2, 3, 1], [3, 2, 1], [3, 1, 2], [2, 1, 3], [1, 3, 2]]
P(3,2) : Count (6) :- [[3, 1], [2, 1], [3, 2], [1, 3], [2, 3], [1, 2]]
P(3,1) : Count (3) :- [[3], [1], [2]]
P(3,0) : Count (1) :- [[]]

私の問題は、入力リストの数を増やすことです。実行時間が増加し、入力リストの11の数字の後、プログラムはほとんど終了します。実行には約2GBのメモリが必要です。

私はこれを8GB RAMとi5プロセッサを搭載したマシンで実行しているので、速度とスペースは問題ではありません。

誰かが私がより効率的なコードを書くのを手伝ってくれるなら、私は感謝します。

8
dharam

15以上の要素のすべての順列が必要な場合は、メモリに収まらないため、ディスクまたはデータベースなどに書き込みます。編集: Steinhaus–Johnson–Trotterアルゴリズム 。これはおそらくあなたが探しているものです。

8
Buhb

保存していない場合(繰り返し処理している場合)は、Heapのアルゴリズム( http://www.cut-the-knot.org/do_you_know/AllPerm)の#3)の使用を検討してください。 shtml )-または、あなたの生活を楽にするために、Guavaの Collections2.permutations 、これは実際には順列のリスト全体を構築するわけではありません-その場でそれらをウォークスルーします。 (開示:私はグアバに貢献します。)

15
Louis Wasserman

Google(Guava)のJavaライブラリには、このためのユーティリティメソッドがあります: Collections2#permutations(Collection)

7
Kees van Dieren