I am using java.nio.file package and tried to create file with the following code.
private static void printReport(String filename, String str)throws Exception{
ErrorCheck ec = new ErrorCheck();
String fileName = "/var/Emails_log/"+filename;
Path filePath = Paths.get(fileName);
File file = new File(fileName);
final BufferedWriter out = Files.newBufferedWriter(filePath, StandardCharsets.UTF_8, StandardOpenOption.APPEND);
try{
final Path tmp = filePath.getParent();
if (tmp != null){ // null will be returned if the path has no parent
Files.createDirectories(tmp);
} else {
out.write(str);
out.write('\n');
}
} catch(Exception e) {
ec.errorMsg("ERROR: GSW.SendEmail.Exception =>",e);
} finally {
if (out != null) {
out.flush();
out.close();
}
}
}
This throws following Exception:
java.nio.file.NoSuchFileException: /var/Emails_log/GSWvalidSentAddresses.txt
at sun.nio.fs.UnixException.translateToIOException(UnixException.java:86)
at sun.nio.fs.UnixException.rethrowAsIOException(UnixException.java:102)
at sun.nio.fs.UnixException.rethrowAsIOException(UnixException.java:107)
at sun.nio.fs.UnixFileSystemProvider.newByteChannel(UnixFileSystemProvider.java:214)
at java.nio.file.spi.FileSystemProvider.newOutputStream(FileSystemProvider.java:430)
at java.nio.file.Files.newOutputStream(Files.java:170)
at java.nio.file.Files.newBufferedWriter(Files.java:2720)
at SendEmail.printReport(SendEmail.java:114) SendEmail.send(SendEmail.java:87)
My question is why file is not created?
Please advise
Thanks in anticipation
Updated Answer:
Now that you've shown the full code, there are two major problems:
You're trying to open the file before ensuring that the directories leading up to it exist, and
You're using
StandardOpenOption.APPEND
, but that won't create a file; it will append to an existing file....along with a large number of issues around best practices relative to the number of lines of actual code.
See comments:
But here's how I would suggest you write it:
...and handle exceptions in the calling layer. Note that, again, because we're using
try-with-resources
, theclose
is automatic (both when there's an exception and when there isn't).Or if you really want to do log-and-continue:
Original Answer:
You haven't shown the code that's actually failing, which is a call to
newBufferedWriter
(this one, or this one).newBufferedWriter
takesOpenOption
s, the standard set of which are available fromStandardOpenOption
. Make sure you've specifiedStandardOpenOption.CREATE
orStandardOpenOption.CREATE_NEW
,If you use one of those flags, and the code in your question isbefore the
newBufferedWriter
call, barring some other problem (permissions) it should work: