0

我正在使用string messaga = _serialPort.ReadLine(); 当我Console.WriteLine(messaga);随机字符出现在屏幕上时从串行端口读取,这是合乎逻辑的,因为二进制数据不是 ASCII。我想我使用的方法将数据处理为 ascii。我想做的是创建一个字符串 var 并将来自端口的二进制原始数据分配给它,所以当我 console.write 这个 var 时,我想看到一个带有二进制数据的字符串,如 1101101110001011010 而不是字符。我该如何管理?

4

2 回答 2

5

偷自How do you convert a string to ascii to binary in C#?

foreach (string letter in str.Select(c => Convert.ToString(c, 2)))
{
  Console.WriteLine(letter);
}
于 2011-06-08T21:58:25.293 回答
0

你的意思是这样吗?

class Utility
{
  static readonly string[] BitPatterns ;
  static Utility()
  {
    BitPatterns = new string[256] ;
    for ( int i = 0 ; i < 256 ; ++i )
    {
      char[] chars = new char[8] ;
      for ( byte j = 0 , mask = 0x80 ; mask != 0x00 ; ++j , mask >>= 1 )
      {
        chars[j] = ( 0 == (i&mask) ? '0' : '1' ) ;
      }
      BitPatterns[i] = new string( chars ) ;
    }
    return ;
  }

  const int BITS_PER_BYTE = 8 ;
  public static string ToBinaryRepresentation( byte[] bytes )
  {
    StringBuilder sb = new StringBuilder( bytes.Length * BITS_PER_BYTE ) ;

    foreach ( byte b in bytes )
    {
      sb.Append( BitPatterns[b] ) ;
    }

    string instance = sb.ToString() ;
    return instance ;
  }

}
class Program
{
  static void Main()
  {
    byte[] foo = { 0x00 , 0x01 , 0x02 , 0x03 , } ;
    string s   = Utility.ToBinaryRepresentation( foo ) ;
    return ;
  }
}

刚刚对此进行了基准测试。上面的代码比使用快大约 12Convert.ToString()倍,如果将校正添加到带有前导 '0' 的填充中,则大约快 17 倍。

于 2011-06-08T22:30:41.187 回答