1 | #!/usr/bin/env python
|
---|
2 | #
|
---|
3 | # Copyright (c) 2006 Ondrej Palkovsky
|
---|
4 | # Copyright (c) 2009 Martin Decky
|
---|
5 | # Copyright (c) 2010 Jiri Svoboda
|
---|
6 | # All rights reserved.
|
---|
7 | #
|
---|
8 | # Redistribution and use in source and binary forms, with or without
|
---|
9 | # modification, are permitted provided that the following conditions
|
---|
10 | # are met:
|
---|
11 | #
|
---|
12 | # - Redistributions of source code must retain the above copyright
|
---|
13 | # notice, this list of conditions and the following disclaimer.
|
---|
14 | # - Redistributions in binary form must reproduce the above copyright
|
---|
15 | # notice, this list of conditions and the following disclaimer in the
|
---|
16 | # documentation and/or other materials provided with the distribution.
|
---|
17 | # - The name of the author may not be used to endorse or promote products
|
---|
18 | # derived from this software without specific prior written permission.
|
---|
19 | #
|
---|
20 | # THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR
|
---|
21 | # IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES
|
---|
22 | # OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
|
---|
23 | # IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT,
|
---|
24 | # INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
|
---|
25 | # NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
|
---|
26 | # DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
|
---|
27 | # THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
|
---|
28 | # (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF
|
---|
29 | # THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
|
---|
30 | #
|
---|
31 |
|
---|
32 | """
|
---|
33 | HelenOS configuration system
|
---|
34 | """
|
---|
35 |
|
---|
36 | import sys
|
---|
37 | import os
|
---|
38 | import re
|
---|
39 | import time
|
---|
40 | import subprocess
|
---|
41 | import xtui
|
---|
42 | import random
|
---|
43 |
|
---|
44 | RULES_FILE = sys.argv[1]
|
---|
45 | MAKEFILE = 'Makefile.config'
|
---|
46 | MACROS = 'config.h'
|
---|
47 | PRESETS_DIR = 'defaults'
|
---|
48 |
|
---|
49 | def read_config(fname, config):
|
---|
50 | "Read saved values from last configuration run or a preset file"
|
---|
51 |
|
---|
52 | inf = open(fname, 'r')
|
---|
53 |
|
---|
54 | for line in inf:
|
---|
55 | res = re.match(r'^(?:#!# )?([^#]\w*)\s*=\s*(.*?)\s*$', line)
|
---|
56 | if res:
|
---|
57 | config[res.group(1)] = res.group(2)
|
---|
58 |
|
---|
59 | inf.close()
|
---|
60 |
|
---|
61 | def check_condition(text, config, rules):
|
---|
62 | "Check that the condition specified on input line is True (only CNF and DNF is supported)"
|
---|
63 |
|
---|
64 | ctype = 'cnf'
|
---|
65 |
|
---|
66 | if (')|' in text) or ('|(' in text):
|
---|
67 | ctype = 'dnf'
|
---|
68 |
|
---|
69 | if ctype == 'cnf':
|
---|
70 | conds = text.split('&')
|
---|
71 | else:
|
---|
72 | conds = text.split('|')
|
---|
73 |
|
---|
74 | for cond in conds:
|
---|
75 | if cond.startswith('(') and cond.endswith(')'):
|
---|
76 | cond = cond[1:-1]
|
---|
77 |
|
---|
78 | inside = check_inside(cond, config, ctype)
|
---|
79 |
|
---|
80 | if (ctype == 'cnf') and (not inside):
|
---|
81 | return False
|
---|
82 |
|
---|
83 | if (ctype == 'dnf') and inside:
|
---|
84 | return True
|
---|
85 |
|
---|
86 | if ctype == 'cnf':
|
---|
87 | return True
|
---|
88 |
|
---|
89 | return False
|
---|
90 |
|
---|
91 | def check_inside(text, config, ctype):
|
---|
92 | "Check for condition"
|
---|
93 |
|
---|
94 | if ctype == 'cnf':
|
---|
95 | conds = text.split('|')
|
---|
96 | else:
|
---|
97 | conds = text.split('&')
|
---|
98 |
|
---|
99 | for cond in conds:
|
---|
100 | res = re.match(r'^(.*?)(!?=)(.*)$', cond)
|
---|
101 | if not res:
|
---|
102 | raise RuntimeError("Invalid condition: %s" % cond)
|
---|
103 |
|
---|
104 | condname = res.group(1)
|
---|
105 | oper = res.group(2)
|
---|
106 | condval = res.group(3)
|
---|
107 |
|
---|
108 | if not condname in config:
|
---|
109 | varval = ''
|
---|
110 | else:
|
---|
111 | varval = config[condname]
|
---|
112 | if (varval == '*'):
|
---|
113 | varval = 'y'
|
---|
114 |
|
---|
115 | if ctype == 'cnf':
|
---|
116 | if (oper == '=') and (condval == varval):
|
---|
117 | return True
|
---|
118 |
|
---|
119 | if (oper == '!=') and (condval != varval):
|
---|
120 | return True
|
---|
121 | else:
|
---|
122 | if (oper == '=') and (condval != varval):
|
---|
123 | return False
|
---|
124 |
|
---|
125 | if (oper == '!=') and (condval == varval):
|
---|
126 | return False
|
---|
127 |
|
---|
128 | if ctype == 'cnf':
|
---|
129 | return False
|
---|
130 |
|
---|
131 | return True
|
---|
132 |
|
---|
133 | def parse_rules(fname, rules):
|
---|
134 | "Parse rules file"
|
---|
135 |
|
---|
136 | inf = open(fname, 'r')
|
---|
137 |
|
---|
138 | name = ''
|
---|
139 | choices = []
|
---|
140 |
|
---|
141 | for line in inf:
|
---|
142 |
|
---|
143 | if line.startswith('!'):
|
---|
144 | # Ask a question
|
---|
145 | res = re.search(r'!\s*(?:\[(.*?)\])?\s*([^\s]+)\s*\((.*)\)\s*$', line)
|
---|
146 |
|
---|
147 | if not res:
|
---|
148 | raise RuntimeError("Weird line: %s" % line)
|
---|
149 |
|
---|
150 | cond = res.group(1)
|
---|
151 | varname = res.group(2)
|
---|
152 | vartype = res.group(3)
|
---|
153 |
|
---|
154 | rules.append((varname, vartype, name, choices, cond))
|
---|
155 | name = ''
|
---|
156 | choices = []
|
---|
157 | continue
|
---|
158 |
|
---|
159 | if line.startswith('@'):
|
---|
160 | # Add new line into the 'choices' array
|
---|
161 | res = re.match(r'@\s*(?:\[(.*?)\])?\s*"(.*?)"\s*(.*)$', line)
|
---|
162 |
|
---|
163 | if not res:
|
---|
164 | raise RuntimeError("Bad line: %s" % line)
|
---|
165 |
|
---|
166 | choices.append((res.group(2), res.group(3)))
|
---|
167 | continue
|
---|
168 |
|
---|
169 | if line.startswith('%'):
|
---|
170 | # Name of the option
|
---|
171 | name = line[1:].strip()
|
---|
172 | continue
|
---|
173 |
|
---|
174 | if line.startswith('#') or (line == '\n'):
|
---|
175 | # Comment or empty line
|
---|
176 | continue
|
---|
177 |
|
---|
178 |
|
---|
179 | raise RuntimeError("Unknown syntax: %s" % line)
|
---|
180 |
|
---|
181 | inf.close()
|
---|
182 |
|
---|
183 | def yes_no(default):
|
---|
184 | "Return '*' if yes, ' ' if no"
|
---|
185 |
|
---|
186 | if default == 'y':
|
---|
187 | return '*'
|
---|
188 |
|
---|
189 | return ' '
|
---|
190 |
|
---|
191 | def subchoice(screen, name, choices, default):
|
---|
192 | "Return choice of choices"
|
---|
193 |
|
---|
194 | maxkey = 0
|
---|
195 | for key, val in choices:
|
---|
196 | length = len(key)
|
---|
197 | if (length > maxkey):
|
---|
198 | maxkey = length
|
---|
199 |
|
---|
200 | options = []
|
---|
201 | position = None
|
---|
202 | cnt = 0
|
---|
203 | for key, val in choices:
|
---|
204 | if (default) and (key == default):
|
---|
205 | position = cnt
|
---|
206 |
|
---|
207 | options.append(" %-*s %s " % (maxkey, key, val))
|
---|
208 | cnt += 1
|
---|
209 |
|
---|
210 | (button, value) = xtui.choice_window(screen, name, 'Choose value', options, position)
|
---|
211 |
|
---|
212 | if button == 'cancel':
|
---|
213 | return None
|
---|
214 |
|
---|
215 | return choices[value][0]
|
---|
216 |
|
---|
217 | ## Infer and verify configuration values.
|
---|
218 | #
|
---|
219 | # Augment @a config with values that can be inferred, purge invalid ones
|
---|
220 | # and verify that all variables have a value (previously specified or inferred).
|
---|
221 | #
|
---|
222 | # @param config Configuration to work on
|
---|
223 | # @param rules Rules
|
---|
224 | #
|
---|
225 | # @return True if configuration is complete and valid, False
|
---|
226 | # otherwise.
|
---|
227 | #
|
---|
228 | def infer_verify_choices(config, rules):
|
---|
229 | "Infer and verify configuration values."
|
---|
230 |
|
---|
231 | for rule in rules:
|
---|
232 | varname, vartype, name, choices, cond = rule
|
---|
233 |
|
---|
234 | if cond and (not check_condition(cond, config, rules)):
|
---|
235 | continue
|
---|
236 |
|
---|
237 | if not varname in config:
|
---|
238 | value = None
|
---|
239 | else:
|
---|
240 | value = config[varname]
|
---|
241 |
|
---|
242 | if not validate_rule_value(rule, value):
|
---|
243 | value = None
|
---|
244 |
|
---|
245 | default = get_default_rule(rule)
|
---|
246 |
|
---|
247 | #
|
---|
248 | # If we don't have a value but we do have
|
---|
249 | # a default, use it.
|
---|
250 | #
|
---|
251 | if value == None and default != None:
|
---|
252 | value = default
|
---|
253 | config[varname] = default
|
---|
254 |
|
---|
255 | if not varname in config:
|
---|
256 | return False
|
---|
257 |
|
---|
258 | return True
|
---|
259 |
|
---|
260 | ## Fill the configuration with random (but valid) values.
|
---|
261 | #
|
---|
262 | # The random selection takes next rule and if the condition does
|
---|
263 | # not violate existing configuration, random value of the variable
|
---|
264 | # is selected.
|
---|
265 | # This happens recursively as long as there are more rules.
|
---|
266 | # If a conflict is found, we backtrack and try other settings of the
|
---|
267 | # variable or ignoring the variable altogether.
|
---|
268 | #
|
---|
269 | # @param config Configuration to work on
|
---|
270 | # @param rules Rules
|
---|
271 | # @param start_index With which rule to start (initial call must specify 0 here).
|
---|
272 | # @return True if able to find a valid configuration
|
---|
273 | def random_choices(config, rules, start_index):
|
---|
274 | "Fill the configuration with random (but valid) values."
|
---|
275 | if start_index >= len(rules):
|
---|
276 | return True
|
---|
277 |
|
---|
278 | varname, vartype, name, choices, cond = rules[start_index]
|
---|
279 |
|
---|
280 | # First check that this rule would make sense
|
---|
281 | if cond:
|
---|
282 | if not check_condition(cond, config, rules):
|
---|
283 | return random_choices(config, rules, start_index + 1)
|
---|
284 |
|
---|
285 | # Remember previous choices for backtracking
|
---|
286 | yes_no = 0
|
---|
287 | choices_indexes = range(0, len(choices))
|
---|
288 | random.shuffle(choices_indexes)
|
---|
289 |
|
---|
290 | # Remember current configuration value
|
---|
291 | old_value = None
|
---|
292 | try:
|
---|
293 | old_value = config[varname]
|
---|
294 | except KeyError:
|
---|
295 | old_value = None
|
---|
296 |
|
---|
297 | # For yes/no choices, we ran the loop at most 2 times, for select
|
---|
298 | # choices as many times as there are options.
|
---|
299 | try_counter = 0
|
---|
300 | while True:
|
---|
301 | if vartype == 'choice':
|
---|
302 | if try_counter >= len(choices_indexes):
|
---|
303 | break
|
---|
304 | value = choices[choices_indexes[try_counter]][0]
|
---|
305 | elif vartype == 'y' or vartype == 'n':
|
---|
306 | if try_counter > 0:
|
---|
307 | break
|
---|
308 | value = vartype
|
---|
309 | elif vartype == 'y/n' or vartype == 'n/y':
|
---|
310 | if try_counter == 0:
|
---|
311 | yes_no = random.randint(0, 1)
|
---|
312 | elif try_counter == 1:
|
---|
313 | yes_no = 1 - yes_no
|
---|
314 | else:
|
---|
315 | break
|
---|
316 | if yes_no == 0:
|
---|
317 | value = 'n'
|
---|
318 | else:
|
---|
319 | value = 'y'
|
---|
320 | else:
|
---|
321 | raise RuntimeError("Unknown variable type: %s" % vartype)
|
---|
322 |
|
---|
323 | config[varname] = value
|
---|
324 |
|
---|
325 | ok = random_choices(config, rules, start_index + 1)
|
---|
326 | if ok:
|
---|
327 | return True
|
---|
328 |
|
---|
329 | try_counter = try_counter + 1
|
---|
330 |
|
---|
331 | # Restore the old value and backtrack
|
---|
332 | # (need to delete to prevent "ghost" variables that do not exist under
|
---|
333 | # certain configurations)
|
---|
334 | config[varname] = old_value
|
---|
335 | if old_value is None:
|
---|
336 | del config[varname]
|
---|
337 |
|
---|
338 | return random_choices(config, rules, start_index + 1)
|
---|
339 |
|
---|
340 |
|
---|
341 | ## Get default value from a rule.
|
---|
342 | def get_default_rule(rule):
|
---|
343 | varname, vartype, name, choices, cond = rule
|
---|
344 |
|
---|
345 | default = None
|
---|
346 |
|
---|
347 | if vartype == 'choice':
|
---|
348 | # If there is just one option, use it
|
---|
349 | if len(choices) == 1:
|
---|
350 | default = choices[0][0]
|
---|
351 | elif vartype == 'y':
|
---|
352 | default = '*'
|
---|
353 | elif vartype == 'n':
|
---|
354 | default = 'n'
|
---|
355 | elif vartype == 'y/n':
|
---|
356 | default = 'y'
|
---|
357 | elif vartype == 'n/y':
|
---|
358 | default = 'n'
|
---|
359 | else:
|
---|
360 | raise RuntimeError("Unknown variable type: %s" % vartype)
|
---|
361 |
|
---|
362 | return default
|
---|
363 |
|
---|
364 | ## Get option from a rule.
|
---|
365 | #
|
---|
366 | # @param rule Rule for a variable
|
---|
367 | # @param value Current value of the variable
|
---|
368 | #
|
---|
369 | # @return Option (string) to ask or None which means not to ask.
|
---|
370 | #
|
---|
371 | def get_rule_option(rule, value):
|
---|
372 | varname, vartype, name, choices, cond = rule
|
---|
373 |
|
---|
374 | option = None
|
---|
375 |
|
---|
376 | if vartype == 'choice':
|
---|
377 | # If there is just one option, don't ask
|
---|
378 | if len(choices) != 1:
|
---|
379 | if (value == None):
|
---|
380 | option = "? %s --> " % name
|
---|
381 | else:
|
---|
382 | option = " %s [%s] --> " % (name, value)
|
---|
383 | elif vartype == 'y':
|
---|
384 | pass
|
---|
385 | elif vartype == 'n':
|
---|
386 | pass
|
---|
387 | elif vartype == 'y/n':
|
---|
388 | option = " <%s> %s " % (yes_no(value), name)
|
---|
389 | elif vartype == 'n/y':
|
---|
390 | option =" <%s> %s " % (yes_no(value), name)
|
---|
391 | else:
|
---|
392 | raise RuntimeError("Unknown variable type: %s" % vartype)
|
---|
393 |
|
---|
394 | return option
|
---|
395 |
|
---|
396 | ## Check if variable value is valid.
|
---|
397 | #
|
---|
398 | # @param rule Rule for the variable
|
---|
399 | # @param value Value of the variable
|
---|
400 | #
|
---|
401 | # @return True if valid, False if not valid.
|
---|
402 | #
|
---|
403 | def validate_rule_value(rule, value):
|
---|
404 | varname, vartype, name, choices, cond = rule
|
---|
405 |
|
---|
406 | if value == None:
|
---|
407 | return True
|
---|
408 |
|
---|
409 | if vartype == 'choice':
|
---|
410 | if not value in [choice[0] for choice in choices]:
|
---|
411 | return False
|
---|
412 | elif vartype == 'y':
|
---|
413 | if value != 'y':
|
---|
414 | return False
|
---|
415 | elif vartype == 'n':
|
---|
416 | if value != 'n':
|
---|
417 | return False
|
---|
418 | elif vartype == 'y/n':
|
---|
419 | if not value in ['y', 'n']:
|
---|
420 | return False
|
---|
421 | elif vartype == 'n/y':
|
---|
422 | if not value in ['y', 'n']:
|
---|
423 | return False
|
---|
424 | else:
|
---|
425 | raise RuntimeError("Unknown variable type: %s" % vartype)
|
---|
426 |
|
---|
427 | return True
|
---|
428 |
|
---|
429 | def preprocess_config(config, rules):
|
---|
430 | "Preprocess configuration"
|
---|
431 |
|
---|
432 | varname_mode = 'CONFIG_BFB_MODE'
|
---|
433 | varname_width = 'CONFIG_BFB_WIDTH'
|
---|
434 | varname_height = 'CONFIG_BFB_HEIGHT'
|
---|
435 |
|
---|
436 | if varname_mode in config:
|
---|
437 | mode = config[varname_mode].partition('x')
|
---|
438 |
|
---|
439 | config[varname_width] = mode[0]
|
---|
440 | rules.append((varname_width, 'choice', 'Default framebuffer width', None, None))
|
---|
441 |
|
---|
442 | config[varname_height] = mode[2]
|
---|
443 | rules.append((varname_height, 'choice', 'Default framebuffer height', None, None))
|
---|
444 |
|
---|
445 | def create_output(mkname, mcname, config, rules):
|
---|
446 | "Create output configuration"
|
---|
447 |
|
---|
448 | varname_strip = 'CONFIG_STRIP_REVISION_INFO'
|
---|
449 | strip_rev_info = (varname_strip in config) and (config[varname_strip] == 'y')
|
---|
450 |
|
---|
451 | if strip_rev_info:
|
---|
452 | timestamp_unix = int(0)
|
---|
453 | else:
|
---|
454 | # TODO: Use commit timestamp instead of build time.
|
---|
455 | timestamp_unix = int(time.time())
|
---|
456 |
|
---|
457 | timestamp = time.strftime("%Y-%m-%d %H:%M:%S", time.localtime(timestamp_unix))
|
---|
458 |
|
---|
459 | sys.stderr.write("Fetching current revision identifier ... ")
|
---|
460 |
|
---|
461 | try:
|
---|
462 | version = subprocess.Popen(['bzr', 'version-info', '--custom', '--template={clean}:{revno}:{revision_id}'], stdout = subprocess.PIPE).communicate()[0].decode().split(':')
|
---|
463 | sys.stderr.write("ok\n")
|
---|
464 | except:
|
---|
465 | version = [1, "unknown", "unknown"]
|
---|
466 | sys.stderr.write("failed\n")
|
---|
467 |
|
---|
468 | if (not strip_rev_info) and (len(version) == 3):
|
---|
469 | revision = version[1]
|
---|
470 | if version[0] != 1:
|
---|
471 | revision += 'M'
|
---|
472 | revision += ' (%s)' % version[2]
|
---|
473 | else:
|
---|
474 | revision = None
|
---|
475 |
|
---|
476 | outmk = open(mkname, 'w')
|
---|
477 | outmc = open(mcname, 'w')
|
---|
478 |
|
---|
479 | outmk.write('#########################################\n')
|
---|
480 | outmk.write('## AUTO-GENERATED FILE, DO NOT EDIT!!! ##\n')
|
---|
481 | outmk.write('## Generated by: tools/config.py ##\n')
|
---|
482 | outmk.write('#########################################\n\n')
|
---|
483 |
|
---|
484 | outmc.write('/***************************************\n')
|
---|
485 | outmc.write(' * AUTO-GENERATED FILE, DO NOT EDIT!!! *\n')
|
---|
486 | outmc.write(' * Generated by: tools/config.py *\n')
|
---|
487 | outmc.write(' ***************************************/\n\n')
|
---|
488 |
|
---|
489 | defs = 'CONFIG_DEFS ='
|
---|
490 |
|
---|
491 | for varname, vartype, name, choices, cond in rules:
|
---|
492 | if cond and (not check_condition(cond, config, rules)):
|
---|
493 | continue
|
---|
494 |
|
---|
495 | if not varname in config:
|
---|
496 | value = ''
|
---|
497 | else:
|
---|
498 | value = config[varname]
|
---|
499 | if (value == '*'):
|
---|
500 | value = 'y'
|
---|
501 |
|
---|
502 | outmk.write('# %s\n%s = %s\n\n' % (name, varname, value))
|
---|
503 |
|
---|
504 | if vartype in ["y", "n", "y/n", "n/y"]:
|
---|
505 | if value == "y":
|
---|
506 | outmc.write('/* %s */\n#define %s\n\n' % (name, varname))
|
---|
507 | defs += ' -D%s' % varname
|
---|
508 | else:
|
---|
509 | outmc.write('/* %s */\n#define %s %s\n#define %s_%s\n\n' % (name, varname, value, varname, value))
|
---|
510 | defs += ' -D%s=%s -D%s_%s' % (varname, value, varname, value)
|
---|
511 |
|
---|
512 | if revision is not None:
|
---|
513 | outmk.write('REVISION = %s\n' % revision)
|
---|
514 | outmc.write('#define REVISION %s\n' % revision)
|
---|
515 | defs += ' "-DREVISION=%s"' % revision
|
---|
516 |
|
---|
517 | outmk.write('TIMESTAMP_UNIX = %d\n' % timestamp_unix)
|
---|
518 | outmc.write('#define TIMESTAMP_UNIX %d\n' % timestamp_unix)
|
---|
519 | defs += ' "-DTIMESTAMP_UNIX=%d"\n' % timestamp_unix
|
---|
520 |
|
---|
521 | outmk.write('TIMESTAMP = %s\n' % timestamp)
|
---|
522 | outmc.write('#define TIMESTAMP %s\n' % timestamp)
|
---|
523 | defs += ' "-DTIMESTAMP=%s"\n' % timestamp
|
---|
524 |
|
---|
525 | outmk.write(defs)
|
---|
526 |
|
---|
527 | outmk.close()
|
---|
528 | outmc.close()
|
---|
529 |
|
---|
530 | def sorted_dir(root):
|
---|
531 | list = os.listdir(root)
|
---|
532 | list.sort()
|
---|
533 | return list
|
---|
534 |
|
---|
535 | ## Ask user to choose a configuration profile.
|
---|
536 | #
|
---|
537 | def choose_profile(root, fname, screen, config):
|
---|
538 | options = []
|
---|
539 | opt2path = {}
|
---|
540 | cnt = 0
|
---|
541 |
|
---|
542 | # Look for profiles
|
---|
543 | for name in sorted_dir(root):
|
---|
544 | path = os.path.join(root, name)
|
---|
545 | canon = os.path.join(path, fname)
|
---|
546 |
|
---|
547 | if os.path.isdir(path) and os.path.exists(canon) and os.path.isfile(canon):
|
---|
548 | subprofile = False
|
---|
549 |
|
---|
550 | # Look for subprofiles
|
---|
551 | for subname in sorted_dir(path):
|
---|
552 | subpath = os.path.join(path, subname)
|
---|
553 | subcanon = os.path.join(subpath, fname)
|
---|
554 |
|
---|
555 | if os.path.isdir(subpath) and os.path.exists(subcanon) and os.path.isfile(subcanon):
|
---|
556 | subprofile = True
|
---|
557 | options.append("%s (%s)" % (name, subname))
|
---|
558 | opt2path[cnt] = [name, subname]
|
---|
559 | cnt += 1
|
---|
560 |
|
---|
561 | if not subprofile:
|
---|
562 | options.append(name)
|
---|
563 | opt2path[cnt] = [name]
|
---|
564 | cnt += 1
|
---|
565 |
|
---|
566 | (button, value) = xtui.choice_window(screen, 'Load preconfigured defaults', 'Choose configuration profile', options, None)
|
---|
567 |
|
---|
568 | if button == 'cancel':
|
---|
569 | return None
|
---|
570 |
|
---|
571 | return opt2path[value]
|
---|
572 |
|
---|
573 | ## Read presets from a configuration profile.
|
---|
574 | #
|
---|
575 | # @param profile Profile to load from (a list of string components)
|
---|
576 | # @param config Output configuration
|
---|
577 | #
|
---|
578 | def read_presets(profile, config):
|
---|
579 | path = os.path.join(PRESETS_DIR, profile[0], MAKEFILE)
|
---|
580 | read_config(path, config)
|
---|
581 |
|
---|
582 | if len(profile) > 1:
|
---|
583 | path = os.path.join(PRESETS_DIR, profile[0], profile[1], MAKEFILE)
|
---|
584 | read_config(path, config)
|
---|
585 |
|
---|
586 | ## Parse profile name (relative OS path) into a list of components.
|
---|
587 | #
|
---|
588 | # @param profile_name Relative path (using OS separator)
|
---|
589 | # @return List of components
|
---|
590 | #
|
---|
591 | def parse_profile_name(profile_name):
|
---|
592 | profile = []
|
---|
593 |
|
---|
594 | head, tail = os.path.split(profile_name)
|
---|
595 | if head != '':
|
---|
596 | profile.append(head)
|
---|
597 |
|
---|
598 | profile.append(tail)
|
---|
599 | return profile
|
---|
600 |
|
---|
601 | def main():
|
---|
602 | profile = None
|
---|
603 | config = {}
|
---|
604 | rules = []
|
---|
605 |
|
---|
606 | # Parse rules file
|
---|
607 | parse_rules(RULES_FILE, rules)
|
---|
608 |
|
---|
609 | # Input configuration file can be specified on command line
|
---|
610 | # otherwise configuration from previous run is used.
|
---|
611 | if len(sys.argv) >= 4:
|
---|
612 | profile = parse_profile_name(sys.argv[3])
|
---|
613 | read_presets(profile, config)
|
---|
614 | elif os.path.exists(MAKEFILE):
|
---|
615 | read_config(MAKEFILE, config)
|
---|
616 |
|
---|
617 | # Default mode: check values and regenerate configuration files
|
---|
618 | if (len(sys.argv) >= 3) and (sys.argv[2] == 'default'):
|
---|
619 | if (infer_verify_choices(config, rules)):
|
---|
620 | preprocess_config(config, rules)
|
---|
621 | create_output(MAKEFILE, MACROS, config, rules)
|
---|
622 | return 0
|
---|
623 |
|
---|
624 | # Hands-off mode: check values and regenerate configuration files,
|
---|
625 | # but no interactive fallback
|
---|
626 | if (len(sys.argv) >= 3) and (sys.argv[2] == 'hands-off'):
|
---|
627 | # We deliberately test sys.argv >= 4 because we do not want
|
---|
628 | # to read implicitly any possible previous run configuration
|
---|
629 | if len(sys.argv) < 4:
|
---|
630 | sys.stderr.write("Configuration error: No presets specified\n")
|
---|
631 | return 2
|
---|
632 |
|
---|
633 | if (infer_verify_choices(config, rules)):
|
---|
634 | preprocess_config(config, rules)
|
---|
635 | create_output(MAKEFILE, MACROS, config, rules)
|
---|
636 | return 0
|
---|
637 |
|
---|
638 | sys.stderr.write("Configuration error: The presets are ambiguous\n")
|
---|
639 | return 1
|
---|
640 |
|
---|
641 | # Check mode: only check configuration
|
---|
642 | if (len(sys.argv) >= 3) and (sys.argv[2] == 'check'):
|
---|
643 | if infer_verify_choices(config, rules):
|
---|
644 | return 0
|
---|
645 | return 1
|
---|
646 |
|
---|
647 | # Random mode
|
---|
648 | if (len(sys.argv) == 3) and (sys.argv[2] == 'random'):
|
---|
649 | ok = random_choices(config, rules, 0)
|
---|
650 | if not ok:
|
---|
651 | sys.stderr.write("Internal error: unable to generate random config.\n")
|
---|
652 | return 2
|
---|
653 | if not infer_verify_choices(config, rules):
|
---|
654 | sys.stderr.write("Internal error: random configuration not consistent.\n")
|
---|
655 | return 2
|
---|
656 | preprocess_config(config, rules)
|
---|
657 | create_output(MAKEFILE, MACROS, config, rules)
|
---|
658 |
|
---|
659 | return 0
|
---|
660 |
|
---|
661 | screen = xtui.screen_init()
|
---|
662 | try:
|
---|
663 | selname = None
|
---|
664 | position = None
|
---|
665 | while True:
|
---|
666 |
|
---|
667 | # Cancel out all values which have to be deduced
|
---|
668 | for varname, vartype, name, choices, cond in rules:
|
---|
669 | if (vartype == 'y') and (varname in config) and (config[varname] == '*'):
|
---|
670 | config[varname] = None
|
---|
671 |
|
---|
672 | options = []
|
---|
673 | opt2row = {}
|
---|
674 | cnt = 1
|
---|
675 |
|
---|
676 | options.append(" --- Load preconfigured defaults ... ")
|
---|
677 |
|
---|
678 | for rule in rules:
|
---|
679 | varname, vartype, name, choices, cond = rule
|
---|
680 |
|
---|
681 | if cond and (not check_condition(cond, config, rules)):
|
---|
682 | continue
|
---|
683 |
|
---|
684 | if varname == selname:
|
---|
685 | position = cnt
|
---|
686 |
|
---|
687 | if not varname in config:
|
---|
688 | value = None
|
---|
689 | else:
|
---|
690 | value = config[varname]
|
---|
691 |
|
---|
692 | if not validate_rule_value(rule, value):
|
---|
693 | value = None
|
---|
694 |
|
---|
695 | default = get_default_rule(rule)
|
---|
696 |
|
---|
697 | #
|
---|
698 | # If we don't have a value but we do have
|
---|
699 | # a default, use it.
|
---|
700 | #
|
---|
701 | if value == None and default != None:
|
---|
702 | value = default
|
---|
703 | config[varname] = default
|
---|
704 |
|
---|
705 | option = get_rule_option(rule, value)
|
---|
706 | if option != None:
|
---|
707 | options.append(option)
|
---|
708 | else:
|
---|
709 | continue
|
---|
710 |
|
---|
711 | opt2row[cnt] = (varname, vartype, name, choices)
|
---|
712 |
|
---|
713 | cnt += 1
|
---|
714 |
|
---|
715 | if (position != None) and (position >= len(options)):
|
---|
716 | position = None
|
---|
717 |
|
---|
718 | (button, value) = xtui.choice_window(screen, 'HelenOS configuration', 'Choose configuration option', options, position)
|
---|
719 |
|
---|
720 | if button == 'cancel':
|
---|
721 | return 'Configuration canceled'
|
---|
722 |
|
---|
723 | if button == 'done':
|
---|
724 | if (infer_verify_choices(config, rules)):
|
---|
725 | break
|
---|
726 | else:
|
---|
727 | xtui.error_dialog(screen, 'Error', 'Some options have still undefined values. These options are marked with the "?" sign.')
|
---|
728 | continue
|
---|
729 |
|
---|
730 | if value == 0:
|
---|
731 | profile = choose_profile(PRESETS_DIR, MAKEFILE, screen, config)
|
---|
732 | if profile != None:
|
---|
733 | read_presets(profile, config)
|
---|
734 | position = 1
|
---|
735 | continue
|
---|
736 |
|
---|
737 | position = None
|
---|
738 | if not value in opt2row:
|
---|
739 | raise RuntimeError("Error selecting value: %s" % value)
|
---|
740 |
|
---|
741 | (selname, seltype, name, choices) = opt2row[value]
|
---|
742 |
|
---|
743 | if not selname in config:
|
---|
744 | value = None
|
---|
745 | else:
|
---|
746 | value = config[selname]
|
---|
747 |
|
---|
748 | if seltype == 'choice':
|
---|
749 | config[selname] = subchoice(screen, name, choices, value)
|
---|
750 | elif (seltype == 'y/n') or (seltype == 'n/y'):
|
---|
751 | if config[selname] == 'y':
|
---|
752 | config[selname] = 'n'
|
---|
753 | else:
|
---|
754 | config[selname] = 'y'
|
---|
755 | finally:
|
---|
756 | xtui.screen_done(screen)
|
---|
757 |
|
---|
758 | preprocess_config(config, rules)
|
---|
759 | create_output(MAKEFILE, MACROS, config, rules)
|
---|
760 | return 0
|
---|
761 |
|
---|
762 | if __name__ == '__main__':
|
---|
763 | sys.exit(main())
|
---|