Я полностью новичок в Java.Я пишу игру для Android, и мне нужно сгенерировать массив массивов int, который содержит все возможные суммы (за исключением комбинаций, которые содержат число 2 или больше 8 чисел), которые складываются в данное число.
Например: ganeratePatterns(5)
должен вернуть массив
[patternNumber][summandNumber] = value
[0][0] = 5
[1][0] = 1
[1][1] = 1
[1][2] = 1
[1][3] = 1
[1][4] = 1
[2][0] = 3
[2][1] = 1
[2][2] = 1
[3][0] = 4
[3][1] = 1
Я уже пытаюсь сделать это, как там Получение всех возможных сумм, которые складываются в данное число , но мне очень трудносделай так http://introcs.cs.princeton.edu/java/23recursion/Partition.java.html
Решение
int n = 10;
int dimension = 0;
//First we need to count number of posible combinations to create a 2dimensionarray
for(List<Integer> sumt : new SumIterator(n)) {
if(!sumt.contains(2) && sumt.size() < 9) {
dimension++;
}
}
int[][] combinationPattern = new int[dimension][];
int foo = 0;
for(List<Integer> sum : new SumIterator(n)) {
if(!sum.contains(2) && sum.size() < 9) {
System.out.println(sum);
combinationPattern[foo] = toIntArray(sum);
foo++;
}
}
Это работает не на 100% правильно, и очень красиво, но этого достаточно для моей игры
Я использовал класс SumIterator отсюда SumIterator.class Мне нужно изменить этот код for(int j = n-1; j > n/2; j--) {
на этот for(int j = n-1; j >= n/2; j--) {
, потому что старая версия не возвращает все комбинации (например, [5,5] для10)
И я использовал функцию toIntArray.Я основал зайца на StackOverflow, но забыл ссылку, поэтому вот его источник:
public static int[] toIntArray(final Collection<Integer> data){
int[] result;
// null result for null input
if(data == null){
result = null;
// empty array for empty collection
} else if(data.isEmpty()){
result = new int[0];
} else{
final Collection<Integer> effective;
// if data contains null make defensive copy
// and remove null values
if(data.contains(null)){
effective = new ArrayList<Integer>(data);
while(effective.remove(null)){}
// otherwise use original collection
}else{
effective = data;
}
result = new int[effective.size()];
int offset = 0;
// store values
for(final Integer i : effective){
result[offset++] = i.intValue();
}
}
return result;
}