module_stats.py 15.1 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
#
# 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.
8
from collections import namedtuple
9 10 11 12 13 14 15 16 17
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
18 19
from megengine import Tensor
from megengine import functional as F
20
from megengine.core.tensor.dtype import get_dtype_bit
21 22
from megengine.functional.tensor import zeros

23 24
from .module_utils import set_module_mode_safe

25 26 27 28 29 30 31 32 33
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")


34 35 36 37 38
_calc_flops_dict = {}
_calc_receptive_field_dict = {}


def _receptive_field_fallback(module, inputs, outputs):
39 40
    if not _receptive_field_enabled:
        return
41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63
    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,
    ),
]

64 65
_receptive_field_enabled = False

66 67

def _register_dict(*modules, dict=None):
68 69
    def callback(impl):
        for module in modules:
70
            dict[module] = impl
71 72 73 74 75
        return impl

    return callback


76 77 78 79 80 81 82 83
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)


84 85 86 87 88 89 90 91 92 93
def enable_receptive_field():
    global _receptive_field_enabled
    _receptive_field_enabled = True


def disable_receptive_field():
    global _receptive_field_enabled
    _receptive_field_enabled = False


94
@register_flops(
95
    m.Conv1d, m.Conv2d, m.Conv3d, m.ConvTranspose2d, m.LocalConv2d, m.DeformableConv2d
96
)
97
def flops_convNd(module: m.Conv2d, inputs, outputs):
98 99
    bias = 1 if module.bias is not None else 0
    # N x Cout x H x W x  (Cin x Kw x Kh + bias)
100 101 102
    return np.prod(outputs[0].shape) * (
        module.in_channels // module.groups * np.prod(module.kernel_size) + bias
    )
103

104

105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125
@register_flops(
    m.batchnorm._BatchNorm, m.SyncBatchNorm, m.GroupNorm, m.LayerNorm, m.InstanceNorm,
)
def flops_norm(module: m.Linear, inputs, outputs):
    return np.prod(inputs[0].shape) * 7


@register_flops(m.AvgPool2d, m.MaxPool2d)
def flops_pool(module: m.AvgPool2d, inputs, outputs):
    return np.prod(outputs[0].shape) * (module.kernel_size ** 2)


@register_flops(m.AdaptiveAvgPool2d, m.AdaptiveMaxPool2d)
def flops_adaptivePool(module: m.AdaptiveAvgPool2d, inputs, outputs):
    stride_h = np.floor(inputs[0].shape[2] / (inputs[0].shape[2] - 1))
    kernel_h = inputs[0].shape[2] - (inputs[0].shape[2] - 1) * stride_h
    stride_w = np.floor(inputs[0].shape[3] / (inputs[0].shape[3] - 1))
    kernel_w = inputs[0].shape[3] - (inputs[0].shape[3] - 1) * stride_w
    return np.prod(outputs[0].shape) * kernel_h * kernel_w


126 127
@register_flops(m.Linear)
def flops_linear(module: m.Linear, inputs, outputs):
128 129
    bias = module.out_features if module.bias is not None else 0
    return np.prod(outputs[0].shape) * module.in_features + bias
130

131 132 133 134 135 136 137 138 139 140

@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
141 142 143 144


# does not need import qat and quantized module since they inherit from float module.
hook_modules = (
145
    m.conv._ConvNd,
146
    m.Linear,
147
    m.BatchMatMulActivation,
148 149 150 151 152 153
    m.batchnorm._BatchNorm,
    m.LayerNorm,
    m.GroupNorm,
    m.InstanceNorm,
    m.pooling._PoolNd,
    m.adaptive_pooling._AdaptivePoolNd,
154 155 156
)


157 158 159 160 161 162 163 164 165 166
def _mean(inp):
    inp = mge.tensor(inp)
    return F.mean(inp).numpy()


def _std(inp):
    inp = mge.tensor(inp)
    return F.std(inp).numpy()


167 168 169 170 171 172 173 174 175 176 177 178 179 180
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"):
181 182 183 184 185 186 187 188
    if suffix == "B":
        scale = 1024.0
        units = ["", "Ki", "Mi", "Gi", "Ti", "Pi", "Ei", "Zi", "Yi"]
    else:
        scale = 1000.0
        units = ["", "K", "M", "G", "T", "P", "E", "Z", "Y"]
    for unit in units:
        if abs(num) < scale or unit == units[-1]:
189
            return "{:3.3f} {}{}".format(num, unit, suffix)
190
        num /= scale
191 192


