本文介紹了如何在Try/Catch塊之前初始化InputStream的處理方法,對大家解決問題具有一定的參考價值,需要的朋友們下面隨著小編來一起學習吧!
問題描述
我需要獲取文件名字符串,然后嘗試打開該文件。如果找不到該文件,我將進行循環,直到輸入正確的字符串。
public static void main(String[] args){
// Get file string until valid input is entered.
System.out.println("Enter file name.
Enter ';' to exit.");
String fileName = sc.nextLine();
boolean fileLoop = true;
InputStream inFile;
while (fileLoop){
try{
inFile = new FileInputStream(fileName);
fileLoop = false;
} catch (FileNotFoundException e) {
System.out.println("That file was not found.
Please re enter file name.
Enter ';' to exit.");
fileName = sc.nextLine();
if (fileName.equals(";")){
return;
}
}
}
// ****** This is where the error is. It says inFile may not have been initalized. ***
exampleMethod(inFile);
}
public static void exampleMethod(InputStream inFile){
// Do stuff with the file.
}
當我嘗試調用exampleMethod(InFile)時,NetBeans告訴我InputStream inFile可能尚未初始化。我認為這是因為賦值位于try Catch塊內。正如大家所看到的,我嘗試在循環外部聲明對象,但沒有成功。
我還嘗試使用以下內容在循環外部初始化輸入流:
InputStream inFile = new FileInptStream();
// This yeilds an eror because there are no arguments.
還有這個:
InputStream inFile = new InputStream();
// This doesn't work because InputStream is abstract.
如何確保在初始化此InputStream的同時仍允許循環,直到輸入有效輸入?
謝謝
推薦答案
要修復此問題,請更改以下代碼行:
InputStream inFile;
至此:
InputStream inFile = null;
您必須這樣做的原因是Java阻止您使用未初始化的局部變量。使用未初始化的變量通常是一個疏忽,因此Java不允許在此場景中使用它。正如@immibis指出的那樣,這個變量將始終被初始化,但編譯器在這種情況下不夠聰明,無法計算出它。
這篇關于如何在Try/Catch塊之前初始化InputStream的文章就介紹到這了,希望我們推薦的答案對大家有所幫助,