0

我正在尝试编写一种将信息打印到数组中的方法。方向是: 为 WordPath 创建第二个方法:makeWordArray,它以字符串文件名作为输入,它返回一个数组或一个存储 WordData 对象的 ArrayList。

首先,该方法应使用 new FileReader(file) 打开文件,调用 numLines 方法获取文件中的行数,然后创建该大小的数组或 ArrayList。

接下来,关闭 FileReader 并重新打开文件。这次使用 BufferedReader br = new BufferedReader(new FileReader(file))。创建一个循环来运行调用 br.readLine() 的文件。对于从 br.readLine() 读取的每一行,调用该字符串上的 parseWordData 以获取 WordData 并将 WordData 对象存储到数组或 ArrayList 的适当索引中。

我的代码是:

public class WordPath {

public static int numLines(Reader reader) {
BufferedReader br = new BufferedReader(reader);
int lines = 0;
try {
  while(br.readLine() != null) {
    lines = lines + 1;
  }

  br.close();
}
catch (IOException ex) {
  System.out.println("You have reached an IOException");
}
return lines;

}

 public WordData[] makeWordArray(String file) {
 try {
  FileReader fr = new FileReader(file);
  int nl = numLines(fr);
  WordData[] newArray = new WordData[nl];
  fr.close();
  BufferedReader br = new BufferedReader(new FileReader(file));
  while(br.readLine() != null) {
    int arrayNum = 0;
    newArray[arrayNum] = WordData.parseWordData(br.readLine());
    arrayNum = arrayNum + 1;
  }
}
catch (IOException ex) {
  System.out.println("You have reached an IOException");
}
catch (FileNotFoundException ex2) {
  System.out.println("You have reached a FileNotFoundexception");
}
return newArray;
}  
}

我正在运行一个找不到变量 newArray 的问题,我相信因为它在 try 语句中。有什么办法可以重新格式化它来工作吗?

4

1 回答 1

1

像这样:

public WordData[] makeWordArray(String file) {
    WordData[] newArray = null;
    try {
        FileReader fr = new FileReader(file);
        int nl = numLines(fr);
        newArray = new WordData[nl];
        fr.close();
        BufferedReader br = new BufferedReader(new FileReader(file));
        while(br.readLine() != null) {
            int arrayNum = 0;
            newArray[arrayNum] = WordData.parseWordData(br.readLine());
            arrayNum = arrayNum + 1;
        }
    }
    catch (IOException ex) {
        System.out.println("You have reached an IOException");
    }
    catch (FileNotFoundException ex2) {
        System.out.println("You have reached a FileNotFoundexception");
    }
    return newArray;
} 

您需要将变量的声明拉到外面,但将对该变量的赋值留在 try 的内部。

于 2013-04-28T21:49:58.683 回答