c# – 如何引导字节数组?

前端之家收集整理的这篇文章主要介绍了c# – 如何引导字节数组?前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我想要一个长度为10兆字节的字节数组,以便管理和非托管代码可以工作.

我的场景是,我有一个非托管驱动程序,从设备读取一些数据,并将其写入大阵列,托管应用程序只读取该数据.

这样的事情

byte[] dataArray = new byte[10*1024*1024];

我想引导dataArray,以便GC不会移动它.

当我刚刚运行应用程序,我得到一个DataAbortApplication,并且在互联网上阅读之后,实际发生了什么,我发现我应该引导dataArray来避免这个错误.

我该怎么办?

解决方法

有两种方法可以做到这一点.第一个是使用固定语句:
unsafe void UsingFixed()
{
    var dataArray = new byte[10*1024*1024];
    fixed (byte* array = dataArray)
    {
        // array is pinned until the end of the 'fixed' block
    }
}

然而,这听起来像是要让阵列固定更长的时间.您可以使用GCHandle完成此操作:

void UsingGCHandles()
{
    var dataArray = new byte[10*1024*1024];
    var handle = GCHandle.Alloc(dataArray,GCHandleType.Pinned);

    // retrieve a raw pointer to pass to the native code:
    IntPtr ptr = handle.ToIntPtr();

    // later,possibly in some other method:
    handle.Free();
}

猜你在找的C#相关文章