如何将 powerSet 的内容保存到 Java 中的二维数组中

How to save the contents of a powerSet into a 2d array in Java

我正在尝试将从一维数组中获得的 PowerSet 的内容保存到二维数组中。我尝试在 "if" 语句内的数组中分配值,但我得到的索引完全错误

int[] set = new int[]{2,4,5,8}
int powSetLength = (int) Math.pow(2,set.length);
int[][] powSet = new int[powSetLength][];


    for (int i = 0; i<powSetLength; i++){

        for (int j = 0; j<set.length; j++){
            if ((i & (1<<j))>0) {
                powSet[i] = new int[] //here needs to be the length corresponding to the subset
                powSet[i][j] = set[j]; //I know this is wrong but my idea was to assign each number of a subset into the 2d array
            }
        }
    }

由于您的内部数组是可变长度的,您可能希望使用内部数组 java.util.ArrayList<Integer>。像这样:

int[] set = new int[]{2,4,5,8};
int powSetLength = (int) Math.pow(2,set.length);
List<Integer>[] powSet = new List[powSetLength];

for (int i = 0; i<powSetLength; i++){
    for (int j = 0; j<set.length; j++){
        if ((i & (1<<j))>0) {
            // If the `i`'th powerSet isn't initialized yet: create an empty ArrayList:
            if(powSet[i] == null)
                powSet[i] = new ArrayList<>();
            // And add the current set-value to the List:
            powSet[i].add(set[j]);
        }
    }
}

System.out.println(Arrays.toString(powSet));

之后您的列表数组将包含以下幂集:

[null, [2], [4], [2, 4], [5], [2, 5], [4, 5], [2, 4, 5], [8], [2, 8], [4, 8], [2, 4, 8], [5, 8], [2, 5, 8], [4, 5, 8], [2, 4, 5, 8]]

Try it online.