module_stats.py 10.4 KB
Newer Older
1 2
# MegEngine is Licensed under the Apache License, Version 2.0 (the "License")
#
3
# Copyright (c) 2014-2021 Megvii Inc. All rights reserved.
4 5 6 7 8 9 10 11 12 13 14 15 16
#
# Unless required by applicable law or agreed to in writing,
# software distributed under the License is distributed on an
# "AS IS" BASIS, WITHOUT ARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
from functools import partial

import numpy as np
import tabulate

import megengine as mge
import megengine.module as m
import megengine.module.qat as qatm
import megengine.module.quantized as qm
17
from megengine.core.tensor.dtype import get_dtype_bit
18 19 20 21 22 23 24 25 26 27 28
from megengine.functional.tensor import zeros

try:
    mge.logger.MegEngineLogFormatter.max_lines = float("inf")
except AttributeError as e:
    raise ValueError("set logger max lines failed")

logger = mge.get_logger(__name__)
logger.setLevel("INFO")


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
_calc_flops_dict = {}
_calc_receptive_field_dict = {}


def _receptive_field_fallback(module, inputs, outputs):
    assert not hasattr(module, "_rf")
    assert not hasattr(module, "_stride")
    if len(inputs) == 0:
        # TODO: support other dimension
        module._rf = (1, 1)
        module._stride = (1, 1)
        return module._rf, module._stride
    rf, stride = preprocess_receptive_field(module, inputs, outputs)
    module._rf = rf
    module._stride = stride
    return rf, stride


# key tuple, impl_dict, fallback
_iter_list = [
    ("flops_num", _calc_flops_dict, None),
    (
        ("receptive_field", "stride"),
        _calc_receptive_field_dict,
        _receptive_field_fallback,
    ),
]


def _register_dict(*modules, dict=None):
59 60
    def callback(impl):
        for module in modules:
61
            dict[module] = impl
62 63 64 65 66
        return impl

    return callback


67 68 69 70 71 72 73 74 75 76
def register_flops(*modules):
    return _register_dict(*modules, dict=_calc_flops_dict)


def register_receptive_field(*modules):
    return _register_dict(*modules, dict=_calc_receptive_field_dict)


@register_flops(
    m.Conv1d, m.Conv2d, m.Conv3d,
77
)
78
def flops_convNd(module: m.Conv2d, inputs, outputs):
79 80
    bias = 1 if module.bias is not None else 0
    group = module.groups
81 82
    ic = inputs[0].shape[1]
    oc = outputs[0].shape[1]
83 84
    goc = oc // group
    gic = ic // group
85 86
    N = outputs[0].shape[0]
    HW = np.prod(outputs[0].shape[2:])
87 88 89 90
    # N x Cout x H x W x  (Cin x Kw x Kh + bias)
    return N * HW * goc * (gic * np.prod(module.kernel_size) + bias)


91 92 93 94
@register_flops(m.ConvTranspose2d)
def flops_deconvNd(module: m.ConvTranspose2d, inputs, outputs):
    return np.prod(inputs[0].shape) * outputs[0].shape[1] * np.prod(module.kernel_size)

95

96 97 98 99
@register_flops(m.Linear)
def flops_linear(module: m.Linear, inputs, outputs):
    bias = 1 if module.bias is not None else 0
    return np.prod(outputs[0].shape) * module.in_features
100

101 102 103 104 105 106 107 108 109 110

@register_flops(m.BatchMatMulActivation)
def flops_batchmatmul(module: m.BatchMatMulActivation, inputs, outputs):
    bias = 1 if module.bias is not None else 0
    x = inputs[0]
    w = module.weight
    batch_size = x.shape[0]
    n, p = x.shape[1:]
    _, m = w.shape[1:]
    return n * (p + bias) * m * batch_size
111 112 113 114


