写 Java 程序时会经常从 classpath 下读取文件, 是时候该整理一下了, 并在不断深入的过程中, 陆续补充上.
现在 Java project 都以 maven 项目居多, 比如像下面这样的一个项目结构:
编译后的 class 文件都到了 target 目录, 如下面的结构:
看代码:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 import java.io.File;import java.net.URL;public class Poem { public static void main (String[] args) { Poem poem = new Poem (); poem.getFile("extObj.txt" ); } private void getFile (String fileName) { ClassLoader classLoader = getClass().getClassLoader(); URL url = classLoader.getResource(fileName); System.out.println(url.getFile()); File file = new File (url.getFile()); System.out.println(file.exists()); } }
通过上面这种方式就可以获取到这个文件资源. 在一个 static method 里可以直接通过类的 ClassLoader 对象获取文件资源.
1 2 3 URL url = Poem.class.getClassLoader().getResource("extObj.txt" );File file = new File (url.getFile());
1 2 3 InputStream in = Poem.class.getClassLoader().getResourceAsStream(fileName);
综上述, 类里的 getClassLoader 去寻找 fileName 都是从 classpath 去找的, 毕竟是 ClassLoader 嘛.
如果一个包里面有一个配置文件, 那该怎么获取呢? 如图:
第一个 dbconfig.properties 在类 package 下, 第二个 dbconfig.properties 在 resources 目录下, 那怎么获取到 package 下的 dbconfig properties 文件呢? here goes code:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 package com.getfilefromclasspath;import java.io.IOException;import java.io.InputStream;import java.util.Properties;public class ClassLoaderDemo { public static void main (String[] args) throws IOException { ClassLoaderDemo demo = new ClassLoaderDemo (); demo.loadProperties(); } public void loadProperties () throws IOException { InputStream input = null ; try { input = Class.forName(ClassLoaderDemo.class.getName()).getResourceAsStream("/dbconfig.properties" ); } catch (ClassNotFoundException e) { e.printStackTrace(); } printProperties(input); } private void printProperties (InputStream input) throws IOException { Properties properties = new Properties (); properties.load(input); System.out.println(properties.getProperty("username" )); } }
不使用 Class.forName(), 通过具体对象获取到 Class 对象:
1 2 3 input = this .getClass().getResourceAsStream("resources/dbconfig.properties" ); input = this .getClass().getResourceAsStream("/dbconfig.properties" );
Class 对象还有 getResource() 的方法去获取文件资源, 使用规则和上面的一样.
maven 项目还要注意一点, maven 的 compiler 插件在编译时是不会将 package 下的文本文件给编译到 target 下的, 下图是我在用 mybatis 框架的时候将 xml 的 mapper 给放到 package 编译后的效果:
这个得在 pom.xml 加对应的配置 ( 这是在使用 mybatis 时遇到的坑):
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 <build> <finalName>java-io</finalName> <resources> <resource> <directory>src/main/java</directory> <includes> <!--properties 的配置文件会和编译后的 class 文件放在一起 --> <include>**