-
Notifications
You must be signed in to change notification settings - Fork 110
/
generate_commands_module.py
executable file
·227 lines (185 loc) · 6.32 KB
/
generate_commands_module.py
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
#!/usr/bin/env python
"""This takes the ``eiscp-commands.yaml`` file, as generated by
``import_protocol_doc.py``, and writes the ``eiscp.commands`` Python module.
"""
import sys
import os
from datetime import datetime
import yaml
from collections import OrderedDict
import yaml.constructor
# Since we use lists as keys, we need to load them as tuples
def construct_tuple(loader, node):
return tuple(yaml.SafeLoader.construct_sequence(loader, node))
yaml.SafeLoader.add_constructor('tag:yaml.org,2002:seq', construct_tuple)
# We also need to load mappings in order
# Based on https://gist.github.com/844388
def construct_ordereddict(loader, node):
data = OrderedDict()
yield data
value = construct_mapping(loader, node)
data.update(value)
def construct_mapping(self, node, deep=False):
if isinstance(node, yaml.MappingNode):
self.flatten_mapping(node)
else:
raise yaml.constructor.ConstructorError(
None, None, 'expected a mapping node, but found %s' % node.id, node.start_mark)
mapping = OrderedDict()
for key_node, value_node in node.value:
key = self.construct_object(key_node, deep=deep)
try:
hash(key)
except TypeError as exc:
raise yaml.constructor.ConstructorError(
'while constructing a mapping', node.start_mark,
'found unacceptable key (%s)' % exc, key_node.start_mark)
value = self.construct_object(value_node, deep=deep)
mapping[key] = value
return mapping
yaml.SafeLoader.add_constructor('tag:yaml.org,2002:map', construct_ordereddict)
# Load YAML file
with open(sys.argv[1], 'r') as f:
data = yaml.safe_load(f)
# Remove modelsets key, not a real zone
zones = data
del zones['modelsets']
# Generate the Python structures
#
# We want a command dict that does not include the model data, which we
# are not using.
COMMANDS = OrderedDict([
(zone, OrderedDict([
(command, {
'name': command_data['name'],
'description': command_data['description'],
'values': OrderedDict([
(value, {
'name': value_data.get('name'),
'description': value_data['description'],
})
for value, value_data in list(command_data['values'].items())
]),
})
for command, command_data in commands.items()
]))
for zone, commands in zones.items()
])
# We also want alias mappings to easily allows us to resolve a user command
# to an actual internal command.
# Manually alias the main zone
ZONE_MAPPINGS = {
# Use main as default zone
'': 'main',
None: 'main'
}
def iter_commands_with_aliases(commands):
for iscp_command, command_data in commands.items():
yield command_data['name'], iscp_command
for alias in command_data.get('aliases', []):
yield alias, iscp_command
COMMAND_MAPPINGS = {
zone : {
alias : command
for alias, command in iter_commands_with_aliases(commands)
}
for zone, commands in zones.items()
}
class ValueRange(object):
def __init__(self, start, end):
self.start = start
self.end = end
self._range = tuple(range(start, end))
def __contains__(self, value):
return value in self._range
def find_value_aliases(values):
"""A "command value" or "command argument" in the YAML is defined
as::
ISCP_VALUE:
name: some-user-facing-alias-value
description: 'foobar'
ISCP_VALUE can be something static such as "up" or "00", or it
can be a range, or pattern. Static values can also have aliases:
ISCP_VALUE:
name: [the-main-user-facing-alias-value, something-else]
description: 'foobar'
This function will return a list of 2-tuples:
(user-facing-value, iscp_calue)
"""
for value, data in values.items():
# A tuple gives a range, like (0, 100) for the volume
if isinstance(value, tuple):
key = ValueRange(*value)
yield key, value
# This is a single value with an alias, i.e.
# key = volume-up, value = UP
elif 'name' in data:
key = data['name']
if not isinstance(key, tuple):
yield key, value
else:
# It's possible that there are multiple aliases
# for a command
for item in key:
yield item, value
else:
# If no alias ('name' key) is set, this indicates that
# the value is a pattern, like nnnnn
# We do not support them yet.
sys.stderr.write('Skipping patterned argument: %s %s\n' % (value, dict(data)))
continue
VALUE_MAPPINGS = {
zone : {
command : {
alias : value
for alias, value in find_value_aliases(command_data['values'])
}
for command, command_data in list(commands.items())
}
for zone, commands in zones.items()
}
# Output those structures as source code.
import pretty
# Make pretty support OrderedDicts better
def print_ordereddict(obj, p, cycle):
if cycle:
return p.text('OrderedDict(...)')
p.begin_group(1, 'OrderedDict([')
keys = list(obj.keys())
for idx, key in enumerate(keys):
if idx:
p.text(',')
p.breakable()
p.text('(')
p.pretty(key)
p.text(', ')
p.pretty(obj[key])
p.text(')')
p.end_group(1, '])')
pretty._type_pprinters[OrderedDict] = print_ordereddict
def print_ValueRange(obj, p, cycle):
if cycle:
return p.text('ValueRange(...)')
p.begin_group(1, 'ValueRange(')
p.pretty(obj.start)
p.text(', ')
p.pretty(obj.end)
p.end_group(1, ')')
pretty._type_pprinters[ValueRange] = print_ValueRange
print("""# Generated
# by {0}
# from {1}
# at {2}
from collections import OrderedDict
from .utils import ValueRange
COMMANDS = {commands}
ZONE_MAPPINGS = {zone_mappings}
COMMAND_MAPPINGS = {command_mappings}
VALUE_MAPPINGS = {value_mappings}
""".format(
os.path.basename(sys.argv[0]), os.path.basename(sys.argv[1]), datetime.now(),
commands=pretty.pretty(COMMANDS),
zone_mappings=pretty.pretty(ZONE_MAPPINGS),
command_mappings=pretty.pretty(COMMAND_MAPPINGS),
value_mappings=pretty.pretty(VALUE_MAPPINGS),
))