存储位掩码的int值 - 提取1个值的位

时间:2010-05-28 21:41:23

标签: java bitmask

我正在计算给定位集的int等价物并将其存储在内存中。从那里,我想确定原始位掩码中的所有1个值位。例如:

33 - > [1,6]
97 - > [1,6,7]

在Java中实现的想法?

5 个答案:

答案 0 :(得分:7)

BitSet

使用java.util.BitSet存储一组位。

根据int中的哪些位设置,您可以根据BitSet转换为int

static BitSet fromInt(int num) {
    BitSet bs = new BitSet();
    for (int k = 0; k < Integer.SIZE; k++) {
        if (((num >> k) & 1) == 1) {
            bs.set(k);
        }
    }
    return bs;
}

现在您可以执行以下操作:

System.out.println(fromInt(33)); // prints "{0, 5}"
System.out.println(fromInt(97)); // prints "{0, 5, 6}"

只是为了完整性,这是相反的转变:

static int toInt(BitSet bs) {
    int num = 0;
    for (int k = -1; (k = bs.nextSetBit(k + 1)) != -1; ) {
        num |= (1 << k);
    }
    return num;
}

因此,我们总是回到原来的数字:

System.out.println(toInt(fromInt(33))); // prints "33"
System.out.println(toInt(fromInt(97))); // prints "97"

基于0的索引

请注意,这使用了基于0的索引,这是更常用的位索引(以及Java中的大多数其他索引)。这也更正确。在下文中,^表示取幂:

33 = 2^0 + 2^5 = 1 + 32          97 = 2^0 + 2^5 + 2^6 = 1 + 32 + 64
33 -> {0, 5}                     97 -> {0, 5, 6}

但是,如果您坚持使用基于1的索引,则可以在上面的代码段中使用bs.set(k+1);(1 << (k-1))。不过,我会强烈反对这项建议。

相关问题

答案 1 :(得分:2)

对于bit fiddling,java.lang.Integer有一些非常有用的静态方法。尝试使用此代码作为问题的起始基础:

public int[] extractBitNumbers(int value) {
    // determine how many ones are in value
    int bitCount = Integer.bitCount(value);
    // allocate storage
    int[] oneBits = new int[bitCount];
    int putIndex = 0;
    // loop until no more bits are set
    while (value != 0) {
        // find the number of the lowest set bit
        int bitNo = Integer.numberOfTrailingZeros(value);
        // store the bit number in array
        oneBits[putIndex++] = bitNo+1; 
        // clear the bit we just processed from the value
        value &= ~(1 << bitNo);      
    }
    return oneBits;
}

答案 2 :(得分:1)

我可以向你展示C#实现,Java应该非常相似。

int value = 33;
int index = 1;

while (value > 0)
{
   if ((value % 2) == 1)
      Console.WriteLine(index);

   index++;
   value /= 2;
}

答案 3 :(得分:1)

如果你想得到一个这样的数组,你可能需要循环你要检查的位数&每一步的位移1的整数。

像(伪)的东西:

Init array
mask = 1
for (0 to BitCount):
  if Integer & mask
    array[] = pos
  mask << 1

答案 4 :(得分:1)

一点点的变化就像是:

int[] getBits(int value) {
  int bitValue = 1;
  int index = 1;
  int[] bits = new int[33];

  while (value >= bitValue)
  {
    bits[index++] = (value & bitValue);
    bitValue << 1; // or: bitValue *= 2;
  }
  return bits;
}

请注意,由于这些位是根据您的请求从1开始索引的,因此bits[0]未被使用。