193 194 195 196
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),
197
        max(getattr(i.owner, "_rf", (1, 1))[1] for i in inputs),
198 199 200
    )
    pre_stride = (
        max(getattr(i.owner, "_stride", (1, 1))[0] for i in inputs),
201
        max(getattr(i.owner, "_stride", (1, 1))[1] for i in inputs),
202 203 204 205
    )
    return pre_rf, pre_stride


206
def get_op_stats(module, inputs, outputs):
207 208
    if not isinstance(outputs, tuple) and not isinstance(outputs, list):
        outputs = (outputs,)
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
    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


239
def sum_op_stats(flops, bar_length_max=20):
240
    max_flops_num = max([i["flops_num"] for i in flops] + [0])
241 242 243 244 245
    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")

246
    for d in flops:
247 248 249
        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)
250
        d["bar"] = "#" * bar_length
251
        d["flops"] = sizeof_fmt(d["flops_num"], suffix="OPs")
252

253 254 255 256 257 258 259 260 261 262 263 264
    total_flops_str = sizeof_fmt(total_flops_num, suffix="OPs")
    total_var_size = sum(
        sum(s[1] if len(s) > 1 else 0 for s in d["output_shapes"]) for d in flops
    )
    flops.append(
        dict(name="total", flops=total_flops_str, output_shapes=total_var_size)
    )

    return total_flops_num, flops


def print_op_stats(flops):
265 266 267 268 269 270 271 272 273 274
    header = [
        "name",
        "class_name",
        "input_shapes",
        "output_shapes",
        "flops",
        "flops_cum",
        "percentage",
        "bar",
    ]
275 276 277
    if _receptive_field_enabled:
        header.insert(4, "receptive_field")
        header.insert(5, "stride")
278 279 280
    logger.info("flops stats: \n" + tabulate.tabulate(dict2table(flops, header=header)))


281 282
def get_param_stats(param: Tensor):
    nbits = get_dtype_bit(np.dtype(param.dtype).name)
283 284 285 286
    shape = param.shape
    param_dim = np.prod(param.shape)
    param_size = param_dim * nbits // 8
    return {
287
        "dtype": np.dtype(param.dtype),
288
        "shape": shape,
289 290
        "mean": "{:.3g}".format(_mean(param)),
        "std": "{:.3g}".format(_std(param)),
291 292 293 294 295 296
        "param_dim": param_dim,
        "nbits": nbits,
        "size": param_size,
    }


297
def sum_param_stats(params, bar_length_max=20):
298
    max_size = max([d["size"] for d in params] + [0])
299 300 301 302 303 304 305
    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:
306 307 308 309
        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)
310
        d["size_bar"] = "#" * bar_length
311
        d["size"] = sizeof_fmt(d["size"])
312 313 314 315

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

316 317 318 319
    return total_param_dims, total_param_size, params


def print_param_stats(params):
320 321
    header = [
        "name",
322
        "dtype",
323 324 325 326
        "shape",
        "mean",
        "std",
        "param_dim",
327
        "nbits",
328 329 330 331 332 333 334 335 336
        "size",
        "size_cum",
        "percentage",
        "size_bar",
    ]
    logger.info(
        "param stats: \n" + tabulate.tabulate(dict2table(params, header=header))
    )

337

338
def get_activation_stats(output: Tensor):
339
    out_shape = output.shape
340
    activations_dtype = np.dtype(output.dtype)
341 342 343 344 345 346 347
    nbits = get_dtype_bit(activations_dtype.name)
    act_dim = np.prod(out_shape)
    act_size = act_dim * nbits // 8
    return {
        "dtype": activations_dtype,
        "shape": out_shape,
        "act_dim": act_dim,
348 349
        "mean": "{:.3g}".format(_mean(output)),
        "std": "{:.3g}".format(_std(output)),
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
        "nbits": nbits,
        "size": act_size,
    }


def sum_activations_stats(activations, bar_length_max=20):
    max_act_size = max([i["size"] for i in activations] + [0])
    total_act_dims, total_act_size = 0, 0
    for d in activations:
        total_act_size += int(d["size"])
        total_act_dims += int(d["act_dim"])
        d["size_cum"] = sizeof_fmt(total_act_size)

    for d in activations:
        ratio = d["ratio"] = d["size"] / total_act_size
        d["percentage"] = "{:.2f}%".format(ratio * 100)
        bar_length = int(d["size"] / max_act_size * bar_length_max)
        d["size_bar"] = "#" * bar_length
        d["size"] = sizeof_fmt(d["size"])

    act_size = sizeof_fmt(total_act_size)
    activations.append(dict(name="total", act_dim=total_act_dims, size=act_size,))

    return total_act_dims, total_act_size, activations


