在开发过程中,我们经常会碰到java系统找不到指定路径这样的情况,面对这种问题,很多新手人员表示很难解决,其实要想解决这个问题,首先就要找到原因,那java系统找不到指定路径原因是什么?下面来我们就来给大家讲解一下。
1、文件路径不正确;
2、使用OutputStream时,如果文件不存在,会自动创建文件。但是,如果文件夹不存在,就会报错"系统找不到指定的路径"。
怎么解决?
先看一段代码:
packagecom.cloud.test; importjava.io.File; importjava.io.IOException; publicclassTestPath { undefined publicstaticvoidmain(String[] args) { undefined File file = newFile("a.txt"); if (!file.exists()) { undefined try { undefined file.createNewFile(); } catch (IOException e) { undefined e.printStackTrace(); } } } }
运行会发现,我们的a.txt新建到了工程目录下:
这里的参数a.txt,其实就是指相对路径下的a.txt,这里的相对路径,就是指相对于工程根目录来说的路径,比如我们稍微改下程序:
packagecom.cloud.test; importjava.io.File; importjava.io.IOException; publicclassTestPath { undefined publicstaticvoidmain(String[] args) { undefined File file = newFile("src/com/b.txt"); if (!file.exists()) { undefined try { undefined file.createNewFile(); } catch (IOException e) { undefined e.printStackTrace(); } } } }
运行可以发现,我们在src下的com目录下,又新建了一个b.txt文件
以上两个程序中,使用的都是相对路径,这里的相对路径,是相对于工程根目录而言的,所以这里的src前面一定不能有"/",或者就会报系统找不到指定路径的IO异常。
需要说明的是,以上程序在eclipse等开发工具中是没有问题的,但是如果我们用控制台运行的话,就会报我们我们说的系统找不到指定路径的IO异常
这里,我们最好使用绝对路径。
所谓绝对路径,也即指文件的物理路径,在linux中是指以"/"开头的路径,在windows中,也就是盘符开头的路径(其实也是"/"开头),比如:"F:\java",所以这里我们可以再F盘的java目录下新建一个c.txt文件,当然这里的"\"需要转义,或者会报语法错误。
packagecom.cloud.test; importjava.io.File; importjava.io.IOException; publicclassTestPath { undefined publicstaticvoidmain(String[] args) { undefined File file = newFile("F:\\java\\c.txt"); if (!file.exists()) { undefined try { undefined file.createNewFile(); } catch (IOException e) { undefined e.printStackTrace(); } } } }
运行可以看到,在F盘的java目录下,新建了c.txt文件。
但是现在还有一个问题,我们按照上面所说的方式可以把程序新建的文件创建在在F盘java目录下,但是我如果要读取文件呢,这里不一定每个用户都会在指定位置新建指定文件,所以,我们的资源文件一般都是在项目工程中,我们可以通过下面这种方式读取:
packagecom.cloud.test; importjava.io.File; publicclassTestPath { undefined publicstaticvoidmain(String[] args) { undefined File file = newFile(TestPath.class.getResource("/com/b.txt") .getFile()); System.out.println(TestPath.class.getResource("/") .getFile()); System.out.println(TestPath.class.getResource("/com/b.txt") .getFile()); System.out.println(file.getPath()); } }
这里我们使用TestPath.class.getResource,获取到的是类TestPath的绝对路径,注意这里必须得有"/",并且参数是从包名开始的(而不是src)。
通过这种方式,就不会再报系统找不到指定路径问题了,所以当大家遇到java系统找不到指定路径情况的时候,一定不要慌张,只要找到原因,问题自然就解决了!最后大家如果想要了解更多java入门知识,敬请关注奇Q工具网。
推荐阅读: