我正在尝试将值分配给2D整数数组的第0个位置。但是,我得到一个NullReferenceException异常,虽然我传递了正确的值。
public static int[,] Ctable;
private static void GetTable(int m,int n)
{
m = 16;
for (int i = 1; i <= m; i++)
{
Ctable[i, 0] = 1; // Here it is giving Exception
}
}
答案 0 :(得分:4)
您没有正确初始化2D数组Ctable
,它仍然为空。请参阅下面的示例。我使用方法m
的输入参数n
和void GetTable(int m, int n)
的大小初始化数组。
您的循环也不正确。数组为零索引(0,n - 1)。您将找到一些初始化数组here的其他信息。
public static int[,] Ctable;
private static void GetTable(int m, int n)
{
Ctable = new int[m, n]; // Initialize array here.
for (int i = 0; i < m; i++) // Iterate i < m not i <= m.
{
Ctable[i, 0] = 1;
}
}
但是,您将始终覆盖Ctable
。可能你正在寻找类似的东西:
private const int M = 16; // Size of the array element at 0.
private const int N = 3; // Size of the array element at 1.
public static int[,] Ctable = new int [M, N]; // Initialize array with the size of 16 x 3.
private static void GetTable()
{
for (int i = 0; i < M; i++)
{
Ctable[i, 0] = 1;
}
}