web-dev-qa-db-ja.com

ビットが設定されているかどうかを確認する

バイト内の特定のビットが設定されているかどうかを確認する方法は?

bool IsBitSet(Byte b,byte nPos)
{
   return .....;
}
52
Manjoor

宿題のように聞こえますが、:

bool IsBitSet(byte b, int pos)
{
   return (b & (1 << pos)) != 0;
}

pos 0は最下位ビット、pos 7は最大です。

136
Mario F

Mario Fernandez's answer に基づいて、データ型に限定されない便利な拡張方法としてツールボックスに含めるのはなぜだと思ったので、ここで共有してもいいと思います:

/// <summary>
/// Returns whether the bit at the specified position is set.
/// </summary>
/// <typeparam name="T">Any integer type.</typeparam>
/// <param name="t">The value to check.</param>
/// <param name="pos">
/// The position of the bit to check, 0 refers to the least significant bit.
/// </param>
/// <returns>true if the specified bit is on, otherwise false.</returns>
public static bool IsBitSet<T>(this T t, int pos) where T : struct, IConvertible
{
 var value = t.ToInt64(CultureInfo.CurrentCulture);
 return (value & (1 << pos)) != 0;
}
11
Shimmy

これが言葉での解決策です。

初期値1の整数をn回左シフトし、元のバイトとANDを実行します。結果がゼロ以外の場合、ビットは設定されます。 :)

5
Aamir

これも機能します(.NET 4でテスト済み):

void Main()
{
    //0x05 = 101b
    Console.WriteLine(IsBitSet(0x05, 0)); //True
    Console.WriteLine(IsBitSet(0x05, 1)); //False
    Console.WriteLine(IsBitSet(0x05, 2)); //True
}

bool IsBitSet(byte b, byte nPos){
    return new BitArray(new[]{b})[nPos];
}
5
Brian Chavez

入力を右にnビットシフトして1でマスクし、0か1かをテストします。

4
Mark Byers

マリオFコードと同等ですが、マスクの代わりにバイトをシフトします。

bool IsBitSet(byte b, int pos)
{
   return ((b >> pos) & 1) != 0;
}
1
kaalus

何かのようなもの

return ((0x1 << nPos) & b) != 0
0
RedPaladin

16ビットWordのビットを確認するには:

  Int16 WordVal = 16;
  for (int i = 0; i < 15; i++)
  {
     bitVal = (short) ((WordVal >> i) & 0x1);
     sL = String.Format("Bit #{0:d} = {1:d}", i, bitVal);
     Console.WriteLine(sL);
  }
0
Jim Lahman
x == (x | Math.Pow(2, y));

int x = 5;

x == (x | Math.Pow(2, 0) //Bit 0 is ON;
x == (x | Math.Pow(2, 1) //Bit 1 is OFF;
x == (x | Math.Pow(2, 2) //Bit 2 is ON;
0
Rafael Telles