summaryrefslogtreecommitdiff
path: root/src/config.py
blob: b7cf9157fda543a9208dee05a0fbb9aed9379a2f (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
"""xipkg config file parser

    Simple Key value, supporting map-style objects and arrays

    ```
    key      value
    key2     another value

    # this is a commment

    map {
        mapkey1 value
        mapkey2 value
    }

    array [
        item1
        item2
        item3
        item4
    ]
    ```
"""
import sys
# TODO: add more validation to this

"""Parse a config file from a path into a python dict
    Args:
        file_path: (str) the path to the file
    Returns:
        (dict) the configuration
    

"""
def parse_file(file_path):
    with open(file_path, "r") as config_file:
        return _parse_config(config_file)


"""Parse a config file's lines, is also used for dictionaries within the config
    Args:
        config_file: (file) a file with the readline function
    Returns:
        (dict) the configuration that has been parsed

"""
def _parse_config(config_file):
    config = {}
    line = config_file.readline()
    while line:
        line = line.strip()
        if len(line) > 0 and (line[-1] == "}" or line[-1] == "]"):
            return config
        else:
            values = _parse_line(line.strip(), config_file)
            for k,v in values.items():
                config[k] = v
            line = config_file.readline()
    return config

"""Parse a single config ling
    Args:
        line: (str) the line to be parsed
        config_file: (file) the file that the line has been taken from
    Returns:
        (dict) the configuration that has been parsed from the single line

"""
def _parse_line(line, config_file):
    if len(line) == 0:
        return {}
    if line[0] == "#":
        return {}
    else:
        split = line.split()
        key = split[0]
        value = " " if len(split) == 1 else " ".join(split[1:])

        # if starting with include, then include another file in the same config
        if key == "include":
            included = parse_file(value)
            return included
        elif value[-1].endswith("{"):
            return {key: _parse_config(config_file)}
        elif value[-1].endswith("["):
            return {key: [k for k in _parse_config(config_file).keys()]}
        else:
            return {key: value}