blob: 5f579fc8be7f64899b1f973e6f5c04ab94fd69d3 [file] [log] [blame]
# Copyright (C) 2024 The Android Open Source Project
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Checks that the input .config has all CONFIG_s listed in defconfig and
fragments."""
import argparse
import dataclasses
import os
import pathlib
import re
import sys
import textwrap
from parse_config import parse_config, ConfigValue, ParsedConfig, ConfigFormat
@dataclasses.dataclass(frozen=True)
class Mismatch:
key: str
expected: ConfigValue
actual: ConfigValue
# Merged list of defconfig expectations.
MergedDefconfig = list[tuple[str, ConfigValue]]
@dataclasses.dataclass
class CheckConfig:
"""Kernel config checker."""
dot_config: pathlib.Path
defconfig: pathlib.Path | None = None
pre_defconfig_fragments: list[pathlib.Path] = dataclasses.field(
default_factory=list)
post_defconfig_fragments: list[pathlib.Path] = dataclasses.field(
default_factory=list)
def __post_init__(self):
self._actual = parse_config(self.dot_config, ConfigFormat.DOT_CONFIG)
self._expected = self._merge_defconfig()
def run(self):
"""Executes the check.
Returns:
True if check passes (no errors), false otherwise."""
self._check()
for mismatch in self._errors:
print(textwrap.dedent(f"""\
ERROR: {mismatch.key}: actual '{mismatch.actual.value}', expected '{mismatch.expected.value}' from {mismatch.expected.source}
"""), file=sys.stderr)
for mismatch in self._warnings:
print(textwrap.dedent(f"""\
WARNING: {mismatch.key}: actual '{mismatch.actual.value}', expected '{mismatch.expected.value}' from {mismatch.expected.source}
(ignore reason: {mismatch.expected.nocheck_reason})
"""), file=sys.stderr)
return not self._errors
def _check(self):
"""Executes the check.
Sets errors and warnings."""
self._errors = list[Mismatch]()
self._warnings = list[Mismatch]()
for key, expected_config_value in self._expected:
actual_config_value = self._actual.get(
key, ConfigValue("", self.dot_config))
if actual_config_value.value != expected_config_value.value:
mismatch = Mismatch(
key, expected_config_value, actual_config_value)
if expected_config_value.nocheck_reason is not None:
self._warnings.append(mismatch)
else:
self._errors.append(mismatch)
def _merge_defconfig(self) -> MergedDefconfig:
"""Merge a list of defconfig and fragments.
Pre overrides defconfig. Later fragments in pre overrides earlier ones.
Post overrides pre and defconfig.
For post defconfig fragments, all requirements from all fragments
are considered. No overriding is done.
"""
defconfig_and_pre = ParsedConfig()
if self.defconfig is not None:
defconfig_and_pre.update(
parse_config(self.defconfig, ConfigFormat.DEFCONFIG))
# pre overrides defconfig. Later overrides former.
for path in self.pre_defconfig_fragments:
defconfig_and_pre.update(
parse_config(path, ConfigFormat.DEFCONFIG))
# No override for post
merged_post = MergedDefconfig()
for path in self.post_defconfig_fragments:
parsed = parse_config(path, ConfigFormat.DEFCONFIG)
merged_post.extend(parsed.items())
post_keys = {key for key, _ in merged_post}
# Post overrides defconfig & pre
ret = MergedDefconfig()
for key, value in defconfig_and_pre.items():
if key not in post_keys:
ret.append((key, value))
ret += merged_post
return ret
if __name__ == "__main__":
parser = argparse.ArgumentParser(description=__doc__)
parser.add_argument(
"--dot_config", type=pathlib.Path, required=True)
parser.add_argument("--defconfig", type=pathlib.Path)
parser.add_argument("--pre_defconfig_fragments",
type=pathlib.Path, nargs="*", default=[])
parser.add_argument("--post_defconfig_fragments",
type=pathlib.Path, nargs="*", default=[])
args = parser.parse_args()
sys.exit(os.EX_OK if CheckConfig(**vars(args)).run() else os.EX_SOFTWARE)