/* * File: permutations_ii.rs * Created Time: 2023-07-15 * Author: codingonion (coderonion@gmail.com) */ use std::collections::HashSet; /* Backtracking algorithm: Permutation II */ fn backtrack(mut state: Vec, choices: &[i32], selected: &mut [bool], res: &mut Vec>) { // When the state length equals the number of elements, record the solution if state.len() == choices.len() { res.push(state); return; } // Traverse all choices let mut duplicated = HashSet::::new(); for i in 0..choices.len() { let choice = choices[i]; // Pruning: do not allow repeated selection of elements and do not allow repeated selection of equal elements if !selected[i] && !duplicated.contains(&choice) { // Attempt: make a choice, update the state duplicated.insert(choice); // Record selected element values selected[i] = true; state.push(choice); // Proceed to the next round of selection backtrack(state.clone(), choices, selected, res); // Retract: undo the choice, restore to the previous state selected[i] = false; state.remove(state.len() - 1); } } } /* Permutation II */ fn permutations_ii(nums: &mut [i32]) -> Vec> { let mut res = Vec::new(); backtrack(Vec::new(), nums, &mut vec![false; nums.len()], &mut res); res } /* Driver Code */ pub fn main() { let mut nums = [1, 2, 2]; let res = permutations_ii(&mut nums); println!("Input array nums = {:?}", &nums); println!("All permutations res = {:?}", &res); }