Using Bitmasking Algorithm to Compute the Combinations of an Arr

  • 时间:2020-09-07 12:13:31
  • 分类:网络文摘
  • 阅读:124 次

Given two integers n and k, return all possible combinations of k numbers out of 1 … n.

Example:

Input: n = 4, k = 2
Output:
[
  [2,4],
  [3,4],
  [2,3],
  [1,2],
  [1,3],
  [1,4],
]

Combination Algorithm using Bitmasking

The combination can also be done in Recursive backtracking. However, it can also be implemented using the Bitmasking algorithm.

The idea is to bruteforce all possible configurations (of bitmasks) in O(2^N) where N is the length of the given input set. Then once the configuration has k bit sets, we output the corresponding configuration.

The following is the Python combination implementation using bitmasking.

1
2
3
4
5
6
7
8
9
10
11
class Solution:
    def combine(self, n: int, k: int) -> List[List[int]]:
        ans = []
        for b in (range(1 << n)):
            if bin(b).count('1') == k:
                cur = []
                for i in range(n):
                    if (b & (1 << i)) > 0:
                        cur.append(i + 1)
                ans.append(cur)
        return ans
class Solution:
    def combine(self, n: int, k: int) -> List[List[int]]:
        ans = []
        for b in (range(1 << n)):
            if bin(b).count('1') == k:
                cur = []
                for i in range(n):
                    if (b & (1 << i)) > 0:
                        cur.append(i + 1)
                ans.append(cur)
        return ans

and with slight changes – reversing the bit searching – still works

1
2
3
4
5
6
7
8
9
10
11
class Solution:
    def combine(self, n: int, k: int) -> List[List[int]]:
        ans = []
        for b in reversed(range(1 << n)):
            if bin(b).count('1') == k:
                cur = []
                for i in range(n):
                    if (b & (1 << (n - i - 1))) > 0:
                        cur.append(i + 1)
                ans.append(cur)
        return ans
class Solution:
    def combine(self, n: int, k: int) -> List[List[int]]:
        ans = []
        for b in reversed(range(1 << n)):
            if bin(b).count('1') == k:
                cur = []
                for i in range(n):
                    if (b & (1 << (n - i - 1))) > 0:
                        cur.append(i + 1)
                ans.append(cur)
        return ans

The recursive algorithm in C++: Recursive Combination Algorithm Implementation in C++.

Also, another interesting read: combination

–EOF (The Ultimate Computing & Technology Blog) —

推荐阅读:
三款肉制食品诱惑红超标北京已下架  保健食品虚假广告花样百出太坑人  冰淇淋为何要加如此多的食品添加剂  肉禽类的这些部位千万不要去吃  百事可乐配方含致癌色素仍坚称安全  调查称槟榔是一级致癌物可引发口腔癌  嚼食槟榔对身体健康的危害非常大  槟榔被认定为一级致癌物可引发口腔癌  食品安全监管工作的有效性令人疑惑  厂家称没法根本解决五芳斋粽子发霉 
评论列表
添加评论