public List<List<Integer>> getFactors(int n) {
List<List<Integer>> result = new ArrayList<List<Integer>>();
helper(result, new ArrayList<Integer>(), n, 2);
return result;
}
public void helper(List<List<Integer>> result, List<Integer> item, int n, int start){
if (n <= 1) {
if (item.size() > 1) {
result.add(new ArrayList<Integer>(item));
}
return;
}
for (int i = start; i <= n; ++i) {
if (n % i == 0) {
item.add(i);
helper(result, item, n/i, i);
item.remove(item.size()-1);
}
}
}
class Solution:
def getFactors(self, n: 'int') -> 'List[List[int]]':
def dfs(res, path, start, n):
while start*start <= n:
if n % start == 0:
res.append(path + [start, n//start])
dfs(res, path + [start], start, n//start)
start += 1
res = []
dfs(res, [], 2, n)
return res