我从Java的属性文件中读取类似(\+?\s*[0-9]+\s*)+的值时遇到问题,因为使用getProperty()方法获得的值是(+?s*[0-9]+s*)+

尚未转义属性文件中的值。

有任何想法吗?

最佳答案

我认为此类可以解决属性文件中的反斜杠问题。

import java.io.BufferedReader;
import java.io.FileReader;
import java.io.IOException;
import java.util.HashMap;

public class ProperProps {

    HashMap<String, String> Values = new HashMap<String, String>();

    public ProperProps() {
    };

    public ProperProps(String filePath) throws java.io.IOException {
        load(filePath);
    }

    public void load(String filePath) throws IOException {
        BufferedReader reader = new BufferedReader(new FileReader(filePath));
        String line;
        while ((line = reader.readLine()) != null) {
            if (line.trim().length() == 0 || line.startsWith("#"))
                continue;

            String key = line.replaceFirst("([^=]+)=(.*)", "$1");
            String val = line.replaceFirst("([^=]+)=(.*)", "$2");
            Values.put(key, val);

        }
        reader.close();
    }


    public String getProperty(String key) {
        return Values.get(key);
    }


    public void printAll() {
        for (String key : Values.keySet())
            System.out.println(key +"=" + Values.get(key));
    }


    public static void main(String [] aa) throws IOException {
        // example & test
        String ptp_fil_nam = "my.prop";
        ProperProps pp = new ProperProps(ptp_fil_nam);
        pp.printAll();
    }
}

10-04 13:56