Hot to get rid a java.io.Exception at java.io.WinNTFileSystem.createFileExclusively?

2022-09-04 20:11:51

我目前遇到的问题是,我遇到了一个我以前从未见过的异常,这就是为什么我不知道如何处理它。

我想根据给定的参数创建一个文件,但它不起作用。

public static Path createFile(String destDir, String fileName) throws IOException {
        FileAccess.createDirectory( destDir);

        Path xpath = new Path( destDir + Path.SEPARATOR + fileName);

        if (! xpath.toFile().exists()) {
            xpath.toFile().createNewFile();
            if(FileAccess.TRACE_FILE)Trace.println1("<<< createFile " + xpath.toString() );
        }
      return xpath;
  }


  public static void createDirectory(String destDir) {
      Path dirpath = new Path(destDir);
      if (! dirpath.toFile().exists()) {
          dirpath.toFile().mkdir();
          if(TRACE_FILE)Trace.println1("<<< mkdir " + dirpath.toString() );
      }
  }

每次运行应用程序时,都会发生以下异常:

java.io.IOException: The system cannot find the path specified
at java.io.WinNTFileSystem.createFileExclusively(Native Method)
at java.io.File.createNewFile(Unknown Source)
[...]

我该如何摆脱它?(我使用的是Win7 64位顺便说一句)


答案 1

问题是,除非整个包含路径已经存在 -其直接父目录及其上方的所有父目录,否则无法创建文件。

如果您有一个路径 c:\Temp,并且它下面没有子目录,并且您尝试创建一个名为 c:\Temp\SubDir\myfile.txt 的文件,则该文件将失败,因为 C:\Temp\SubDir 不存在。

以前

   xpath.toFile().createNewFile(); 

   xpath.toFile().mkdirs(); 

(我不确定 mkdirs() 是否只需要对象中的路径;如果是,则将新行更改为

   new File(destDir).mkdirs();

否则,您的文件名将创建为子目录!您可以通过检查 Windows 资源管理器以查看它创建了哪些目录来验证哪个是正确的。


答案 2