我有一个二维数组,我想把这个二维数组的第1维赋值给一个指针,就像下面这样,但是不行。
fixed (byte* fixedInput = array2D[0])
我怎样才能像我想做的那样,只将第一维赋值给一个指针呢?fixedInput
?
fixedInput
将是一个1维指针数组,其中包含了1维的所有信息。array2D
谢谢你!我有一个二维数组,我想把这个二维数组的第1维赋值给一个指针,就像下面这样,但是行不通。
unsafe static void testFunction()
{
byte[,] array2D = new byte[10, 100];
fixed (byte* fixedInput = array2D[0])
{
}
}
你不能这样做。它是一个指向内存的指针。一个2D数组的数据是以最后一维的方式排列的,在一个序列中,在彼此后面的位置。
当你得到一个指针时,你是按照内存的方式来填充的。
如果你想沿着另一个维度读取数据,你需要用步长步长,跳过每一行。
public unsafe static void testFunction()
{
uint[,] array2D = new uint[10, 100];
for(int x=0;x<100;x++)
{
for(int y=0;y<10;y++)
array2D[y,x] = (uint)(1000u*y+x);
}
// read some data along first dimension.
fixed (uint* fixedInput = &array2D[1,90])
{
for(int j=0;j<5;j++)
System.Console.WriteLine(string.Format("{0}",fixedInput[j*100]));
}
样本数组的数据在内存中是这样排列的。
0 1 2 3 4 [...] 99 1000 1001 1002 [...]