一切福田,不離方寸,從心而覓,感無不通。

C#的Byte[]和stream

1、Byte[]
=====

1. BitConverter

将基础数据类型与字节数组相互转换。注意string不是基础类型,而且该方法在不同平台间传递可能有误。

  1. int i = 13;
  2. byte[] bs = BitConverter.GetBytes(i);
  3. Console.WriteLine(BitConverter.ToInt32(bs, 0));

2. Encoding

注意慎用Encoding.Default,其值取自操作系统当前的设置,因此在不同语言版本的操作系统是不相同的。建议使用UTF8或者GetEncoding(”gb2312″)。

  1. string s = "abc";
  2. byte[] bs = Encoding.UTF8.GetBytes(s);
  3. Console.WriteLine(Encoding.UTF8.GetString(bs));

3. BinaryFormatter

以二进制格式将对象或整个连接对象图形序列化和反序列化。

  1. using System.Runtime.Serialization;
  2. using System.Runtime.Serialization.Formatters.Binary;
  3. [Serializable]
  4. class Data
  5. {
  6. private int x = 13;
  7. public void Test()
  8. {
  9.    Console.WriteLine(x);
  10. }
  11. }
  12. static void Main(string[] args)
  13. {
  14. Data data = new Data();
  15. MemoryStream stream = new MemoryStream();
  16. BinaryFormatter formatter = new BinaryFormatter();
  17. formatter.Serialize(stream, data);
  18. byte[] bs = stream.ToArray();
  19. MemoryStream stream2 = new MemoryStream(bs);
  20. Data data2 = (Data)formatter.Deserialize(stream2);
  21. data2.Test();
  22. }

2、Stream
=====

Stream 包含 FileStream、MemoryStream、BufferedStream、NetworkStream、CryptoStream。
常用的方法和属性包括:Close / Flush / Seek / Read / Write / CanSeek等,可参考SDK。
Stream 并不能直接操作基元和对象类型,需要将其转换成Byte[]才能进行读写操作。以下记录几种转换方式。

  1. byte[] bs = Encoding.UTF8.GetBytes("abc");
  2. // 1. Byte[] to Stream
  3. MemoryStream stream = new MemoryStream(bs);
  4. // 2. Byte[] to Stream
  5. MemoryStream stream2 = new MemoryStream();
  6. stream2.Write(bs, 0, bs.Length);
  7. // 3. Byte[] to Stream
  8. FileStream stream3 = new FileStream("a.dat", FileMode.Create, FileAccess.ReadWrite);
  9. stream3.Write(bs, 0, bs.Length);
  10. stream3.Close();
  11. // 4. Stream to Byte[]
  12. byte[] bs2 = stream.ToArray();
  13. // 5. Stream to Byte[] (Buffer Length = 256)
  14. byte[] bs3 = stream2.GetBuffer();
  15. // 6. Stream to Byte[]
  16. FileStream stream4 = new FileStream("a.dat", FileMode.Open, FileAccess.Read);
  17. stream4.Seek(0, SeekOrigin.Begin);
  18. byte[] bs4 = new byte[3];
  19. stream4.Read(bs4, 0, bs4.Length);

转自:http://hi.baidu.com/benbenzlj/item/3b429f72fe2560285d17896e