문제 설명
모든 단어의 순열 목록이 제공됩니다. 순열 목록에서 누락된 순열을 찾습니다.
예시
If permutation is = { “ABC”, “ACB”, “BAC”, “BCA”} then missing permutations are {“CBA” and “CAB”}
알고리즘
- 주어진 모든 문자열 세트 생성
- 그리고 모든 순열의 또 다른 세트
- 두 세트 간의 반환 차이
예시
#include <bits/stdc++.h> using namespace std; void findMissingPermutation(string givenPermutation[], size_t permutationSize) { vector<string> permutations; string input = givenPermutation[0]; permutations.push_back(input); while (true) { string p = permutations.back(); next_permutation(p.begin(), p.end()); if (p == permutations.front()) break; permutations.push_back(p); } vector<string> missing; set<string> givenPermutations(givenPermutation, givenPermutation + permutationSize); set_difference(permutations.begin(), permutations.end(), givenPermutations.begin(), givenPermutations.end(), back_inserter(missing)); cout << "Missing permutations are" << endl; for (auto i = missing.begin(); i != missing.end(); ++i) cout << *i << endl; } int main() { string givenPermutation[] = {"ABC", "ACB", "BAC", "BCA"}; size_t permutationSize = sizeof(givenPermutation) / sizeof(*givenPermutation); findMissingPermutation(givenPermutation, permutationSize); return 0; }
위의 프로그램을 컴파일하고 실행할 때. 다음 출력을 생성합니다 -
출력
Missing permutations are CAB CBA