Search code examples
javaswingjtreeproperties-file

Putting properties file into a JTree rather than just displaying it


This is my current code - it just displays the key pair values from my GitCommands.properties file and displays it in my GetAllProperties.java file - is it possible to sort it so it goes in to a JTree rather than just displaying it in a list type format?

import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Enumeration;
import java.util.Properties;
import javax.swing.JTree;
import javax.swing.tree.DefaultMutableTreeNode;

public class GetAllProperties {
    private static JTree tree;

    public static void main(String[] args) {

        Properties properties = new Properties();
        try {
            String filename = "GitCommands.properties";
            // File file = new
            // File("/ApplicationTest/.settings/GitCommands.properties");
            FileInputStream fileInputStream = new FileInputStream(filename);

            // load properties file
            properties.load(fileInputStream);

            System.out.println("keys avialble in Properties Files are:");
            System.out.println(properties.keySet());

            System.out.println("Key Value Pairs :");
            Enumeration enumeration = properties.keys();
            while (enumeration.hasMoreElements()) {
                String key = (String) enumeration.nextElement();
                System.out.println(key + ": " + properties.get(key));
            }
        } catch (IOException e) {
            System.out.println(e.getMessage());
        }
    }
}

Solution

  • you can simply populate the tree using the tree model

    DefaultMutableTreeNode root = new DefaultMutableTreeNode(filename);
    DefaultTreeModel treeModel = new DefaultTreeModel(root);
    
    Enumeration enumeration = properties.keys();  
    while (enumeration.hasMoreElements()) {  
        String key = (String) enumeration.nextElement();
        String nodeObj = key+" : "+properties.get(key);
        treeModel.insertNodeInto(new DefaultMutableTreeNode(nodeObj), root, 0);
    }
    
    JTree tree = new JTree(treeModel);
    

    NOTE: the elements are not sorted... to do so, you need to push all keys into a list and sort that list

    List sortedList<String> = new ArrayList<String>();
    Enumeration enumeration = properties.keys();  
    while (enumeration.hasMoreElements()) {  
        String key = (String) enumeration.nextElement();
        sortedList.add(key);
    }
    Collection.sort(sortedList);
    
    for(String key: sortedList){
        String nodeObj = key+" : "+properties.get(key);
        // [...] same as above
    }