test_extended_models.py 9.24 KB
Newer Older
1
import importlib
Philip Meier's avatar
Philip Meier committed
2
import os
3
4

import pytest
5
import test_models as TM
6
import torch
7
8
9
from torchvision import models
from torchvision.models._api import WeightsEnum, Weights
from torchvision.models._utils import handle_legacy_interface
10

11

12
13
14
15
run_if_test_with_extended = pytest.mark.skipif(
    os.getenv("PYTORCH_TEST_WITH_EXTENDED", "0") != "1",
    reason="Extended tests are disabled by default. Set PYTORCH_TEST_WITH_EXTENDED=1 to run them.",
)
16
17


18
19
20
21
22
23
def _get_parent_module(model_fn):
    parent_module_name = ".".join(model_fn.__module__.split(".")[:-1])
    module = importlib.import_module(parent_module_name)
    return module


24
25
26
27
28
29
30
31
32
33
34
35
36
def _get_model_weights(model_fn):
    module = _get_parent_module(model_fn)
    weights_name = "_QuantizedWeights" if module.__name__.split(".")[-1] == "quantization" else "_Weights"
    try:
        return next(
            v
            for k, v in module.__dict__.items()
            if k.endswith(weights_name) and k.replace(weights_name, "").lower() == model_fn.__name__
        )
    except StopIteration:
        return None


37
@pytest.mark.parametrize(
38
    "name, weight",
39
    [
40
41
        ("ResNet50_Weights.IMAGENET1K_V1", models.ResNet50_Weights.IMAGENET1K_V1),
        ("ResNet50_Weights.DEFAULT", models.ResNet50_Weights.IMAGENET1K_V2),
42
        (
43
44
            "ResNet50_QuantizedWeights.DEFAULT",
            models.quantization.ResNet50_QuantizedWeights.IMAGENET1K_FBGEMM_V2,
45
        ),
46
        (
47
48
            "ResNet50_QuantizedWeights.IMAGENET1K_FBGEMM_V1",
            models.quantization.ResNet50_QuantizedWeights.IMAGENET1K_FBGEMM_V1,
49
        ),
50
51
    ],
)
52
53
def test_get_weight(name, weight):
    assert models.get_weight(name) == weight
54
55


56
57
58
59
60
61
@pytest.mark.parametrize(
    "model_fn",
    TM.get_models_from_module(models)
    + TM.get_models_from_module(models.detection)
    + TM.get_models_from_module(models.quantization)
    + TM.get_models_from_module(models.segmentation)
62
63
    + TM.get_models_from_module(models.video)
    + TM.get_models_from_module(models.optical_flow),
64
65
)
def test_naming_conventions(model_fn):
66
67
    weights_enum = _get_model_weights(model_fn)
    assert weights_enum is not None
68
    assert len(weights_enum) == 0 or hasattr(weights_enum, "DEFAULT")
69
70


71
72
73
74
75
76
@pytest.mark.parametrize(
    "model_fn",
    TM.get_models_from_module(models)
    + TM.get_models_from_module(models.detection)
    + TM.get_models_from_module(models.quantization)
    + TM.get_models_from_module(models.segmentation)
77
78
    + TM.get_models_from_module(models.video)
    + TM.get_models_from_module(models.optical_flow),
79
)
80
@run_if_test_with_extended
81
def test_schema_meta_validation(model_fn):
82
    classification_fields = ["size", "categories", "acc@1", "acc@5", "min_size"]
83
    defaults = {
84
        "all": ["task", "architecture", "recipe", "num_params"],
85
86
87
88
89
        "models": classification_fields,
        "detection": ["categories", "map"],
        "quantization": classification_fields + ["backend", "quantization", "unquantized"],
        "segmentation": ["categories", "mIoU", "acc"],
        "video": classification_fields,
90
        "optical_flow": [],
91
    }
92
    model_name = model_fn.__name__
93
94
95
96
    module_name = model_fn.__module__.split(".")[-2]
    fields = set(defaults["all"] + defaults[module_name])

    weights_enum = _get_model_weights(model_fn)
97
98
    if len(weights_enum) == 0:
        pytest.skip(f"Model '{model_name}' doesn't have any pre-trained weights.")
99
100

    problematic_weights = {}
101
    incorrect_params = []
102
    bad_names = []
103
104
105
106
    for w in weights_enum:
        missing_fields = fields - set(w.meta.keys())
        if missing_fields:
            problematic_weights[w] = missing_fields
107
        if w == weights_enum.DEFAULT:
108
            if module_name == "quantization":
109
                # parameters() count doesn't work well with quantization, so we check against the non-quantized
110
111
112
113
114
115
116
                unquantized_w = w.meta.get("unquantized")
                if unquantized_w is not None and w.meta.get("num_params") != unquantized_w.meta.get("num_params"):
                    incorrect_params.append(w)
            else:
                if w.meta.get("num_params") != sum(p.numel() for p in model_fn(weights=w).parameters()):
                    incorrect_params.append(w)
        else:
117
            if w.meta.get("num_params") != weights_enum.DEFAULT.meta.get("num_params"):
118
119
                if w.meta.get("num_params") != sum(p.numel() for p in model_fn(weights=w).parameters()):
                    incorrect_params.append(w)
120
121
        if not w.name.isupper():
            bad_names.append(w)
122
123

    assert not problematic_weights
124
    assert not incorrect_params
125
    assert not bad_names
126
127


