无法理解System.Indexoutofrangeexception错误
本文关键字:Indexoutofrangeexception 错误 System | 更新日期: 2023-09-27 17:58:09
嗨,我是c#的初学者,我不明白为什么会在下面显示的程序中引发异常
程序:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace ConsoleApplication2
{
class Program
{
static void Main(string[] args)
{
int n, i, x=0, y=0;
Console.WriteLine("Enter the degree of matrix:");
n = int.Parse(Console.ReadLine());
int[,] num = new int[n, n];
int p = n * n;
for (i = 1; i <= p; i++)
{
num[x, y] = i;
if (num[x, y] % n == 0) { y++; }
if (y % 2 == 0) { x++; }
if (y % 2 != 0) { x--; }
}
for (i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
Console.Write(num[i, j] + " ");
}
Console.WriteLine();
}
Console.ReadLine();
}
}
}
所需结果:
Enter order of matrix:
4
1 8 9 16
2 7 10 15
3 6 11 14
4 5 12 13
但是,在num[x,y]=i;处抛出了主题中所述的异常。我不明白为什么System.IndexOutOfRangeException会发生,因为循环显然结束于2d数组的末尾。
附言:这个程序只能运行一次。
也许我错了,但如果插入2作为矩阵的阶,变量p等于4。
循环的外部
for (i = 1; i <= p; i++)
循环4次,从1到4。但是当i==4时,X等于-1,并且不能访问具有负索引的矩阵。度=4时也会得到同样的行为,就像你的例子一样。
在更改y
值的同一循环迭代中,不能更改x
值,因为这样做不会填充第二列中的最后一个位置,然后向下迭代到x = -1
,这是一个无效索引。
for (i = 1; i <= p; i++)
{
num[x, y] = i;
if (i % n == 0) {
y++;
}
else {
if (y % 2 == 0) { x++; }
if (y % 2 != 0) { x--; }
}
}
for (i = 1; i <= n; i++) {
for (int j = 1; j <= n; j++) {
Console.Write(num[i, j] + " ");
}
Console.WriteLine();
}
你可以试试这个:你只是犯了一个基本错误,这里x是y增量时的减量,在y增量后使用continue语句跳过循环,我保证这100%有效。
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace StackOverflow
{
class Program
{
static void Main(string[] args)
{
int n, i, x = 0, y = 0;
Console.WriteLine("Enter the degree of matrix:");
n = int.Parse(Console.ReadLine());
int[,] num = new int[n, n];
int p = n * n;
for (i = 1; i <= p; i++)
{
try
{
num[x, y] = i;
if (num[x, y] % n == 0) { y++; continue; }
if (y % 2 == 0) { x++; }
if (y % 2 != 0) { x--; }
}
catch (Exception e)
{
Console.WriteLine(e);
}
}
for (i = 0; i < n; i++)
{
for (int j = 0; j < n; j++)
{
Console.Write(num[i, j] + " ");
}
Console.WriteLine();
}
Console.ReadLine();
}
}
}