1. Buffer.ByteLength:計算基元類型數組累計有多少字節組成。
該方法結果等於"基元類型字節長度 * 數組長度"數組
var bytes = new byte[] { 1, 2, 3 }; var shorts = new short[] { 1, 2, 3 }; var ints = new int[] { 1, 2, 3 }; Console.WriteLine(Buffer.ByteLength(bytes)); // 1 byte * 3 elements = 3 Console.WriteLine(Buffer.ByteLength(shorts)); // 2 byte * 3 elements = 6 Console.WriteLine(Buffer.ByteLength(ints)); // 4 byte * 3 elements = 12
2. Buffer.GetByte:獲取數組內存中字節指定索引處的值。
public static byte GetByte(Array array, int index)spa
var ints = new int[] { 0x04030201, 0x0d0c0b0a }; var b = Buffer.GetByte(ints, 2); // 0x03
解析:
code
(1) 首先將數組按元素索引序號大小做爲高低位組合成一個 "大整數"。
組合結果 : 0d0c0b0a 04030201
(2) index 表示從低位開始的字節序號。右邊以 0 開始,index 2 天然是 0x03。
blog
3. Buffer.SetByte: 設置數組內存字節指定索引處的值。
public static void SetByte(Array array, int index, byte value)索引
var ints = new int[] { 0x04030201, 0x0d0c0b0a }; Buffer.SetByte(ints, 2, 0xff);
操做前 : 0d0c0b0a 04030201
操做後 : 0d0c0b0a 04ff0201內存
結果 : new int[] { 0x04ff0201, 0x0d0c0b0a };
element
4. Buffer.BlockCopy:將指定數目的字節從起始於特定偏移量的源數組複製到起始於特定偏移量的目標數組。
public static void BlockCopy(Array src, int srcOffset, Array dst, int dstOffset, int count)it
- src:源緩衝區。
- srcOffset:src 的字節偏移量。
- dst:目標緩衝區。
- dstOffset:dst 的字節偏移量。
- count:要複製的字節數。
例一:arr的數組中字節0-16的值複製到字節12-28:(int佔4個字節byte )class
int[] arr = { 2, 4, 6, 8, 10, 12, 14, 16, 18, 20 }; Buffer.BlockCopy(arr, 0 * 4, arr, 3 * 4, 4 * 4); foreach (var e in arr) { Console.WriteLine(e);//2,4,6,2,4,6,8,16,18,20
}
var bytes = new byte[] { 0x0a, 0x0b, 0x0c, 0x0d}; var ints = new int[] { 0x00000001, 0x00000002 }; Buffer.BlockCopy(bytes, 1, ints, 2, 2);
bytes 組合結果 : 0d 0c 0b 0a
ints 組合結果 : 00000002 00000001
(1) 從 src 位置 1 開始提取 2 個字節,從由往左,那麼應該是 "0c 0b"。
(2) 寫入 dst 位置 2,那麼結果應該是 "00000002 0c0b0001"。
(3) ints = { 0x0c0b0001, 0x00000002 },符合程序運行結果。foreach