我有一个JAR文件,我的所有代码都已存档以便运行。我必须访问一个属性文件,每次运行前都需要对其进行更改/编辑。我想将属性文件保留在JAR文件所在的目录中。无论如何,有没有告诉Java从该目录中提取属性文件?
注意:我不想将属性文件保留在主目录中或在命令行参数中传递属性文件的路径。
因此,你希望将.properties与主/可运行jar相同文件夹中的文件视为文件,而不是作为主/可运行jar的资源。在这种情况下,我自己的解决方案如下:
.properties
首先,第一件事:你的程序文件架构应如下所示(假设你的主程序是main.jar,其主要属性文件是main.properties):
./ - the root of your program |__ main.jar |__ main.properties
使用这种体系结构,你可以在运行main.jar之前或运行时(取决于程序的当前状态)使用任何文本编辑器修改main.properties文件中的任何属性,因为它只是一个基于文本的文件。例如,你的main.properties文件可能包含:
app.version=1.0.0.0 app.name=Hello
因此,当你从主程序的根目录/基本目录运行主程序时,通常会这样运行它:
java -jar ./main.jar
或者,立即:
java -jar main.jar
在main.jar中,你需要为main.properties文件中找到的每个属性创建一些实用程序方法。假设该app.version属性具有以下getAppVersion()方法:
main.jar
main.properties
app.version
getAppVersion()
/** * Gets the app.version property value from * the ./main.properties file of the base folder * * @return app.version string * @throws IOException */ import java.util.Properties; public static String getAppVersion() throws IOException{ String versionString = null; //to load application's properties, we use this class Properties mainProperties = new Properties(); FileInputStream file; //the base folder is ./, the root of the main.properties file String path = "./main.properties"; //load the file handle for main.properties file = new FileInputStream(path); //load all the properties from this file mainProperties.load(file); //we have loaded the properties, so close the file handle file.close(); //retrieve the property we are intrested, the app.version versionString = mainProperties.getProperty("app.version"); return versionString; }
在主程序中需要该app.version值的任何部分,我们按以下方式调用其方法:
String version = null; try{ version = getAppVersion(); } catch (IOException ioe){ ioe.printStackTrace(); }