4

ケース:
再びNICを介してパケットをキャプチャしようとして、
可変ビット数のキャプチャに使用する2つの拡張機能を開発しました

    public static string ReadBits ( this BinaryReader Key , int Value )
    {
        BitArray _BitArray = new BitArray ( Value );

        for ( int Loop = 0 ; Loop > Value ; Loop++ )
        {
/* Problem HERE ---> */   _BitArray [ Loop ] = Key . ReadBoolean ( );
        }

        return BitConverter . ToString ( _BitArray . ToByteArray ( ) );
    }

    public static byte [ ] ToByteArray ( this BitArray Key )
    {
        byte [ ] Value = new byte [ ( int ) Math . Ceiling ( ( double ) Key . Length / 8 ) ];
        Key . CopyTo ( Value , 0 );
        return Value;
    }

問題 :

_BitArray [ Loop ] = Key . ReadBoolean ( );  

シングルビットを読み込もうとしているのですが、MSDNのドキュメントを参照する
と、ストリームの位置が1ビットではなく1バイト進みます。

現在のストリームからブール値を読み取り、ストリームの現在の位置を1バイト進めます。

質問:
本当に「のみ」1ビットをキャプチャしてストリーム位置を1ビット進めることはできますか?
解決策やアイデアを教えてください:)

よろしく、

4

3 に答える 3

7

いいえ、ストリームのポジショニングはステップに基づいていbyteます。ビットポジショニングを使用して、独自のストリーム実装を作成できます。

class BitReader
{
    int _bit;
    byte _currentByte;
    Stream _stream;
    public BitReader(Stream stream)
    { _stream = stream; }

    public bool? ReadBit(bool bigEndian = false)
    {
      if (_bit == 8 ) 
      {

        var r = _stream.ReadByte();
        if (r== -1) return null;
        _bit = 0; 
        _currentByte  = (byte)r;
      }
      bool value;
      if (!bigEndian)
         value = (_currentByte & (1 << _bit)) > 0;
      else
         value = (_currentByte & (1 << (7-_bit))) > 0;

      _bit++;
      return value;
    }
}
于 2012-02-26T18:23:35.270 に答える
3

Streamいいえ、インスタンスを1ビット進めることはできません。Streamタイプがサポートする最小の粒度は1byteです。

Stream1バイトの移動を操作してキャッシュすることにより、1ビットの粒度を提供 するラッパーを作成できます。

class BitStream { 
  private Stream _stream;
  private byte _current;
  private int _index = 8;


  public byte ReadBit() {
    if (_index >= 8) {
      _current = _stream.ReadByte();
      _index = 0;
    }
    return (_current >> _index++) & 0x1;
  }
}

注:これにより、バイトが右側からビットに読み込まれます。左から読みたい場合は、return行を少し変更する必要があります

于 2012-02-26T18:27:04.193 に答える
1

1バイトを読み取り、ビットマスクを使用して8要素のブール配列に変換します。

于 2012-02-26T18:24:06.693 に答える