# does not need import qat and quantized module since they inherit from float module.
hook_modules = (
115
    m.conv._ConvNd,
116
    m.Linear,
117
    m.BatchMatMulActivation,
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
def dict2table(list_of_dict, header):
    table_data = [header]
    for d in list_of_dict:
        row = []
        for h in header:
            v = ""
            if h in d:
                v = d[h]
            row.append(v)
        table_data.append(row)
    return table_data


def sizeof_fmt(num, suffix="B"):
    for unit in ["", "Ki", "Mi", "Gi", "Ti", "Pi", "Ei", "Zi"]:
        if abs(num) < 1024.0:
            return "{:3.3f} {}{}".format(num, unit, suffix)
        num /= 1024.0
    sign_str = "-" if num < 0 else ""
    return "{}{:.1f} {}{}".format(sign_str, num, "Yi", suffix)


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
def preprocess_receptive_field(module, inputs, outputs):
    # TODO: support other dimensions
    pre_rf = (
        max(getattr(i.owner, "_rf", (1, 1))[0] for i in inputs),
        max(i.owner._rf[1] for i in inputs),
    )
    pre_stride = (
        max(getattr(i.owner, "_stride", (1, 1))[0] for i in inputs),
        max(i.owner._stride[1] for i in inputs),
    )
    return pre_rf, pre_stride


def get_flops_stats(module, inputs, outputs):
    rst = {
        "input_shapes": [i.shape for i in inputs],
        "output_shapes": [o.shape for o in outputs],
    }
    valid_flag = False
    for key, _dict, fallback in _iter_list:
        for _type in _dict:
            if isinstance(module, _type):
                value = _dict[_type](module, inputs, outputs)
                valid_flag = True
                break
        else:
            if fallback is not None:
                value = fallback(module, inputs, outputs)
            continue

        if isinstance(key, tuple):
            assert isinstance(value, tuple)
            for k, v in zip(key, value):
                rst[k] = v
        else:
            rst[key] = value

    if valid_flag:
        return rst
    else:
        return None
    return


187
def print_flops_stats(flops, bar_length_max=20):
188
    max_flops_num = max([i["flops_num"] for i in flops] + [0])
189 190 191 192 193
    total_flops_num = 0
    for d in flops:
        total_flops_num += int(d["flops_num"])
        d["flops_cum"] = sizeof_fmt(total_flops_num, suffix="OPs")

194
    for d in flops:
195 196 197
        ratio = d["ratio"] = d["flops_num"] / total_flops_num
        d["percentage"] = "{:.2f}%".format(ratio * 100)
        bar_length = int(d["flops_num"] / max_flops_num * bar_length_max)
198
        d["bar"] = "#" * bar_length
199
        d["flops"] = sizeof_fmt(d["flops_num"], suffix="OPs")
200 201 202 203 204 205

    header = [
        "name",
        "class_name",
        "input_shapes",
        "output_shapes",
206 207
        "receptive_field",
        "stride",
208 209 210 211 212 213 214
        "flops",
        "flops_cum",
        "percentage",
        "bar",
    ]

    total_flops_str = sizeof_fmt(total_flops_num, suffix="OPs")
215
    total_var_size = sum(
216
        sum(s[1] if len(s) > 1 else 0 for s in d["output_shapes"]) for d in flops
217
    )
218 219 220 221 222 223 224 225 226
    flops.append(
        dict(name="total", flops=total_flops_str, output_shapes=total_var_size)
    )

    logger.info("flops stats: \n" + tabulate.tabulate(dict2table(flops, header=header)))

    return total_flops_num


227 228 229 230 231 232 233
def get_param_stats(param: np.ndarray):
    nbits = get_dtype_bit(param.dtype.name)
    shape = param.shape
    param_dim = np.prod(param.shape)
    param_size = param_dim * nbits // 8
    return {
        "shape": shape,
234 235
        "mean": "{:.3g}".format(param.mean()),
        "std": "{:.3g}".format(param.std()),
236 237 238 239 240 241
        "param_dim": param_dim,
        "nbits": nbits,
        "size": param_size,
    }


242
def print_params_stats(params, bar_length_max=20):
243
    max_size = max([d["size"] for d in params] + [0])
244 245 246 247 248 249 250
    total_param_dims, total_param_size = 0, 0
    for d in params:
        total_param_dims += int(d["param_dim"])
        total_param_size += int(d["size"])
        d["size_cum"] = sizeof_fmt(total_param_size)

    for d in params:
251 252 253 254
        ratio = d["size"] / total_param_size
        d["ratio"] = ratio
        d["percentage"] = "{:.2f}%".format(ratio * 100)
        bar_length = int(d["size"] / max_size * bar_length_max)
255
        d["size_bar"] = "#" * bar_length
256
        d["size"] = sizeof_fmt(d["size"])
257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277

    param_size = sizeof_fmt(total_param_size)
    params.append(dict(name="total", param_dim=total_param_dims, size=param_size,))

    header = [
        "name",
        "shape",
        "mean",
        "std",
        "param_dim",
        "bits",
        "size",
        "size_cum",
        "percentage",
        "size_bar",
    ]

    logger.info(
        "param stats: \n" + tabulate.tabulate(dict2table(params, header=header))
    )

278 279 280 281 282 283 284
    return total_param_dims, total_param_size


def print_summary(**kwargs):
    data = [["item", "value"]]
    data.extend(list(kwargs.items()))
    logger.info("summary\n" + tabulate.tabulate(data))
285 286


287
def module_stats(
288 289 290 291 292 293 294 295 296 297 298 299 300 301 302
    model: m.Module,
    input_size: int,
    bar_length_max: int = 20,
    log_params: bool = True,
    log_flops: bool = True,
):
    r"""
    Calculate and print ``model``'s statistics by adding hook and record Module's inputs outputs size.

    :param model: model that need to get stats info.
    :param input_size: size of input for running model and calculating stats.
    :param bar_length_max: size of bar indicating max flops or parameter size in net stats.
    :param log_params: whether print and record params size.
    :param log_flops: whether print and record op flops.
    """
303

304
    def module_stats_hook(module, inputs, outputs, name=""):
305 306
        class_name = str(module.__class__).split(".")[-1].split("'")[0]

307 308 309 310 311
        flops_stats = get_flops_stats(module, inputs, outputs)
        if flops_stats is not None:
            flops_stats["name"] = name
            flops_stats["class_name"] = class_name
            flops.append(flops_stats)
312 313 314

        if hasattr(module, "weight") and module.weight is not None:
            w = module.weight
315 316 317
            param_stats = get_param_stats(w.numpy())
            param_stats["name"] = name + "-w"
            params.append(param_stats)
318 319 320

        if hasattr(module, "bias") and module.bias is not None:
            b = module.bias
321 322 323
            param_stats = get_param_stats(b.numpy())
            param_stats["name"] = name + "-b"
            params.append(param_stats)
324 325 326 327 328 329 330 331 332 333 334 335

    # multiple inputs to the network
    if not isinstance(input_size[0], tuple):
        input_size = [input_size]

    params = []
    flops = []
    hooks = []

    for (name, module) in model.named_modules():
        if isinstance(module, hook_modules):
            hooks.append(
336
                module.register_forward_hook(partial(module_stats_hook, name=name))
337 338 339 340 341 342 343 344
            )

    inputs = [zeros(in_size, dtype=np.float32) for in_size in input_size]
    model.eval()
    model(*inputs)
    for h in hooks:
        h.remove()

345 346 347 348
    extra_info = {
        "#params": len(params),
    }
    total_flops, total_param_dims, total_param_size = 0, 0, 0
349
    if log_params:
350
        total_param_dims, total_param_size = print_params_stats(params, bar_length_max)
351 352
        extra_info["total_param_dims"] = sizeof_fmt(total_param_dims)
        extra_info["total_param_size"] = sizeof_fmt(total_param_size)
353
    if log_flops:
354
        total_flops = print_flops_stats(flops, bar_length_max)
355 356 357 358 359
        extra_info["total_flops"] = sizeof_fmt(total_flops, suffix="OPs")
    if log_params and log_flops:
        extra_info["flops/param_size"] = "{:3.3f}".format(
            total_flops / total_param_size
        )
360

361 362
    print_summary(**extra_info)

363
    return total_param_size, total_flops