Search code examples
javafile-iopropertieskey-value-codingfile-read

Read file and get key=value without using java.util.Properties


I'm building a RMI game and the client would load a file that has some keys and values which are going to be used on several different objects. It is a save game file but I can't use java.util.Properties for this (it is under the specification). I have to read the entire file and ignore commented lines and the keys that are not relevant in some classes. These properties are unique but they may be sorted in any order. My file current file looks like this:

# Bio
playerOrigin=Newlands
playerClass=Warlock
# Armor
playerHelmet=empty
playerUpperArmor=armor900
playerBottomArmor=armor457
playerBoots=boot109
etc

These properties are going to be written and placed according to the player's progress and the filereader would have to reach the end of file and get only the matched keys. I've tried different approaches but so far nothing came close to the results that I would had using java.util.Properties. Any idea?


Solution

  • This will read your "properties" file line by line and parse each input line and place the values in a key/value map. Each key in the map is unique (duplicate keys are not allowed).

    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);
        }
    }
    

    The output looks like:

    {playerBoots=boot109, playerBottomArmor=armor457, playerClass=Warlock, playerHelmet=empty, playerOrigin=Newlands, playerUpperArmor=armor900}
    

    You access each element of the map with map.get("key string");.

    EDIT: this code doesn't check for a malformed or missing "=" string. You could add that yourself on the return from split by checking the size of the pair array.