5

I have a list of N items and I am wondering how I can loop through the list to get every combination. There are no doubles, so I need to get all N! orderings. Extra memory is no problem, I'm trying to think of the simplest algorithm but I'm having trouble.

sud03r
  • 19,109
  • 16
  • 77
  • 96
Stuart
  • 1,733
  • 4
  • 21
  • 34

5 Answers5

16

See std::next_permutation   

BlueRaja - Danny Pflughoeft
  • 84,206
  • 33
  • 197
  • 283
8

Expanding on others' answers, here's an example of std::next_permutation adapted from cplusplus.com

#include <iostream>
#include <algorithm>
using namespace std;

void outputArray(int* array, int size)
{
  for (int i = 0; i < size; ++i) { cout << array[i] << " "; }
}

int main ()
{
  int myints[] = { 1, 2, 3, 4, 5 };
  const int size = sizeof(myints);

  cout << "The 5! possible permutations with 5 elements:\n";

  sort (myints, myints + size);

  bool hasMorePermutations = true;
  do
  {
    outputArray(myints, size);
    hasMorePermutations = next_permutation(myints, myints + size);
  }
  while (hasMorePermutations);

  return 0;
}
Bill
  • 14,257
  • 4
  • 43
  • 55
  • There doesn't appear to be any point in the `bool` variable. You can just `do { ... } while (std::next_permutation(...));` – CB Bailey Jan 26 '10 at 22:03
  • 1
    @Charles: It's true, I could do that. For teaching purposes I pulled out the next_permutation since that was the focus of the code. – Bill Jan 26 '10 at 22:18
  • Fair enough. Personally, I find it clearer without the extra variable but perhaps that's just me. – CB Bailey Jan 26 '10 at 22:28
2

C++ STL has next_permutation for this purpose.

sud03r
  • 19,109
  • 16
  • 77
  • 96
0

Simple algorithm using Recursion:

PSEUDOCODE

getPermutations(CurItemList , CurPermList)

if CurItemList.isempty()
    return CurPermList
else
    Permutations = {}

    for i = 1 to CurItemList.size() 
        CurPermList.addLast(CurItemList.get(i))

        NextItemList = CurItemList.copy()
        NextItemList.remove(i)

        Permutations.add(getPermutations(NextItemList, CurPermList))

        CurPermList.removeLast()


return Permutations

// To make it look better
Permutations(ItemList) 
    return getPermutations(ItemList, {})

I didnt test it, but should work. Maybe its not the smartest way to do it, but its an easy way. If something is wrong please let me know!

George
  • 3,765
  • 21
  • 25
0

Try building up the set of combinations recursively with a fixed count of possible elements. The set of all possible combinations will be the union of the sets of combinations of 1 element, 2 elements, ... up to N elements.

Then you can attack each fixed sized combination individually.

MSN
  • 53,214
  • 7
  • 75
  • 105