【0010】 字符串的不同排列问题(重复排列问题)

问题描述
给出一个字符串,找到它的所有排列,注意同一个字符串不要打印两次。
示例如:
输入:“abb”
输出:[“abb”, “bab”, “bba”]

问题重点
关键点是重复元素去重排列问题

主要考点

  1. 排列算法
  2. 去重逻辑

算法逻辑

  1. 获取并对字符串进行拆分排序重组相关预处理
  2. 对字符串数组进行排列重复此步骤进行筛选
    1. 设定置换元素index(默认为**-1**,代表不进行元素置换)
    2. 从数组最高位项依次递减获取对应的置换元素及其下标值
    3. 当前位项元素(nums[i])大于待置换元素(nums[i-1]),则将index值更新为待置换元素项下标值并中止当前的循环置换操作。
    4. 对数组元素进行置换,原理同3所述。
    5. 重置后需要对原字符串进行还原
    6. 返回并将当前置换结果存入结果集数组。

实现代码

public List stringPermutation2(String str) {
        List result = new ArrayList();
        char[] s = str.toCharArray();
        Arrays.sort(s);
        result.add(String.valueOf(s));
        while ((s = nextPermutation(s)) != null) {
            result.add(String.valueOf(s));
        }
        return result;
    }

    public char[] nextPermutation(char[] nums) {
        int index = -1;
        for(int i = nums.length -1; i > 0; i--){
            if(nums[i] > nums[i-1]){
                index = i-1;
                break;
            }
        }
        if(index == -1){
            return null;
        }
        for(int i = nums.length -1; i > index; i--){
            if(nums[i] > nums[index]){
                char temp = nums[i];
                nums[i] = nums[index];
                nums[index] = temp;
                break;
            }
        }
        reverse(nums,index+1,nums.length-1);
        return nums;
        
    }

    public void reverse(char[] num, int start, int end) {
        for (int i = start, j = end; i < j; i++, j--) {
            char temp = num[i];
            num[i] = num[j];
            num[j] = temp;
        }
    }

你可能感兴趣的:(每日算法)