地址:https://oj.leetcode.com/problems/permutations/
https://oj.leetcode.com/problems/permutations-ii/
题目简单说就是实现全排列。为了实现这个要求首先进行一下观察。
用123来示例下。123的全排列有123、132、213、231、312、321这六种。首先考虑213和321这二个数是如何得出的。显然这二个都是123中的1与后面两数交换得到的。然后可以将123的第二个数和每三个数交换得到132。同理可以根据213和321来得231和312。因此可以知道——全排列就是从第一个数字起每个数分别与它后面的数字交换。
题目Permutations||要求能处理有重复元素的全排列。观察对122,第一个数1与第二个数2交换得到212,然后考虑第一个数1与第三个数2交换,此时由于第三个数等于第二个数,所以第一个数不再与第三个数交换。再考虑212,它的第二个数与第三个数交换可以得到解决221。此时全排列生成完毕。全排列中去掉重复的规则——去重的全排列就是从第一个数字起每个数分别与它后面非重复出现的数字交换。用编程的话描述就是第i个数与第j个数交换时,要求[i,j)中没有与第j个数相等的数。
下面是Permutations||代码,其实Permutations|| 代码直接改掉那个方法名称提交肯定可以通过。因为Permutations||是考虑了重复元素,而Permutations不需要考虑有重复元素出现。
public class Solution {
    	public List<List<Integer>> permuteUnique(int[] num) {
		List<List<Integer>> ans = new ArrayList<List<Integer>>();
		AllRange(num, 0, num.length-1, ans);
		return ans;
	}
	public void AllRange(int[]num,int start,int end,List<List<Integer>> ans){
		// 某个全排列完成添加
		if(start == end){
			List<Integer> temp = new ArrayList<Integer>();
			for(int i=0;i<num.length;i++){
				temp.add(num[i]);
			}
			ans.add(temp);
		}
		// 分别与后面元素进行交换
		for(int i=start;i<=end;i++){
			if(IsSwap(num, start, i)){
				SwapTwoNum(num, start, i);
				AllRange(num, start+1, end, ans);
				SwapTwoNum(num, start, i);
			}
		}
	}
	public void SwapTwoNum(int[]num,int x,int y){
		int temp = num[x];
		num[x] = num[y];
		num[y] = temp;
	}
	// 判断是否可以进行交换
	boolean IsSwap(int[]num,int start,int end){
		for(int i=start;i<end;i++){
			if(num[i]==num[end]){
				return false;
			}		
		}
		return true;
	}
}原文地址:http://blog.csdn.net/huruzun/article/details/38921981