我在返回menuFont行上不断收到编译错误,该行说没有变量menuFont。有人可以告诉我如何解决此问题。
import java.awt.Font;
import java.awt.FontFormatException;
import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.IOException;
public class loadFiles {
Font getFont(){
try {
Font menuFont = Font.createFont( Font.TRUETYPE_FONT, new FileInputStream("font.ttf"));
} catch (FileNotFoundException e) {
System.out.println("Cant find file.");
e.printStackTrace();
} catch (FontFormatException e) {
System.out.println("Wrong file type.");
e.printStackTrace();
} catch (IOException e) {
System.out.println("Unknown error.");
e.printStackTrace();
}
return menuFont;
}
}
最佳答案
您的代码的基本问题是,Font对象仅在try块的持续时间内处于作用域内,因此在方法末尾的return语句中不再可用。两种选择:
将变量声明移到try块之外:
Font menuFont = null;
try {
menuFont = Font.createFont(...);
}
catch (...) {
}
return menuFont;
或者,在try内执行
return Font.creatFont(...)
,从而避免首先使用变量(并且显然在方法末尾添加return null
)。