When we have an application that used a text file to store a configuration, and the configuration is typically in a key
=value
format then we can use java.util.Properties
to read that configuration file.
Here is an example of a configuration file called app.config
:
app.name=Properties Sample Code
app.version=1.0
The code below show you how to read the configuration.
package org.kodejava.util;
import java.io.*;
import java.net.URL;
import java.util.Objects;
import java.util.Properties;
public class PropertiesExample {
public static void main(String[] args) {
Properties prop = new Properties();
try {
// the configuration file name
String fileName = "app.config";
ClassLoader classLoader = PropertiesExample.class.getClassLoader();
// Make sure that the configuration file exists
URL res = Objects.requireNonNull(classLoader.getResource(fileName),
"Can't find configuration file app.config");
InputStream is = new FileInputStream(res.getFile());
// load the properties file
prop.load(is);
// get the value for app.name key
System.out.println(prop.getProperty("app.name"));
// get the value for app.version key
System.out.println(prop.getProperty("app.version"));
// get the value for app.vendor key and if the
// key is not available return Kode Java as
// the default value
System.out.println(prop.getProperty("app.vendor","Kode Java"));
} catch (IOException e) {
e.printStackTrace();
}
}
}
The code snippet will print these results:
Properties Sample Code
1.0
Kode Java
Latest posts by Wayan (see all)
- How do I get number of each day for a certain month in Java? - September 8, 2024
- How do I get operating system process information using ProcessHandle? - July 22, 2024
- How do I sum a BigDecimal property of a list of objects using Java Stream API? - July 22, 2024