128
@pytest.mark.parametrize(
129
130
131
132
133
    "model_fn",
    TM.get_models_from_module(models)
    + TM.get_models_from_module(models.detection)
    + TM.get_models_from_module(models.quantization)
    + TM.get_models_from_module(models.segmentation)
134
135
    + TM.get_models_from_module(models.video)
    + TM.get_models_from_module(models.optical_flow),
136
)
137
138
139
140
141
142
143
@run_if_test_with_extended
def test_transforms_jit(model_fn):
    model_name = model_fn.__name__
    weights_enum = _get_model_weights(model_fn)
    if len(weights_enum) == 0:
        pytest.skip(f"Model '{model_name}' doesn't have any pre-trained weights.")

144
    defaults = {
145
146
147
        "models": {
            "input_shape": (1, 3, 224, 224),
        },
148
149
150
        "detection": {
            "input_shape": (3, 300, 300),
        },
151
152
153
        "quantization": {
            "input_shape": (1, 3, 224, 224),
        },
154
155
156
157
        "segmentation": {
            "input_shape": (1, 3, 520, 520),
        },
        "video": {
158
            "input_shape": (1, 4, 112, 112, 3),
159
        },
160
161
162
        "optical_flow": {
            "input_shape": (1, 3, 128, 128),
        },
163
    }
164
    module_name = model_fn.__module__.split(".")[-2]
165

166
167
168
    kwargs = {**defaults[module_name], **TM._model_params.get(model_name, {})}
    input_shape = kwargs.pop("input_shape")
    x = torch.rand(input_shape)
169
    if module_name == "optical_flow":
170
        args = (x, x)
171
    else:
172
        args = (x,)
173

174
175
176
177
178
179
180
    problematic_weights = []
    for w in weights_enum:
        transforms = w.transforms()
        try:
            TM._check_jit_scriptable(transforms, args)
        except Exception:
            problematic_weights.append(w)
181

182
    assert not problematic_weights
Philip Meier's avatar
Philip Meier committed
183
184
185
186
187


# With this filter, every unexpected warning will be turned into an error
@pytest.mark.filterwarnings("error")
class TestHandleLegacyInterface:
188
    class ModelWeights(WeightsEnum):
Philip Meier's avatar
Philip Meier committed
189
190
191
192
193
194
195
        Sentinel = Weights(url="https://pytorch.org", transforms=lambda x: x, meta=dict())

    @pytest.mark.parametrize(
        "kwargs",
        [
            pytest.param(dict(), id="empty"),
            pytest.param(dict(weights=None), id="None"),
196
            pytest.param(dict(weights=ModelWeights.Sentinel), id="Weights"),
Philip Meier's avatar
Philip Meier committed
197
198
199
        ],
    )
    def test_no_warn(self, kwargs):
200
        @handle_legacy_interface(weights=("pretrained", self.ModelWeights.Sentinel))
Philip Meier's avatar
Philip Meier committed
201
202
203
204
205
206
207
        def builder(*, weights=None):
            pass

        builder(**kwargs)

    @pytest.mark.parametrize("pretrained", (True, False))
    def test_pretrained_pos(self, pretrained):
208
        @handle_legacy_interface(weights=("pretrained", self.ModelWeights.Sentinel))
Philip Meier's avatar
Philip Meier committed
209
210
211
212
213
214
215
216
        def builder(*, weights=None):
            pass

        with pytest.warns(UserWarning, match="positional"):
            builder(pretrained)

    @pytest.mark.parametrize("pretrained", (True, False))
    def test_pretrained_kw(self, pretrained):
217
        @handle_legacy_interface(weights=("pretrained", self.ModelWeights.Sentinel))
Philip Meier's avatar
Philip Meier committed
218
219
220
221
222
223
224
225
226
        def builder(*, weights=None):
            pass

        with pytest.warns(UserWarning, match="deprecated"):
            builder(pretrained)

    @pytest.mark.parametrize("pretrained", (True, False))
    @pytest.mark.parametrize("positional", (True, False))
    def test_equivalent_behavior_weights(self, pretrained, positional):
227
        @handle_legacy_interface(weights=("pretrained", self.ModelWeights.Sentinel))
Philip Meier's avatar
Philip Meier committed
228
229
230
231
        def builder(*, weights=None):
            pass

        args, kwargs = ((pretrained,), dict()) if positional else ((), dict(pretrained=pretrained))
232
        with pytest.warns(UserWarning, match=f"weights={self.ModelWeights.Sentinel if pretrained else None}"):
Philip Meier's avatar
Philip Meier committed
233
234
235
236
237
238
239
240
            builder(*args, **kwargs)

    def test_multi_params(self):
        weights_params = ("weights", "weights_other")
        pretrained_params = [param.replace("weights", "pretrained") for param in weights_params]

        @handle_legacy_interface(
            **{
241
                weights_param: (pretrained_param, self.ModelWeights.Sentinel)
Philip Meier's avatar
Philip Meier committed
242
243
244
245
246
247
248
249
250
251
252
253
254
255
                for weights_param, pretrained_param in zip(weights_params, pretrained_params)
            }
        )
        def builder(*, weights=None, weights_other=None):
            pass

        for pretrained_param in pretrained_params:
            with pytest.warns(UserWarning, match="deprecated"):
                builder(**{pretrained_param: True})

    def test_default_callable(self):
        @handle_legacy_interface(
            weights=(
                "pretrained",
256
                lambda kwargs: self.ModelWeights.Sentinel if kwargs["flag"] else None,
Philip Meier's avatar
Philip Meier committed
257
258
259
260
261
262
263
264
265
266
            )
        )
        def builder(*, weights=None, flag):
            pass

        with pytest.warns(UserWarning, match="deprecated"):
            builder(pretrained=True, flag=True)

        with pytest.raises(ValueError, match="weights"):
            builder(pretrained=True, flag=False)