2

我正在为学校的实验室工作,因此将不胜感激,但我不希望为我解决这个问题。我在 NetBeans 中工作,我的主要目标是通过从文本文件中扫描整数来创建一个“二维”数组。到目前为止,我的程序运行没有错误,但我缺少数组的第一列。我的输入看起来像:

6
3
0 0 45
1 1 9
2 2 569
3 2 17
2 3 -17
5 3 9999
-1

其中 6 是行数,3 是列数,-1 是标记。我的输出看起来像:

0 45 
1 9 
2 569 
2 17 
3 -17 
3 9999 
End of file detected.
BUILD SUCCESSFUL (total time: 0 seconds)

如您所见,除了缺少的第一列之外,所有内容都正确打印。

这是我的程序:

import java.io.*;
import java.util.Scanner;

public class Lab3
{
    public static void main(String[] arg) throws IOException
    {
        File inputFile = new File("C:\\Users\\weebaby\\Documents\\NetBeansProjects\\Lab3\\src\\input.txt");
        Scanner scan = new Scanner (inputFile);
        final int SENT = -1;
        int R=0, C=0;
        int [][] rcArray;  

        //Reads in two values R and C, providing dimensions for the rows and columns.
        R = scan.nextInt();
        C = scan.nextInt();        

        //Creates two-dimensional array of size R and C.
        rcArray = new int [R][C];   

        while (scan.nextInt() != SENT)   
                {            
                    String line = scan.nextLine();
                    String[] numbers = line.split(" ");
                    int newArray[] = new int[numbers.length];

                    for (int i = 1; i < numbers.length; i++)
                    {
                        newArray[i] = Integer.parseInt(numbers[i]);
                        System.out.print(newArray[i]+" ");                        
                    }
                    System.out.println();
                }

                System.out.println("End of file detected.");    
    }

}

显然,这里有一个逻辑错误。有人可以解释为什么第一列是不可见的吗?有没有办法我只能使用我的 rcArray 或者我必须同时保留我的 rcArray 和 newArray?另外,我怎样才能让我的文件路径只读取“input.txt”,这样我的文件路径就不会那么长了?文件“input.txt”位于我的 Lab3 src 文件夹(与我的程序相同的文件夹)中,所以我想我可以使用 File inputFile = new File("input.txt"); 找到文件,但我不能。

//编辑

好的,我已经更改了这部分代码:

for (int i = 0; i < numbers[0].length(); i++)
{
  newArray[i] = Integer.parseInt(numbers[i]);                        
  if (newArray[i]==SENT)
     break; 
  System.out.print(newArray[i]+" ");                        
}
System.out.println();

运行程序(从 0 而不是 1 开始)现在给出输出:

0 
1 
2 
3 
2 
5 

这恰好是第一列。:) 我要去某个地方!

//编辑2

万一有人在乎,我想通了。:) 感谢您的所有帮助和反馈。

4

2 回答 2

2

既然你不想为你解决这个问题,我会给你一个提示:

Java中的数组是基于 0 的,而不是基于 1 的。

于 2013-03-08T01:22:44.067 回答
1

除了 Jeffrey 关于数组基于 0 的性质的观点外,请看以下内容:

while (scan.nextInt() != SENT)   
{            
    String line = scan.nextLine();
    ...

您正在使用一个整数(使用nextInt()),但您对该值所做的只是检查它是否不是SENT. 你可能想要这样的东西:

int firstNumber;
while ((firstNumber = scan.nextInt()) != SENT)
{
    String line = scan.nextLine();
    ...
    // Use line *and* firstNumber here

或者(更干净的IMO):

while (scan.hasNextLine())
{
    String line = scan.nextLine();
    // Now split the line... and use a break statement if the parsed first
    // value is SENT.
于 2013-03-08T01:24:33.353 回答