比较C#中几种常见的复制字节数组方法的效率

在日常编程过程中,我们可能经常需要Copy各种数组,一般来说有以下几种常见的方法:Array.Copy,IList<T>.Copy,BinaryReader.ReadBytes,Buffer.BlockCopy,以及System.Buffer.memcpyimpl,由于最后一种需要使用指针,所以本文不引入该方法。

本次测试,使用以上前4种方法,各运行1000万次,观察结果。

  1. using System;
  2. using System.Collections.Generic;
  3. using System.Diagnostics;
  4. using System.IO;
  5. namespace BenchmarkCopyArray
  6. {
  7. class Program
  8. {
  9. private const int TestTimes = 10000000;
  10. static void Main()
  11. {
  12. var testArrayCopy = new TestArrayCopy();
  13. TestCopy(testArrayCopy.TestBinaryReader, "Binary.ReadBytes");
  14. TestCopy(testArrayCopy.TestConvertToList, "ConvertToList");
  15. TestCopy(testArrayCopy.TestArrayDotCopy, "Array.Copy");
  16. TestCopy(testArrayCopy.TestBlockCopy, "Buffer.BlockCopy");
  17. Console.Read();
  18. }
  19. private static void TestCopy(Action testMethod, string methodName)
  20. {
  21. var stopWatch = new Stopwatch();
  22. stopWatch.Start();
  23. for (int i = 0; i < TestTimes; i++)
  24. {
  25. testMethod();
  26. }
  27. testMethod();
  28. stopWatch.Stop();
  29. Console.WriteLine("{0}: {1} seconds, {2}.", methodName, stopWatch.Elapsed.Seconds, stopWatch.Elapsed.Milliseconds);
  30. }
  31. }
  32. class TestArrayCopy
  33. {
  34. private readonly byte[] _sourceBytes = new byte[] { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
  35. public void TestBinaryReader()
  36. {
  37. var binaryReader = new BinaryReader(new MemoryStream(_sourceBytes));
  38. binaryReader.ReadBytes(_sourceBytes.Length);
  39. }
  40. public void TestConvertToList()
  41. {
  42. IList<byte> bytesSourceList = new List<byte>(_sourceBytes);
  43. var bytesNew = new byte[_sourceBytes.Length];
  44. bytesSourceList.CopyTo(bytesNew, 0);
  45. }
  46. public void TestArrayDotCopy()
  47. {
  48. var bytesNew = new byte[_sourceBytes.Length];
  49. Array.Copy(_sourceBytes, 0, bytesNew, 0, _sourceBytes.Length);
  50. }
  51. public void TestBlockCopy()
  52. {
  53. var bytesNew = new byte[_sourceBytes.Length];
  54. Buffer.BlockCopy(_sourceBytes, 0, bytesNew, 0, _sourceBytes.Length);
  55. }
  56. }
  57. }

运行结果如下:

比较C#中几种常见的复制字节数组方法的效率

希望以上测试对您会有所帮助。

转自:http://blog.csdn.net/jiangzhanchang/article/details/9998229

上一篇:javascript常见的数组方法


下一篇:Linux内核分析 第二周