我正在尝试阅读以下文本文件:(跳过前8行)并从每列的箭头读取
我这样做是将每个列值放在一个由位置和长度决定的数组中
要测试数组值是否实际捕获了列值,我想在单击另一个按钮时看到值[0]。但是当我运行我的应用程序时,我得到的错误是我的索引超出了数组的范围?如何,当我的数组大小为3时,我不会超越它。
string[] val = new string[3 ]; // One of the 3 arrays - this stores column values
public Form1()
{
InitializeComponent();
}
private void button1_Click(object sender, EventArgs e)
{
OpenFileDialog ofd = new OpenFileDialog();
if (ofd.ShowDialog() == System.Windows.Forms.DialogResult.OK)
{
string[] lines = File.ReadAllLines(ofd.FileName).Skip(8).ToArray();
textBox1.Lines = lines;
int[] pos = new int[3] { 3, 6,18}; //setlen&pos to read specific clmn vals
int[] len = new int[3] {2, 10,28}; // only doing 3 columns right now
foreach (string line in textBox1.Lines)
{
for (int j = 0; j <= 3; j++)
{
val[j] = line.Substring(pos[j], len[j]); // THIS IS WHERE PROBLEM OCCURS
}
}
}
}
private void button2_Click(object sender, EventArgs e)
{ // Now this is where I am testing to see what actual value is stored in my //value array by simply making it show up when I click the button.
MessageBox.Show(val[0]);
}
}
}
答案 0 :(得分:2)
数组被0
索引,这意味着具有3个元素的数组将具有索引0
,1
和2
的元素。
3
超出范围,因此当您尝试访问pos[3]
或len[3]
时,您的程序将抛出异常。
使用j < 3
代替j<=3
for (int j = 0; j < 3; j++)
{
val[j] = line.Substring(pos[j], len[j]); // THIS IS WHERE PROBLEM OCCURS
}
答案 1 :(得分:2)
问题是你在j == 3
语句中一直到for
。这将是第四个元素,因为数组从零开始,因此将for
语句更改为:
for (int j = 0; j < 3; j++)
你会很高兴。
答案 2 :(得分:2)
数组pos
中有三个值。
考虑你的for循环。
它执行循环体4次。有3个项目。
对于修复,要遵循标准约定,只需在for
循环的条件检查中使用小于,而不是小于或等于。