summaryrefslogtreecommitdiff
path: root/kvmd/apps/__init__.py
blob: 65d30f2eac7e5610e0335e4e096fc6753967c860 (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
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
# ========================================================================== #
#                                                                            #
#    KVMD - The main Pi-KVM daemon.                                          #
#                                                                            #
#    Copyright (C) 2018  Maxim Devaev <[email protected]>                    #
#                                                                            #
#    This program is free software: you can redistribute it and/or modify    #
#    it under the terms of the GNU General Public License as published by    #
#    the Free Software Foundation, either version 3 of the License, or       #
#    (at your option) any later version.                                     #
#                                                                            #
#    This program is distributed in the hope that it will be useful,         #
#    but WITHOUT ANY WARRANTY; without even the implied warranty of          #
#    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the           #
#    GNU General Public License for more details.                            #
#                                                                            #
#    You should have received a copy of the GNU General Public License       #
#    along with this program.  If not, see <https://www.gnu.org/licenses/>.  #
#                                                                            #
# ========================================================================== #


import sys
import os
import argparse
import logging
import logging.config

from typing import Tuple
from typing import List
from typing import Dict
from typing import Optional

import pygments
import pygments.lexers.data
import pygments.formatters

from ..plugins import UnknownPluginError
from ..plugins.auth import get_auth_service_class

from ..yamlconf import ConfigError
from ..yamlconf import make_config
from ..yamlconf import Section
from ..yamlconf import Option
from ..yamlconf import build_raw_from_options
from ..yamlconf.dumper import make_config_dump
from ..yamlconf.loader import load_yaml_file

from ..validators.basic import valid_bool
from ..validators.basic import valid_number
from ..validators.basic import valid_int_f1
from ..validators.basic import valid_float_f01

from ..validators.auth import valid_users_list

from ..validators.os import valid_abs_path
from ..validators.os import valid_abs_path_exists
from ..validators.os import valid_unix_mode
from ..validators.os import valid_command

from ..validators.net import valid_ip_or_host
from ..validators.net import valid_port

from ..validators.kvm import valid_stream_quality
from ..validators.kvm import valid_stream_fps

from ..validators.hw import valid_tty_speed
from ..validators.hw import valid_gpio_pin
from ..validators.hw import valid_gpio_pin_optional


# =====
def init(
    prog: Optional[str]=None,
    description: Optional[str]=None,
    add_help: bool=True,
    sections: Optional[List[str]]=None,
    argv: Optional[List[str]]=None,
) -> Tuple[argparse.ArgumentParser, List[str], Section]:

    argv = (argv or sys.argv)
    assert len(argv) > 0

    args_parser = argparse.ArgumentParser(prog=(prog or argv[0]), description=description, add_help=add_help)
    args_parser.add_argument("-c", "--config", dest="config_path", default="/etc/kvmd/main.yaml", metavar="<file>",
                             type=valid_abs_path_exists, help="Set config file path")
    args_parser.add_argument("-o", "--set-options", dest="set_options", default=[], nargs="+",
                             help="Override config options list (like sec/sub/opt=value)")
    args_parser.add_argument("-m", "--dump-config", dest="dump_config", action="store_true",
                             help="View current configuration (include all overrides)")
    (options, remaining) = args_parser.parse_known_args(argv)

    config = _init_config(options.config_path, (sections or []), options.set_options)
    if options.dump_config:
        _dump_config(config)
        raise SystemExit()

    logging.captureWarnings(True)
    logging.config.dictConfig(config.logging)
    return (args_parser, remaining, config)


# =====
def _init_config(config_path: str, sections: List[str], override_options: List[str]) -> Section:
    config_path = os.path.expanduser(config_path)
    raw_config: Dict = load_yaml_file(config_path)

    scheme = _get_config_scheme(sections)
    try:
        _merge_dicts(raw_config, build_raw_from_options(override_options))
        config = make_config(raw_config, scheme)

        scheme["kvmd"]["auth"]["internal"] = get_auth_service_class(config.kvmd.auth.internal_type).get_options()
        if config.kvmd.auth.external_type:
            scheme["kvmd"]["auth"]["external"] = get_auth_service_class(config.kvmd.auth.external_type).get_options()

        return make_config(raw_config, scheme)
    except (ConfigError, UnknownPluginError) as err:
        raise SystemExit("Config error: %s" % (str(err)))


def _dump_config(config: Section) -> None:
    dump = make_config_dump(config)
    if sys.stdout.isatty():
        dump = pygments.highlight(
            dump,
            pygments.lexers.data.YamlLexer(),
            pygments.formatters.TerminalFormatter(bg="dark"),  # pylint: disable=no-member
        )
    print(dump)


def _merge_dicts(dest: Dict, src: Dict) -> None:
    for key in src:
        if key in dest:
            if isinstance(dest[key], dict) and isinstance(src[key], dict):
                _merge_dicts(dest[key], src[key])
                continue
        dest[key] = src[key]


def _get_config_scheme(sections: List[str]) -> Dict:
    scheme = {
        "logging": Option({}),

        "kvmd": {
            "server": {
                "host":              Option("localhost", type=valid_ip_or_host),
                "port":              Option(0,     type=valid_port),
                "unix":              Option("",    type=valid_abs_path, only_if="!port", unpack_as="unix_path"),
                "unix_rm":           Option(False, type=valid_bool),
                "unix_mode":         Option(0,     type=valid_unix_mode),
                "heartbeat":         Option(3.0,   type=valid_float_f01),
                "access_log_format": Option("[%P / %{X-Real-IP}i] '%r' => %s; size=%b ---"
                                            " referer='%{Referer}i'; user_agent='%{User-Agent}i'"),
            },

            "auth": {
                "internal_type":  Option("htpasswd"),
                # "internal": {},
                "external_type":  Option(""),
                # "external": {},
                "internal_users": Option([], type=valid_users_list),
            },

            "info": {
                "meta":   Option("/etc/kvmd/meta.yaml",    type=valid_abs_path_exists, unpack_as="meta_path"),
                "extras": Option("/usr/share/kvmd/extras", type=valid_abs_path_exists, unpack_as="extras_path"),
            },

            "hid": {
                "reset_pin":   Option(-1,  type=valid_gpio_pin),
                "reset_delay": Option(0.1, type=valid_float_f01),

                "device":         Option("",     type=valid_abs_path, unpack_as="device_path"),
                "speed":          Option(115200, type=valid_tty_speed),
                "read_timeout":   Option(2.0,    type=valid_float_f01),
                "read_retries":   Option(10,     type=valid_int_f1),
                "common_retries": Option(100,    type=valid_int_f1),
                "retries_delay":  Option(0.1,    type=valid_float_f01),
                "noop":           Option(False,  type=valid_bool),

                "state_poll": Option(0.1, type=valid_float_f01),
            },

            "atx": {
                "enabled": Option(True, type=valid_bool),

                "power_led_pin":      Option(-1, type=valid_gpio_pin, only_if="enabled"),
                "hdd_led_pin":        Option(-1, type=valid_gpio_pin, only_if="enabled"),
                "power_led_inverted": Option(True, type=valid_bool),
                "hdd_led_inverted":   Option(True, type=valid_bool),

                "power_switch_pin": Option(-1, type=valid_gpio_pin, only_if="enabled"),
                "reset_switch_pin": Option(-1, type=valid_gpio_pin, only_if="enabled"),
                "click_delay":      Option(0.1, type=valid_float_f01),
                "long_click_delay": Option(5.5, type=valid_float_f01),

                "state_poll": Option(0.1, type=valid_float_f01),
            },

            "msd": {
                "enabled": Option(True, type=valid_bool),

                "target_pin": Option(-1, type=valid_gpio_pin, only_if="enabled"),
                "reset_pin":  Option(-1, type=valid_gpio_pin, only_if="enabled"),

                "device":      Option("",    type=valid_abs_path, only_if="enabled", unpack_as="device_path"),
                "init_delay":  Option(2.0,   type=valid_float_f01),
                "reset_delay": Option(1.0,   type=valid_float_f01),
                "write_meta":  Option(True,  type=valid_bool),
                "chunk_size":  Option(65536, type=(lambda arg: valid_number(arg, min=1024))),
            },

            "streamer": {
                "cap_pin":  Option(-1, type=valid_gpio_pin_optional),
                "conv_pin": Option(-1, type=valid_gpio_pin_optional),

                "sync_delay":         Option(1.0,  type=valid_float_f01),
                "init_delay":         Option(1.0,  type=valid_float_f01),
                "init_restart_after": Option(0.0,  type=(lambda arg: valid_number(arg, min=0.0, type=float))),
                "shutdown_delay":     Option(10.0, type=valid_float_f01),
                "state_poll":         Option(1.0,  type=valid_float_f01),

                "quality":     Option(80, type=valid_stream_quality),
                "desired_fps": Option(0,  type=valid_stream_fps),

                "host":    Option("localhost", type=valid_ip_or_host),
                "port":    Option(0,   type=valid_port),
                "unix":    Option("",  type=valid_abs_path, only_if="!port", unpack_as="unix_path"),
                "timeout": Option(2.0, type=valid_float_f01),

                "cmd": Option(["/bin/true"], type=valid_command),
            },
        },
    }

    if sections:
        return {
            section: sub
            for (section, sub) in scheme.items()
            if section in sections
        }
    else:
        return scheme