在不安全的C#中使用指向数组的指针

时间:2013-12-11 10:06:49

标签: c# unsafe

在C中,我可以像这样定义一个指向数组的指针:

char b1[SOME_SIZE];
char (*b3)[3]=(char(*)[3])b1;

以便b3[i][j] == b1[i*3+j]

我可以在b3 C#中声明这样的指针unsafe吗?

我的意图是访问位图通道:

///...
unsafe {
    //...
    byte *target; //8bpp
    byte (*source)[3]; //24bpp
    //...
    target[x]=(source[x][0]+source[x][1]+source[x][2])/3;
    //...

我希望这样,使用source[x][ch]代替source[x*3+ch]来进行编译器优化。

1 个答案:

答案 0 :(得分:6)

[StructLayout(LayoutKind.Sequential, Pack = 1)]
struct FastPixel
{
    public readonly byte R;
    public readonly byte G;
    public readonly byte B;
}


private static void Main()
{
    unsafe
    {
        // 8-bit.
        byte[] b1 =
        {
            0x1, 0x2, 0x3,
            0x6, 0x7, 0x8,
            0x12, 0x13, 0x14
        };


        fixed (byte* buffer = b1)
        {
            var fastPixel = (FastPixel*) buffer;
            var pixelSize = Marshal.SizeOf(typeof (FastPixel));

            var bufferLength = b1.Length / pixelSize;
            for (var i = 0; i < bufferLength; i++)
            {
                Console.WriteLine("AVERAGE {0}", (fastPixel[i].R + fastPixel[i].G + fastPixel[i].B)/pixelSize);
            }
        }
    }
}

}

这应该与你拥有的几乎相同。请注意,我不希望任何性能提升。这不是微优化,而是纳米优化。

如果处理大量图像,请查看并行编程&amp; SSE和缓存线如何工作(他们实际上已经节省了3-4秒 - 疯了吧?!)