1. 程式人生 > >《劍指offer》系列 字串的排列(Java)

《劍指offer》系列 字串的排列(Java)

連結

牛客: 字串的排列

題目描述

輸入一個字串,按字典序打印出該字串中字元的所有排列。例如輸入字串abc,則打印出由字元a,b,c所能排列出來的所有字串abc,acb,bac,bca,cab和cba。

輸入描述:
輸入一個字串,長度不超過9(可能有字元重複),字元只包括大小寫字母。

思路

字串可能有字元重複,而且還要有序,所以先求出所有的排列方式,然後放入set集合中將重複的去掉,最後用排序,Java中也提供了Collections.sort()這個簡單的方法。

程式碼

import java.util.ArrayList;
import java.util.*;
public class Solution {

	public ArrayList<String> Permutation(String str) {
        ArrayList<String> re = new ArrayList<String>();
        if (str == null || str.length() == 0) {
            return re;
        }
        HashSet<String> set = new HashSet<String>();
        fun(set, str.toCharArray(), 0);
        re.addAll(set);
        Collections.sort(re);
        return re;
    }
    
    void fun(HashSet<String> re, char[] str, int k) {
        if (k == str.length) {
            re.add(new String(str));
            return;
        }
        for (int i = k; i < str.length; i++) {
            swap(str, i, k);
            fun(re, str, k + 1);
            swap(str, i, k);
        }
    }
    
    void swap(char[] str, int i, int j) {
        if (i != j) {
            char t = str[i];
            str[i] = str[j];
            str[j] = t;
        }
    }
}