def print_activations_stats(activations):
    header = [
        "name",
        "class_name",
        "dtype",
        "shape",
        "mean",
        "std",
        "nbits",
        "act_dim",
        "size",
        "size_cum",
        "percentage",
        "size_bar",
    ]
    logger.info(
        "activations stats: \n"
        + tabulate.tabulate(dict2table(activations, header=header))
    )
395 396 397 398 399 400


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


403
def module_stats(
404
    model: m.Module,
405
    input_shapes: list,
406 407 408
    bar_length_max: int = 20,
    log_params: bool = True,
    log_flops: bool = True,
409
    log_activations: bool = True,
410 411 412 413 414
):
    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.
415
    :param input_shapes: shapes of inputs for running model and calculating stats.
416 417 418
    :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.
419
    :param log_activations: whether print and record op activations.
420
    """
421
    disable_receptive_field()
422

423
    def module_stats_hook(module, inputs, outputs, name=""):
424
        class_name = str(module.__class__).split(".")[-1].split("'")[0]
425
        flops_stats = get_op_stats(module, inputs, outputs)
426 427 428 429
        if flops_stats is not None:
            flops_stats["name"] = name
            flops_stats["class_name"] = class_name
            flops.append(flops_stats)
430 431 432

        if hasattr(module, "weight") and module.weight is not None:
            w = module.weight
433
            param_stats = get_param_stats(w)
434 435
            param_stats["name"] = name + "-w"
            params.append(param_stats)
436 437 438

        if hasattr(module, "bias") and module.bias is not None:
            b = module.bias
439
            param_stats = get_param_stats(b)
440 441
            param_stats["name"] = name + "-b"
            params.append(param_stats)
442

443
        if not isinstance(outputs, tuple) or not isinstance(outputs, list):
444
            output = outputs
445
        else:
446
            output = outputs[0]
447 448 449 450
        activation_stats = get_activation_stats(output)
        activation_stats["name"] = name
        activation_stats["class_name"] = class_name
        activations.append(activation_stats)
451

452
    # multiple inputs to the network
453 454
    if not isinstance(input_shapes[0], tuple):
        input_shapes = [input_shapes]
455 456 457 458

    params = []
    flops = []
    hooks = []
459 460 461
    activations = []
    total_stats = namedtuple("total_stats", ["param_size", "flops", "act_size"])
    stats_details = namedtuple("module_stats", ["params", "flops", "activations"])
462 463 464 465

    for (name, module) in model.named_modules():
        if isinstance(module, hook_modules):
            hooks.append(
466
                module.register_forward_hook(partial(module_stats_hook, name=name))
467 468
            )

469 470
    inputs = [zeros(in_size, dtype=np.float32) for in_size in input_shapes]
    with set_module_mode_safe(model, training=False) as model:
471 472
        model(*inputs)

473 474 475
    for h in hooks:
        h.remove()

476 477 478
    extra_info = {
        "#params": len(params),
    }
479 480 481 482 483 484 485 486 487 488 489
    (
        total_flops,
        total_param_dims,
        total_param_size,
        total_act_dims,
        total_param_size,
    ) = (0, 0, 0, 0, 0)

    total_param_dims, total_param_size, params = sum_param_stats(params, bar_length_max)
    extra_info["total_param_dims"] = sizeof_fmt(total_param_dims, suffix="")
    extra_info["total_param_size"] = sizeof_fmt(total_param_size)
490
    if log_params:
491 492 493 494
        print_param_stats(params)

    total_flops, flops = sum_op_stats(flops, bar_length_max)
    extra_info["total_flops"] = sizeof_fmt(total_flops, suffix="OPs")
495
    if log_flops:
496 497 498 499 500 501 502 503 504 505 506
        print_op_stats(flops)

    total_act_dims, total_act_size, activations = sum_activations_stats(
        activations, bar_length_max
    )
    extra_info["total_act_dims"] = sizeof_fmt(total_act_dims, suffix="")
    extra_info["total_act_size"] = sizeof_fmt(total_act_size)
    if log_activations:
        print_activations_stats(activations)

    extra_info["flops/param_size"] = "{:3.3f}".format(total_flops / total_param_size)
507

508 509
    print_summary(**extra_info)

510 511 512 513 514 515
    return (
        total_stats(
            param_size=total_param_size, flops=total_flops, act_size=total_act_size,
        ),
        stats_details(params=params, flops=flops, activations=activations),
    )