Last active
March 16, 2016 04:26
-
-
Save cangoal/9a353b5740cc0d7ac6ba to your computer and use it in GitHub Desktop.
LeetCode - Permutations
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// Solution 1 : recursive | |
public ArrayList<ArrayList<Integer>> permute(int[] num) { | |
if(num==null || num.length==0) return null; | |
ArrayList<ArrayList<Integer>> ret = new ArrayList<ArrayList<Integer>>(); | |
helper(num, new boolean[num.length], new ArrayList<Integer>(), ret); | |
return ret; | |
} | |
private void helper(int[] num, boolean[] used, ArrayList<Integer> temp, ArrayList<ArrayList<Integer>> ret){ | |
if(temp.size()==num.length){ | |
ret.add(new ArrayList<Integer>(temp)); | |
} | |
for(int i=0; i<num.length; i++){ | |
if(!used[i]){ | |
used[i] = true; | |
temp.add(num[i]); | |
helper(num, used, temp, ret); | |
temp.remove(temp.size()-1); | |
used[i] = false; | |
} | |
} | |
} | |
// Solution 2: iterative | |
public ArrayList<ArrayList<Integer>> permute(int[] num) { | |
ArrayList<ArrayList<Integer>> ret = new ArrayList<ArrayList<Integer>>(); | |
if(num == null || num.length == 0) return ret; | |
ret.add(new ArrayList<Integer>()); | |
for(int i=0; i<num.length; i++){ | |
ArrayList<ArrayList<Integer>> temp = new ArrayList<ArrayList<Integer>>(); | |
for(int j=0; j<ret.size(); j++){ | |
for(int k=0; k<=ret.get(j).size(); k++){ | |
ArrayList<Integer> lst = new ArrayList<>(ret.get(j)); | |
lst.add(k, num[i]); | |
temp.add(lst); | |
} | |
} | |
ret = temp; | |
} | |
return ret; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment