文章目录
- 创建测试文件
- 读取文件的步骤
- 1. 首先获取文件的路径
- 2. 拼接你要读取文件的路径
- 3. 读取文件
- 4. 释放流
创建测试文件
在项目的根目录下创建一个测试文件.txt
文件位置和 src 属于同级目录
读取文件的步骤
1. 首先获取文件的路径
在任何地方都有可能读取文件,但是文件的路径又不能保证一直都在同一个位置,为了解决这种问题,我们将文件存放在项目中,跟随着项目,这样我们可以通过一种方式来实时的获取到项目的根目录。
可以通过 System.getProperty("user.dir")
获取到项目根目录路径
2. 拼接你要读取文件的路径
通过项目根目录 然后拼接上你的文件,即可找到要读取的文件路径。
String filePath = System.getProperty("user.dir");
String path = filePath + "/测试文件.txt";
System.err.println("要读取的文件路径为:" + path);
3. 读取文件
// System.getProperty("user.dir") 获取到项目根目录的路径
String filePath = System.getProperty("user.dir");
String path = filePath + "/测试文件.txt";
System.err.println("要读取的文件路径为:" + path);
InputStream is = null;
InputStreamReader reader = null;
BufferedReader br = null;
try {
is = new FileInputStream(path);
reader = new InputStreamReader(is, StandardCharsets.UTF_8);
br = new BufferedReader(reader);
String line1 = br.readLine(); // 读取一行内容
String line2 = br.readLine(); // 第二行内容
String line3 = br.readLine(); // 第三行内容
String line4 = br.readLine(); // 第四行内容
String line5 = br.readLine(); // 第五行内容
System.out.println(line1);
System.out.println(line2);
System.out.println(line3);
System.out.println(line4);
System.out.println(line5);
} catch (Exception e) {
e.printStackTrace();
System.err.println(e.getMessage());
} finally {
try {
if (br != null) {
br.close();
}
if (reader != null) {
reader.close();
}
if (is != null) {
is.close();
}
} catch (IOException e) {
e.printStackTrace();
System.err.println(e.getMessage());
}
}
readLine()
方法一次读取一行,如果此行没有内容,那么返回值就是 null,可以看到测试文件只有 4 行内容,读取到第 5 行的时候就输出了 null
4. 释放流
最后使用完读取文件流,一定要在 finally
块中将流释放。