Skip to content

validator

check_all_arguments(callable_variable, configuration_arguments, argument_names)

Checks if all arguments passed from configuration are valid for the target class or function.

Parameters:

  • callable_variable

    Full module path to the target class or function.

  • configuration_arguments

    All arguments passed from configuration.

  • argument_names (List[str]) –

    All arguments from the target class or function.

Raises:

  • ValueError

    If the argument is not valid for the target class or function.

Source code in quadra/utils/validator.py
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
def check_all_arguments(callable_variable: str, configuration_arguments: List[str], argument_names: List[str]) -> None:
    """Checks if all arguments passed from configuration are valid for the target class or function.

    Args:
        callable_variable : Full module path to the target class or function.
        configuration_arguments : All arguments passed from configuration.
        argument_names: All arguments from the target class or function.

    Raises:
        ValueError: If the argument is not valid for the target class or function.
    """
    for argument in configuration_arguments:
        if argument not in argument_names:
            error_string = (
                f"`{argument}` is not a valid argument passed " f"from configuration to `{callable_variable}`."
            )
            closest_match = difflib.get_close_matches(argument, argument_names, n=1, cutoff=0.5)
            if len(closest_match) > 0:
                error_string += f" Did you mean `{closest_match[0]}`?"
            raise ValueError(error_string)

get_callable_arguments(full_module_path)

Gets all arguments from module path.

Parameters:

  • full_module_path (str) –

    Full module path to the target class or function.

Raises:

  • ValueError

    If the target is not a class or a function.

Returns:

Source code in quadra/utils/validator.py
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
def get_callable_arguments(full_module_path: str) -> Tuple[List[str], bool]:
    """Gets all arguments from module path.

    Args:
        full_module_path:  Full module path to the target class or function.

    Raises:
        ValueError: If the target is not a class or a function.

    Returns:
        All arguments from the target class or function.
    """
    module_path, callable_name = full_module_path.rsplit(".", 1)
    module = importlib.import_module(module_path)
    callable_ = getattr(module, callable_name)
    # check if it is a class
    accepts_kwargs = False
    if inspect.isclass(callable_):
        arg_names = []
        for cls in callable_.__mro__:
            if cls is object:
                break
            # We don' access the instance but mypy complains
            init_argspec = inspect.getfullargspec(cls.__init__)  # type: ignore
            cls_arg_names = init_argspec.args[1:]
            cls_kwonlyargs = init_argspec.kwonlyargs
            arg_names.extend(cls_arg_names)
            arg_names.extend(cls_kwonlyargs)
            # if the target class or function accepts kwargs, we cannot check arguments
            accepts_kwargs = init_argspec.varkw is not None or accepts_kwargs
        arg_names = list(set(arg_names))
    elif inspect.isfunction(callable_):
        init_argspec = inspect.getfullargspec(callable_)
        arg_names = []
        arg_names.extend(init_argspec.args)
        arg_names.extend(init_argspec.kwonlyargs)
        accepts_kwargs = init_argspec.varkw is not None or accepts_kwargs
    else:
        raise ValueError("The target must be a class or a function.")

    return arg_names, accepts_kwargs

validate_config(_cfg, package_name='quadra')

Recursively traverse OmegaConf object and check if arguments are valid for the target class or function. If not, raise a ValueError with a suggestion for the closest match of the argument name.

Parameters:

  • _cfg (Union[DictConfig, ListConfig]) –

    OmegaConf object

  • package_name (str, default: 'quadra' ) –

    package name to check for instantiation.

Source code in quadra/utils/validator.py
 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
def validate_config(_cfg: Union[DictConfig, ListConfig], package_name: str = "quadra") -> None:
    """Recursively traverse OmegaConf object and check if arguments are valid for the target class or function.
    If not, raise a ValueError with a suggestion for the closest match of the argument name.

    Args:
        _cfg: OmegaConf object
        package_name: package name to check for instantiation.
    """
    # The below lines of code for looping over a DictConfig/ListConfig are
    # borrowed from OmegaConf PR #719.
    itr: Iterable[Any]
    if isinstance(_cfg, ListConfig):
        itr = range(len(_cfg))
    else:
        itr = _cfg
    for key in itr:
        if OmegaConf.is_missing(_cfg, key):
            continue
        if isinstance(key, str) and any(x in key for x in EXCLUDE_KEYS):
            continue
        if OmegaConf.is_config(_cfg[key]):
            validate_config(_cfg[key])
        elif isinstance(_cfg[key], str):
            if key == "_target_":
                callable_variable = str(_cfg[key])
                if callable_variable.startswith(package_name):
                    configuration_arguments = [str(x) for x in _cfg.keys() if x not in OMEGACONF_FIELDS]
                    argument_names, accepts_kwargs = get_callable_arguments(callable_variable)
                    if not accepts_kwargs:
                        check_all_arguments(callable_variable, configuration_arguments, argument_names)
        else:
            logger.debug("Skipping %s from config. It is not supported.", key)