user3405010
user3405010

Reputation: 21

FileNotFoundException - Reading a text file in java

I'm getting a file not found exception from this code even though it's within the try catch statement and I'm not sure what's wrong, the file is within the project folder and is called 'someFile.txt'. This is the main method:

public static void main(String[] args) {
    if (args.length == 0) {
        System.out.println("no arguments given");
        return;
    }
    double FRE = sortFile(args[0]);
    System.out.println("Readability of file " + args[0] + "= " + FRE);

}

And this is the sortFile method where the exception occurs:

public static double sortFile(String FileName) {
    int nWords = 0;
    int nSyllables = 0;
    int nSentences = 0;
    File text = new File(FileName);
    try {
        Scanner sc = new Scanner(text);
        while (sc.hasNext()) {
            contents.add(sc.next());
            ++nWords;
        }
        sc.close();
        for (String e : contents) {
            getNumSyllables(e);
        }

    } catch (FileNotFoundException e) {
        System.out.println("The file" + FileName + "could not be opened.");
        e.printStackTrace();
    }
    double FRE = getFRE(nWords, nSyllables, nSentences);
    return FRE;
}

Thanks for any help :)

Upvotes: 0

Views: 839

Answers (3)

Tim Büthe
Tim Büthe

Reputation: 63734

well, the file does not exist in that location. Try to add

System.out.println(text.getAbsolutePath())

to see where the file is expected. Note, when you provide a relative path (e.g. some/path/filename.ext), this is relative to the working directory. The working directory is the folder your java program is started in.

If you're using an IDE (e.g. Eclipse, IntelliJ, Netbeans) you can define the working directory in your run configuration.

See:

Upvotes: 3

Michele Festini
Michele Festini

Reputation: 137

Try launching your program with the absolute path.

java yourclassname absolutepath_to_someFile.txt

Upvotes: 0

merlin2011
merlin2011

Reputation: 75545

I'm getting a file not found exception from this code even though it's within the try catch statement

The try-catch does not prevent the Exception from being thrown. It merely executes the code in the catch block when an Exception is thrown, and you are just printing the stack trace in the catch block, which is what usually printed anyways on uncaught exceptions.

To resolve your actual issue, first try passing the full path to the file, verify that it works and then use Tim's answer to debug your absolute path.

Upvotes: 1

Related Questions