用“带资源尝试”包围扫描器



我创建了一个算法来读取文件并检查用户输入的多个问题。我正在使用Netbeans,它建议尝试使用资源。我不确定的是文件的关闭。当我第一次创建我的算法时,我把file.close()放在了错误的位置,因为它之前有一个"return"语句,所以无法到达它:

while (inputFile.hasNext()) {
        String word = inputFile.nextLine();
        for (int i = 0; i < sentance.length; i++) {
            for (int j = 0; j < punc.length; j++) {
                if (sentance[i].equalsIgnoreCase(word + punc[j])) {
                    return "I am a newborn. Not even a year old yet.";
                }
            }
        }
    }
    inputFile.close(); // Problem

所以我用这个来修复它:

        File file = new File("src/res/AgeQs.dat");
    Scanner inputFile = new Scanner(file);
    while (inputFile.hasNext()) {
        String word = inputFile.nextLine();
        for (int i = 0; i < sentance.length; i++) {
            for (int j = 0; j < punc.length; j++) {
                if (sentance[i].equalsIgnoreCase(word + punc[j])) {
                    inputFile.close(); // Problem fixed
                    return "I am a newborn. Not even a year old yet.";
                }
            }
        }  
    }

问题是,当我设置错误的方式时,Netbeans建议这样做:

        File file = new File("src/res/AgeQs.dat");
    try (Scanner inputFile = new Scanner(file)) {
        while (inputFile.hasNext()) {
            String word = inputFile.nextLine();
            for (int i = 0; i < sentance.length; i++) {
                for (int j = 0; j < punc.length; j++) {
                    if (sentance[i].equalsIgnoreCase(word + punc[j])) {
                        return "I am a newborn. Not even a year old yet.";
                    }
                }
            }  
        }
    }

是Netbeans纠正我的代码,还是只是删除文件的关闭?这是一种更好的方法吗?我不喜欢使用代码,除非我确切地知道发生了什么。

try-with-resources提供了AutoCloseable资源(如Scanner)将始终被关闭的保证。关闭是由javac近似隐式添加的。

Scanner inputFile = new Scanner(file);
try {
    while (inputFile.hasNext()) {
        ....
    }
} finally {
    inputFile.close();
}

顺便说一句,你的代码中有一个问题,Netbeans没有注意到。扫描器的方法不会抛出IOException,而是抑制它。使用扫描仪。

阅读本文,了解Java 7的try-with-resource块。

try-with-resources语句确保在语句结束时关闭每个资源。

Java 6不支持try-with-resources;

是Netbeans纠正我的代码,还是只是删除文件的关闭?

它正在纠正你的代码。try-with-resource有一个隐式的finally子句,用于关闭在资源节中声明/创建的资源。(所有资源必须实现Closeable接口…)

相关内容

  • 没有找到相关文章

最新更新