47. Permutations II

Problem:

Given a collection of numbers that might contain duplicates, return all possible unique permutations.

Example:

Input: [1,1,2]
Output:
[
  [1,1,2],
  [1,2,1],
  [2,1,1]
]

Solutions:

class Solution {
public:
    vector<vector<int>> permuteUnique(vector<int>& nums) {
        //sort(nums.begin(), nums.end());
        vector<vector<int>> ret;

        helper(nums, 0, ret);
        return ret;
    }

    void helper(vector<int>& nums, int pos, vector<vector<int>>& ret) {
        if (pos == nums.size()) {
            ret.push_back(nums);
            return;
        }

        unordered_set<int> seen; //Use index is not able to deduplicate. for example [0,0,1,2]. If the last element swap with the first, the list becomes [2, 0, 1, 0], which elements with the same value are not adjecent. 
        for (int i = pos; i < nums.size(); ++i) {
            if (seen.count(nums[i]) > 0)    continue;
            seen.insert(nums[i]);
            swap(nums[pos], nums[i]);
            helper(nums, pos + 1, ret);
            swap(nums[pos], nums[i]);
        }
    }
};

results matching ""

    No results matching ""