Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Generate all unique combinations of Items

I trying to generate all possible unique combination of items.

Ex: item1, item2, item3

Combinations: 
   item1+item2+item3
   item1+item2
   item1+item3
   item2+item3
   item1
   item2
   item3

I am unable to get an idea on how to solve this?

for(int i=0;i<size;i++){
   for(int j=i+1;j<size;j++){
       System.out.println(list.item(i)+list.item(j));
   }
}

The above code certainly works for all unique combination of two elements. But not for 3 element pair and more..

like image 930
RaceBase Avatar asked Jan 29 '14 08:01

RaceBase


2 Answers

If you have N items, count from 1 to 2^N-1. Each number represents a combination, like so: if bit 0 (the least significant bit) is set, item1 is in the combination. If bit 1 is set, item2 is in the combination, and so on.

If you don't want 1-item combinations, start counting at 3, and ignore all the combinations that are a power of 2 (4, 8, 16, etc...).

like image 52
zmbq Avatar answered Oct 13 '22 10:10

zmbq


guava has that build in, if that's an option

 Set<Set<String>> result = Sets.powerSet(Sets.newHashSet("item1", "item2", "item3"));
    for(Set<String> token : result){
        System.out.println(token);
    }
like image 27
Eugene Avatar answered Oct 13 '22 09:10

Eugene