-
Notifications
You must be signed in to change notification settings - Fork 3
/
update_config.py
1173 lines (954 loc) · 40.2 KB
/
update_config.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
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
# SPDX-License-Identifier: GPL-2.0-or-later
# depthcharge-tools boards.ini update script
# Copyright (C) 2021-2022 Alper Nebi Yasak <[email protected]>
# See COPYRIGHT and LICENSE files for full copyright information.
#! /usr/bin/env python3
import configparser
import collections
import json
import logging
import re
from functools import lru_cache
from pathlib import Path
from depthcharge_tools import __version__
from depthcharge_tools.utils.argparse import (
Command,
Argument,
Group,
)
from depthcharge_tools.utils.collections import (
DirectedGraph,
SortedDict,
)
from depthcharge_tools.utils.pathlib import (
iterdir,
read_lines,
)
class update_config(
Command,
prog="update_config.py",
add_help=False,
):
"""
Maintainer tool to help update depthcharge-tools config.ini
---
If you're packaging depthcharge-tools, don't use this as a build
step. Results from this are intended to be checked and modified
manually before they go into the final config.ini, the file
committed to the repository is the canonical one.
"""
logger = logging.getLogger(__name__)
@Group
def options(self):
"""Options"""
@options.add
@Argument("-h", "--help", action="help")
def print_help(self):
"""Show this help message."""
# type(self).parser.print_help()
@options.add
@Argument(
"-V", "--version",
action="version",
version="depthcharge-tools %(prog)s {}".format(__version__),
)
def version(self):
"""Print program version."""
return type(self).version.version % {"prog": type(self).prog}
@options.add
@Argument("-v", "--verbose", count=True)
def verbosity(self, verbosity=0):
"""Print more detailed output."""
level = logging.WARNING - int(verbosity) * 10
self.logger.setLevel(level)
return verbosity
def parse_recovery_conf_block(self, block):
values = {}
for line in block.splitlines():
if line.startswith("#"):
continue
key, sep, value = line.partition("=")
if sep != "=":
raise ValueError(
"No equals sign in line: '{}'"
.format(line)
)
if key not in values:
values[key] = value
elif isinstance(values[key], list):
values[key].append(value)
else:
values[key] = [values[key], value]
if "filesize" in values:
values["filesize"] = int(values["filesize"] or 0)
if "zipfilesize" in values:
values["zipfilesize"] = int(values["zipfilesize"] or 0)
return values
@options.add
@Argument("-r", "--recovery-conf")
def recovery_conf(self, path=None):
"""\
Chrome OS recovery.conf file for their Linux recovery tool
https://dl.google.com/dl/edgedl/chromeos/recovery/recovery.conf
"""
return Path(path) if path else None
@property
@lru_cache
def recovery_conf_boards(self):
if self.recovery_conf is None:
return {}
header, *blocks = [
self.parse_recovery_conf_block(block)
for block in re.split("\n\n+", self.recovery_conf.read_text())
]
version = header.get(
"recovery_tool_linux_version",
header.get("recovery_tool_version"),
)
if version != "0.9.2":
raise TypeError(
"Unsupported recovery.conf version: {}"
.format(header.get("recovery_tool_update", version))
)
boards = collections.defaultdict(list)
for block in blocks:
hwidmatch = block.get("hwidmatch")
# This might be a parent board, but the best fallback we have
codename = block.get("file").split("_")[2]
if hwidmatch == "duplicate of rabbid":
codename = "rabbid"
block["hwidmatch"] = None
elif hwidmatch == "duplicate of C433":
codename = "shyvana"
block["hwidmatch"] = None
elif hwidmatch == "Duplicate of BARLA":
codename = "barla"
block["hwidmatch"] = None
elif hwidmatch.strip("^(").startswith("ACER ZGB"):
pass # x86-zgb, x86-zgb-he
elif hwidmatch.strip("^(").startswith("IEC MARIO"):
pass # x86-mario
elif hwidmatch.strip("^(").startswith("SAMS ALEX"):
pass # x86-alex, x86-alex-he
elif hwidmatch in (
"DOES NOT MATCH ANYTHING",
"NO MATCH JUST FOR ENTRY",
):
codename = block.get("file").split("_")[2]
block["hwidmatch"] = None
else:
m = re.match("^\^?\(?([0-9A-Z]+)[^0-9A-Za-z]", hwidmatch)
if m:
codename = m.group(1).lower()
else:
self.logger.warning(
"Could not parse codename for hwidmatch '{}'."
.format(hwidmatch)
)
if codename:
boards[codename].append(block)
return dict(boards)
def read_profiles_repo_name(self, d):
# A single-line file, so return the first line
for line in read_lines(d / "profiles" / "repo_name"):
return line.strip()
def parse_layout_conf(self, d):
values = {}
for line in read_lines(d / "metadata" / "layout.conf"):
key, eq, value = line.partition("=")
if eq == "=" and "#" not in key:
values[key.strip()] = value.strip()
return values
def get_profiles_base_parent_boards(self, d):
parents = []
for line in read_lines(d / "profiles" / "base" / "parent"):
# Most end with :base, but there were e.g. freon:base/amd64
lhs, sep, rhs = line.partition(":")
if sep == ":" and rhs.startswith("base"):
parents.append(lhs)
# Very old scheme, e.g. firmware-snow-2695.B tegra variants
prefix = "../../../"
suffix = "/profiles/base"
if line.startswith(prefix) and line.endswith(suffix):
parents.append(line[len(prefix):-len(suffix)])
return parents
def get_model_yaml_boards(self, d):
children = set()
# chromeos-config-bsp directories can have inconsistent names.
for config_d in d.glob("chromeos-base/chromeos-config-bsp*"):
for line in read_lines(config_d / "files" / "model.yaml"):
# A giant hack that lets me avoid parsing yaml
keyname = "- $device-name:"
space, sep, child = line.partition(keyname)
if sep == keyname and "#" not in space:
children.add(child.strip().strip('\'"'))
return children
@options.add
@Argument("-b", "--board-overlays-repo")
def board_overlays_repo(self, path=None):
"""\
Chromium OS board-overlays git repository
https://chromium.googlesource.com/chromiumos/overlays/board-overlays
"""
return Path(path) if path else None
def get_project_config_boards(self, d):
children = set()
project_config = (
d / "sw_build_config" / "platform" / "chromeos-config"
/ "generated" / "project-config.json"
)
if project_config.is_file():
config = json.loads(project_config.read_text())
for section in config["chromeos"]["configs"]:
if section["name"]:
children.add(section["name"])
return children
@options.add
@Argument("-p", "--chromiumos-project-repo")
def chromiumos_project_repo(self, path=None):
"""\
Chromium OS's chromiumos/project git repository
https://chromium.googlesource.com/chromiumos/project
"""
return Path(path) if path else None
def parse_defconfig(self, text):
values = dict()
for line in text.splitlines():
if line.startswith("#"):
continue
lhs, sep, rhs = line.partition("=")
if sep != "=" or not lhs.startswith("CONFIG_"):
continue
if rhs == "y":
value = True
elif rhs == "n":
value = False
elif rhs.startswith("0x"):
value = int(rhs, 16)
else:
value = rhs.strip().strip("'\"")
key = lhs[len("CONFIG_"):]
values[key] = value
# Not going to parse Kconfig for this
if values.get("ARCH_ARM") and not values.get("ARCH_ARM_V8"):
values["ARCH_ARM_V7"] = True
return values
@options.add
@Argument("-d", "--depthcharge-repo")
def depthcharge_repo(self, path=None):
"""\
Chromium OS depthcharge firmware git repository
https://chromium.googlesource.com/chromiumos/platform/depthcharge
"""
return Path(path) if path else None
def parse_kconfig_defaults(self, text):
defaults = {}
clean_text, _ = re.subn("#.*\n", "\n", text)
blocks = re.split("\n\n+", clean_text)
for block in blocks:
config = None
for line in block.splitlines():
line = line.strip()
if not line or line.startswith("help"):
if config is None:
continue
else:
config = None
break
m = re.match("config ([0-9A-Z_]+)", line)
if m:
config = m.group(1)
type_ = lambda s: str.strip(s, "'\"")
defaults[config] = {}
if config is None:
continue
if line.startswith("hex"):
type_ = lambda x: int(x, 16)
elif line.startswith("int"):
type_ = int
elif line.startswith("bool"):
type_ = lambda b: b in ("y", "Y")
elif line.startswith("string"):
type_ = lambda s: str.strip(s, "'\"")
m = re.match("default (\S+|\".+\")$", line)
try:
value = type_(m.group(1).strip("'\""))
except ValueError:
value = m.group(1)
except AttributeError:
value = None
finally:
if value is not None:
defaults[config][None] = value
value = None
m = re.match("default (\S+|\".+\") if ([0-9A-Z_]+)", line)
try:
value = type_(m.group(1))
cond = m.group(2)
except ValueError:
value = m.group(1)
cond = m.group(2)
except AttributeError:
value = None
cond = None
finally:
if value is not None and cond is not None:
defaults[config][cond] = value
value = None
return defaults
def parse_kconfig_selects(self, text):
selects = {}
clean_text, _ = re.subn("#.*\n", "\n", text)
blocks = re.split("\n\n+", clean_text)
for block in blocks:
config = None
for line in block.splitlines():
line = line.strip()
if not line or line.startswith("help"):
if config is None:
continue
else:
config = None
break
m = re.match("config ([0-9A-Z_]+)", line)
if m:
config = m.group(1)
type_ = lambda s: str.strip(s, "'\"")
selects[config] = {}
selects[config][None] = []
if config is None:
continue
m = re.match("select (\S+|\".+\")$", line)
if m:
value = m.group(1).strip("'\"")
selects[config][None].append(value)
m = re.match("select (\S+|\".+\") if ([0-9A-Z_]+)", line)
if m:
value = m.group(1)
cond = m.group(2)
if cond not in selects[config]:
selects[config][cond] = []
selects[config][cond].append(value)
return selects
@property
@lru_cache
def depthcharge_boards(self):
boards = {}
defaults = collections.defaultdict(dict)
if self.depthcharge_repo is None:
return boards
# Provide a limited set of default values to avoid having to
# parse all Kconfig files or something
image_f = self.depthcharge_repo / "src/image/Kconfig"
image_d = self.parse_kconfig_defaults(image_f.read_text())
for cond, default in image_d.get("KERNEL_SIZE", {}).items():
defaults[cond]["KERNEL_SIZE"] = default
for defconfig_f in self.depthcharge_repo.glob("board/*/defconfig"):
defconfig = self.parse_defconfig(defconfig_f.read_text())
# CONFIG_BOARD is removed in master
board = defconfig.get("BOARD", defconfig_f.parent.name)
# kevin, kevin-tpm2 both have BOARD="kevin", prefer former
if board in boards and board != defconfig_f.parent.name:
continue
board_d = {}
board_d.update(defaults.get(None, {}))
for cond, config in defaults.items():
if cond and defconfig.get(cond, None):
board_d.update(config)
board_d.update(defconfig)
boards[board] = board_d
return boards
@options.add
@Argument("-c", "--coreboot-repo")
def coreboot_repo(self, path=None):
"""\
Chromium OS coreboot firmware git repository
https://chromium.googlesource.com/chromiumos/third_party/coreboot
"""
return Path(path) if path else None
@property
@lru_cache
def coreboot_boards(self):
boards = {}
if self.coreboot_repo is None:
return boards
def get_board_name(config):
parts = config.split("_")
if len(parts) < 2 or parts[0] != "BOARD":
return None
vendor = parts[1].lower()
if not (self.coreboot_repo / "src/mainboard" / vendor).is_dir():
return None
board = "_".join(config.split("_")[2:]).lower()
return board
for kconfig_f in self.coreboot_repo.glob("src/mainboard/*/*/Kconfig"):
kconfig_name = kconfig_f.with_name("Kconfig.name")
kconfig = kconfig_f.read_text()
if kconfig_name.is_file():
kconfig_name = kconfig_name.read_text()
else:
kconfig_name = ""
defaults = self.parse_kconfig_defaults(kconfig)
selects = self.parse_kconfig_selects(kconfig)
selects.update(self.parse_kconfig_selects(kconfig_name))
def add_board(config):
board = get_board_name(config)
if board in boards:
return boards[board]
boards[board] = {}
for cond, selectlist in selects.get(config, {}).items():
if cond is None or cond in boards[board]:
for select in selectlist:
if get_board_name(select):
boards[board].update(add_board(select))
boards[board][select] = True
for key, values in defaults.items():
if get_board_name(key):
continue
value = values.get(config, values.get(None))
if value is not None:
boards[board][key] = value
board_opts = selects.get("BOARD_SPECIFIC_OPTIONS", {})
for cond, selectlist in board_opts.items():
if cond is None or cond in boards[board]:
for select in selectlist:
if get_board_name(select):
boards[board].update(add_board(select))
boards[board][select] = True
boards[board][config] = True
return boards[board]
for config, _ in defaults.items():
if get_board_name(config):
add_board(config)
for select, _ in selects.items():
if get_board_name(select):
add_board(select)
for board, block in list(boards.items()):
suffix = "_common"
if board.endswith(suffix):
actual = board[:-len(suffix)]
boards.setdefault(actual, boards.pop(board))
board = actual
prefix = "baseboard_"
if board.startswith(prefix):
actual = "baseboard-{}".format(board[len(prefix):])
boards.setdefault(actual, boards.pop(board))
board = actual
if not block.get("MAINBOARD_HAS_CHROMEOS", False):
if board in boards:
boards.pop(board)
continue
return boards
@property
@lru_cache
def board_relations(self):
board_relations = DirectedGraph()
repo_names = {}
# Find canonical names for each board
for board_d in iterdir(self.board_overlays_repo):
if not board_d.is_dir() or board_d.name.startswith("."):
continue
layout_conf = self.parse_layout_conf(board_d)
repo_name = layout_conf.get("repo-name")
# e.g. overlay-amd64-host doesn't have layout.conf
if repo_name is None:
repo_name = self.read_profiles_repo_name(board_d)
if repo_name is None:
self.logger.warning(
"Couldn't find a canonical name for board dir '{}'."
.format(board_d.name)
)
repo_name = board_d.name
repo_names[board_d.name] = repo_name
board_relations.add_node(repo_name)
for overlay, repo_name in repo_names.items():
board_d = self.board_overlays_repo / overlay
for parent in self.get_profiles_base_parent_boards(board_d):
if parent != repo_name:
board_relations.add_edge(parent, repo_name)
# Various model/skus of recent boards don't have explicit overlay
# dirs, but are specified in model.yaml in the base overlay
for child in self.get_model_yaml_boards(board_d):
if repo_name != child:
board_relations.add_edge(repo_name, child)
# Some relations only exists in layout.conf, e.g.
# - x86-generic -> x86-generic_embedded
# - project-* dirs and their children
# - peach -> peach_pit in firmware-gru-8785.B
layout_conf = self.parse_layout_conf(board_d)
for parent in layout_conf.get("masters", "").split():
if parent != repo_name and parent not in (
"chromiumos",
"portage-stable",
"eclass-overlay",
):
board_relations.add_edge(parent, repo_name)
# "snow" is the default, implicit "daisy"
if board_relations.nodes().intersection(("snow", "daisy")):
board_relations.add_edge("daisy", "snow")
# Some newer board variants are only in this project repo
for board in iterdir(self.chromiumos_project_repo):
if not board.is_dir() or board.name.startswith("."):
continue
board_relations.add_node(board.name)
for profile in iterdir(board):
if not profile.is_dir() or profile.name.startswith("."):
continue
# puff/puff exists
if profile.name != board.name:
board_relations.add_edge(board.name, profile.name)
for child in self.get_project_config_boards(profile):
# shadowkeep/shadowkeep/shadowkeep exists
if child == profile.name == board.name:
continue
# galaxy/{andromeda,sombrero} has galaxy
# make them {andromeda,sombrero}_galaxy
elif child == board.name:
child = "{}_{}".format(profile.name, child)
if child != profile.name:
board_relations.add_edge(profile.name, child)
# Project repo lists all "veyron" boards under "veyron-pinky"
if "veyron-pinky" in board_relations.nodes():
board_relations.add_edge("veyron", "veyron-pinky")
for child in board_relations.children("veyron-pinky"):
board_relations.add_edge("veyron", child)
board_relations.remove_edge("veyron-pinky", child)
# Weird stuff from depthcharge
for board, config in self.depthcharge_boards.items():
parent = config.get("BOARD", None)
parent = config.get("BOARD_DIR", parent)
if parent is None:
continue
board_relations.add_node(board)
# src/board/ and BOARD_DIR has gru (baseboard) and veyron_*
# (variants), we can't just always add "baseboard-".
if "baseboard-{}".format(parent) in board_relations.nodes():
parent = "baseboard-{}".format(parent)
# This looks incorrect for a few boards, so only add the
# relation if we don't know anything about the board
if not board_relations.parents(board):
if parent != board:
board_relations.add_edge(parent, board)
nodes = {
node.replace("-", "_"): node
for node in board_relations.nodes()
}
def coreboot_board_name(config):
if config is None or not config.startswith("BOARD_"):
return None
board = "_".join(config.split("_")[2:]).lower()
if board.startswith("baseboard_"):
board = "baseboard-{}".format(board[len("baseboard_"):])
if board not in self.coreboot_boards:
return None
return board
def add_coreboot_parents(board):
if board is None:
return None
board = nodes.get(board.replace("-", "_"), board)
board_relations.add_node(board)
block = self.coreboot_boards.get(board, {})
parents = set(
coreboot_board_name(config)
for config, value in block.items()
if value
)
for parent in parents - {board, None}:
add_coreboot_parents(parent)
parent = nodes.get(parent.replace("-", "_"), parent)
# This also has conflicts with board-overlays
if not board_relations.parents(board):
board_relations.add_edge(parent, board)
for board, block in self.coreboot_boards.items():
add_coreboot_parents(board)
nodes = {
node.replace("_", "-"): node
for node in board_relations.nodes()
}
# Recovery.conf heuristics, doesn't have actual parent board info
for board, blocks in self.recovery_conf_boards.items():
parents = set([b.get("file").split("_")[2] for b in blocks])
parents.discard(board)
if len(parents) > 1:
continue
elif len(parents) == 0:
parent = None
else:
parent = parents.pop()
# This is really inaccurate with underscores replaced with
# hyphens, so only use it if we don't know anything else
if board in nodes:
continue
# Don't duplicate veyron_speedy as speedy
if parent in nodes:
parent = nodes[parent]
if parent and parent.endswith(board):
parent = parent[:-len(board)-1]
board_relations.add_node(board)
if parent:
board_relations.add_edge(parent, board)
# Add board architectures as root parent
for board, config in self.depthcharge_boards.items():
if config.get("ARCH_X86"):
arch = "amd64"
elif config.get("ARCH_ARM_V8"):
arch = "arm64"
elif config.get("ARCH_ARM"):
arch = "arm"
else:
continue
roots = board_relations.roots(board)
for root in roots - {"x86", "amd64", "arm64", "arm"}:
board_relations.add_edge(arch, root)
# Baseboards, chipsets shouldn't depend on others in their class
for board in board_relations.nodes():
if board.startswith("chipset-"):
for child in board_relations.children(board):
if child.startswith("chipset-"):
board_relations.remove_edge(board, child)
for parent in board_relations.parents(board):
board_relations.add_edge(parent, child)
elif board.startswith("baseboard-"):
for child in board_relations.children(board):
if child.startswith("baseboard-"):
board_relations.remove_edge(board, child)
for parent in board_relations.parents(board):
board_relations.add_edge(parent, child)
# Relations from older versions no longer in main branches,
# coreboot Kconfigs I'm too lazy to parse, etc.
for parent, children in [
("amd64", ["chipset-pinetrail", "chipset-snb", "chipset-ivb",
"chipset-hsw", "chipset-cnl", "chipset-icl",
"chipset-rpl", "reven"]),
("chipset-adl", ["adlrvp", "shadowmountain"]),
("chipset-bdw", ["baseboard-auron"]),
("chipset-cml", ["cmlrvp"]),
("chipset-cnl", ["cnlrvp"]),
("chipset-glk", ["glkrvp"]),
("chipset-hsw", ["baseboard-slippy", "baseboard-beltino"]),
("chipset-icl", ["iclrvp", "dragonegg"]),
("chipset-ivb", ["stout"]),
("chipset-kbl", ["kblrvp"]),
("chipset-pinetrail", ["x86-alex-he", "x86-mario", "x86-zgb-he"]),
("chipset-snb", ["butterfly", "lumpy", "stumpy"]),
("chipset-tgl", ["tglrvp", "deltaur", "deltan", ]),
("chipset-whl", ["whlrvp"]),
("chipset-mendocino", ["chausie"]),
("baseboard-auron", ["auron"]),
("baseboard-slippy", ["slippy"]),
("baseboard-beltino", ["beltino"]),
("arm", ["chipset-tegra124", "chipset-exynos5", "chipset-cygnus",
"chipset-ipq4019", "chipset-ipq8064", "chipset-rk3288"]),
("chipset-cygnus", ["purin"]),
("chipset-exynos5", ["daisy", "peach"]),
("chipset-ipq4019", ["gale"]),
("chipset-ipq8064", ["storm"]),
("chipset-rk3288", ["veyron"]),
("chipset-tegra124", ["nyan"]),
("storm", ["arkham", "whirlwind"]),
("veyron", ["veyron_mickey", "veyron_rialto"]),
("arm64", ["chipset-tegra210", "chipset-qcs404", "chipset-mt8188g"]),
("chipset-qcs404", ["mistral"]),
("chipset-tegra210", ["foster", "smaug"]),
]:
for child in children:
board_relations.add_edge(parent, child)
return board_relations
@options.add
@Argument("-o", "--output", required=True)
def output(self, path):
"""Write updated config to PATH."""
if path is None:
raise ValueError(
"Output argument is required."
)
return Path(path).resolve()
@property
@lru_cache
def board_config_sections(self):
board_relations = self.board_relations
# "project-*" overlays don't really look like boards.
if self.board_overlays_repo is not None:
projects = set(
overlay.name.partition("-")[2]
for overlay in self.board_overlays_repo.glob("project-*")
)
else:
projects = set()
nonboards = set((
*projects,
"unprovisioned",
"signed",
"embedded",
"legacy",
"npcx796",
"npcx796fc",
"ext_ec",
"extec",
"alc1015_amp",
))
chipsets = {
"chipset-adl": "alderlake",
"chipset-adln": "alderlake-n",
"chipset-apl": "apollolake",
"chipset-bdw": "broadwell",
"chipset-bsw": "braswell",
"chipset-byt": "baytrail",
"chipset-cml": "cometlake",
"chipset-cnl": "cannonlake",
"chipset-glk": "geminilake",
"chipset-hsw": "haswell",
"chipset-icl": "icelake",
"chipset-ivb": "ivybridge",
"chipset-jsl": "jasperlake",
"chipset-kbl": "kabylake",
"chipset-mtl": "meteorlake",
"chipset-rpl": "raptorlake",
"chipset-skl": "skylake",
"chipset-snb": "sandybridge",
"chipset-tgl": "tigerlake",
"chipset-whl": "whiskeylake",
"chipset-stnyridge": "stoneyridge",
}
def get_parent(board):
# Projects can be the sole parent of actual boards (e.g.
# freon was to a lot of boards) so don't use them as parents
# at all, despite breaking e.g. termina/tael parentage.
parents = board_relations.parents(board) - nonboards
if len(parents) > 1:
self.logger.warning(
"Board '{}' has multiple parents: '{}'"
.format(board, parents)
)
elif len(parents) == 0:
return None
# Prefer longer chains
return max(
parents,
key=lambda p: len(board_relations.ancestors(p)),
)
aliases = {}
def add_alias(alias, board):
if alias in aliases:
aliases[alias] = None
else:
aliases[alias] = board
# Do not alias nonboards to anything
for nonboard in nonboards:
aliases[nonboard] = None
# Convert the nodes to the path-to-node format we want
paths = {}
for board in board_relations.nodes():
parts = [board]
parent = get_parent(board)
# Prefer full names for chipsets
if board.startswith("chipset-"):
chipset = chipsets.get(board, board[len("chipset-"):])
parts = [chipset]
# Don't keep baseboard prefix
if board.startswith("baseboard-"):
baseboard = board[len("baseboard-"):]
parts = [baseboard]
if parent is not None:
lhs, sep, rhs = board.partition("_")
if sep != "_":
pass
# Fixup left-duplication e.g. veyron/veyron_speedy
elif lhs == parent:
parts = [rhs]
add_alias(rhs, board)
# Fixup right-duplication e.g. hatch/unprovisioned_hatch
elif rhs == parent:
parts = [lhs]
add_alias(lhs, board)
# Split e.g. unprovisioned_kohaku -> kohaku/unprovisioned
elif lhs in nonboards:
parts = [lhs, rhs]
# e.g. arcada_signed, volteer2_ti50, helios_diskswap etc.
else:
parts = [rhs, lhs]
while parent is not None:
# Prefer full names for chipsets
if parent.startswith("chipset-"):
chipset = chipsets.get(parent, parent[len("chipset-"):])
parts.append(chipset)
# Normalize boards with the same name as baseboard
elif parent.startswith("baseboard-"):
baseboard = parent[len("baseboard-"):]
if parts[-1] != baseboard:
parts.append(baseboard)
else:
parts.append(parent)
parent = get_parent(parent)
paths[board] = "boards/{}".format("/".join(reversed(parts)))
for alias, board in aliases.items():
if board is not None:
paths.setdefault(alias, paths[board])
return paths
def __call__(self):
config = configparser.ConfigParser(
dict_type=SortedDict(lambda s: s.split('/')),
)
for arch in ("x86", "amd64", "arm", "arm64"):
name = self.board_config_sections.get(arch, None)
if name is None:
continue
config.add_section(name)
config[name]["arch"] = arch
config[name]["codename"] = "{}-generic".format(arch)
for board, name in self.board_config_sections.items():
if board.startswith("chipset-"):
config.add_section(name)
config[name]["codename"] = board
for codename, blocks in self.recovery_conf_boards.items():
name = self.board_config_sections.get(codename, None)
if name is None:
continue
config.add_section(name)
board = config[name]
board["codename"] = codename