我正在构建一个RMI游戏,客户端会加载一个文件,其中包含一些将在几个不同对象上使用的键和值。这是一个保存游戏文件,但我不能使用java.util.Properties(它在规范下)。我必须读取整个文件并忽略注释行和在某些类中不相关的键。这些属性是唯一的,但可以按任何顺序排序。我的文件当前文件如下所示:
# Bio
playerOrigin=Newlands
playerClass=Warlock
# Armor
playerHelmet=empty
playerUpperArmor=armor900
playerBottomArmor=armor457
playerBoots=boot109
etc
这些属性将根据播放器的进度进行编写和放置,文件读取器必须到达文件末尾并仅获取匹配的键。我尝试了不同的方法,但到目前为止,没有什么能与我使用java.util.Properties的结果接近。有什么想法吗?
答案 0 :(得分:5)
这将逐行读取“属性”文件并解析每个输入行并将值放在键/值映射中。地图中的每个键都是唯一的(不允许使用重复键)。
package samples;
import java.io.BufferedReader;
import java.io.File;
import java.io.FileReader;
import java.io.IOException;
import java.util.TreeMap;
public class ReadProperties {
public static void main(String[] args) {
try {
TreeMap<String, String> map = getProperties("./sample.properties");
System.out.println(map);
}
catch (IOException e) {
// error using the file
}
}
public static TreeMap<String, String> getProperties(String infile) throws IOException {
final int lhs = 0;
final int rhs = 1;
TreeMap<String, String> map = new TreeMap<String, String>();
BufferedReader bfr = new BufferedReader(new FileReader(new File(infile)));
String line;
while ((line = bfr.readLine()) != null) {
if (!line.startsWith("#") && !line.isEmpty()) {
String[] pair = line.trim().split("=");
map.put(pair[lhs].trim(), pair[rhs].trim());
}
}
bfr.close();
return(map);
}
}
输出如下:
{playerBoots=boot109, playerBottomArmor=armor457, playerClass=Warlock, playerHelmet=empty, playerOrigin=Newlands, playerUpperArmor=armor900}
您可以使用map.get("key string");
访问地图的每个元素。
编辑:此代码不会检查格式错误或缺少“=”字符串。您可以通过检查对数组的大小来自行添加它。[/ p>
答案 1 :(得分:2)
我目前无法想出一个可以提供的框架(我确定有很多)但是,你应该能够自己做到这一点。
基本上,您只需逐行读取文件,并检查第一个非空白字符是否为散列(#
),或者该行是否仅为空格。您将忽略这些行并尝试将其他行拆分为=
。如果对于这样的分割,你没有得到2个字符串的数组,你就会有一个格式错误的条目并相应地处理它。否则第一个数组元素是你的键,第二个是你的值。
答案 2 :(得分:1)
或者,您可以使用正则表达式来获取键/值对。
(?m)^[^#]([\w]+)=([\w]+)$
将返回每个键及其值的捕获组,并将忽略注释行。
编辑:
这可以更简单一点:
[^#]([\w]+)=([\w]+)
答案 3 :(得分:1)
经过一番研究后,我想出了这个解决方案:
public static String[] getUserIdentification(File file) throws IOException {
String key[] = new String[3];
FileReader fr = new FileReader(file);
BufferedReader br = new BufferedReader(fr);
String lines;
try {
while ((lines = br.readLine()) != null) {
String[] value = lines.split("=");
if (lines.startsWith("domain=") && key[0] == null) {
if (value.length <= 1) {
throw new IOException(
"Missing domain information");
} else {
key[0] = value[1];
}
}
if (lines.startsWith("user=") && key[1] == null) {
if (value.length <= 1) {
throw new IOException("Missing user information");
} else {
key[1] = value[1];
}
}
if (lines.startsWith("password=") && key[2] == null) {
if (value.length <= 1) {
throw new IOException("Missing password information");
} else {
key[2] = value[1];
}
} else
continue;
}
br.close();
} catch (IOException e) {
e.printStackTrace();
}
return key;
}
我正在使用这段代码来检查属性。当然,使用属性库会更明智,但不幸的是我不能。