這是一個求一個排序的下一個排列的函數,能夠遍歷全排列,要包含頭文件<algorithm>
與之徹底相反的函數還有prev_permutationios
在STL中,除了next_permutation外,還有一個函數prev_permutation,二者都是用來計算排列組合的函數。函數
前者是求出下一個排列組合,然後者是求出上一個排列組合。所謂「下一個」和「上一個」,書中舉了一個簡單的例子:spa
對序列 {a, b, c},每個元素都比後面的小,按照字典序列,固定a以後,a比bc都小,c比b大,它的下一個序列即爲{a, c, b},而{a, c, b}的上一個序列即爲{a, b, c},同理能夠推出全部的六個序列爲:{a, b, c}、{a, c, b}、{b, a, c}、{b, c, a}、{c, a, b}、{c, b, a},其中{a, b, c}沒有上一個元素,{c, b, a}沒有下一個元素。code
(1) int 類型的next_permutationblog
#include<iostream> #include<stdio.h> #include<queue> #include<string> #include<string.h> #include<algorithm> using namespace std; int main() { int a[3]={1,2,3}; do { cout<<a[0]<<" "<<a[1]<<" "<<a[2]<<endl; }while(next_permutation(a,a+3)); return 0; }
輸出排序
1 2 3
1 3 2
2 1 3
2 3 1
3 1 2
3 2 1ci
若是改爲 while(next_permutation(a,a+2));string
則輸出:
1 2 3
2 1 3it
只對前兩個元素進行字典排序
顯然,若是改爲 while(next_permutation(a,a+1)); 則只輸出:1 2 3io
(2)char 類型的next_permutation
#include<iostream> #include<stdio.h> #include<queue> #include<string> #include<string.h> #include<algorithm> using namespace std; int main() { char ch[205]; cin>>ch; sort(ch,ch+strlen(ch)); char *first =ch; char *last=ch+strlen(ch); do{ cout<<ch<<endl; }while(next_permutation(first,last)); return 0; }