1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 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 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 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 113 114 115 116 117 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 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 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 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 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372
|
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License.
#
# This tool is to convert ONNX model to TensorBoard events file so that we can visualize the model in TensorBoard.
# this is especially useful for debugging large models that cannot be visualized in Netron.
#
# Usage: python onnx2tfevents.py --logdir <tensorboard log directory> --model <onnx model path>
#
# Once the events file is generated, start the tensorboard and visualize the model graph.
# Note: This tool requires torch and tensorboard to be installed.
import argparse
import inspect
import itertools
from abc import ABC, abstractmethod
from collections.abc import Callable
import numpy as np
import onnx
from onnx import helper, numpy_helper
from onnx.onnx_ml_pb2 import GraphProto, ModelProto, NodeProto
from tensorboard.compat.proto.attr_value_pb2 import AttrValue
from tensorboard.compat.proto.graph_pb2 import GraphDef
from tensorboard.compat.proto.node_def_pb2 import NodeDef
from tensorboard.compat.proto.tensor_shape_pb2 import TensorShapeProto
from tensorboard.compat.proto.versions_pb2 import VersionDef
from torch.utils.tensorboard import SummaryWriter
_DTYPE_ONNX_TO_TF = {
1: 1, # FLOAT
2: 4, # UINT8
3: 6, # INT8
4: 17, # UINT16
5: 5, # INT16
6: 3, # INT32
7: 9, # INT64
8: 7, # STRING
9: 10, # BOOL
10: 19, # FLOAT16
11: 2, # DOUBLE
12: 22, # UINT32
13: 23, # UINT64
14: 8, # COMPLEX64
15: 18, # COMPLEX128
16: 14, # BFLOAT16
}
def dtype_onnx_to_tf(onnx_dtype: int) -> int:
return _DTYPE_ONNX_TO_TF.get(onnx_dtype, 0)
def get_node_by_input(graph: GraphProto, input_name: str) -> NodeProto:
"""Get the first node in the graph node list that consumes the input_name as the first input.
Return None if no such node is found.
"""
for node in graph.node:
if len(node.input) >= 1 and node.input[0] == input_name:
return node
return None
def get_prefix(name: str) -> str:
return name[: name.rfind("/") + 1]
def parse(graph: GraphProto) -> GraphDef:
nodes = []
def _add_io_node(node, type):
shape_proto = TensorShapeProto(
dim=[TensorShapeProto.Dim(size=d.dim_value, name=d.dim_param) for d in node.type.tensor_type.shape.dim]
)
nodes.append(
NodeDef(
name=node.name.encode(encoding="utf_8"),
op=type,
input=[],
attr={
"dtype": AttrValue(type=dtype_onnx_to_tf(node.type.tensor_type.elem_type)),
"shape": AttrValue(shape=shape_proto),
},
)
)
for node in graph.input:
_add_io_node(node, "Input")
for node in graph.output:
_add_io_node(node, "Output")
for node in graph.initializer:
shape_proto = TensorShapeProto(dim=[TensorShapeProto.Dim(size=d) for d in node.dims])
data = np.array2string(numpy_helper.to_array(node), separator=",").replace("\n", "").replace(" ", "")
# Truncate the data if it is too long.
data = data[:128] + "..." if len(data) > 128 else data
nodes.append(
NodeDef(
name=node.name.encode(encoding="utf_8"),
op="Const",
input=[],
attr={
"dtype": AttrValue(type=dtype_onnx_to_tf(node.data_type)),
"shape": AttrValue(shape=shape_proto),
"data": AttrValue(s=data.encode(encoding="utf_8")),
},
)
)
value_info_map = {}
for node in graph.value_info:
shape_proto = TensorShapeProto(
dim=[TensorShapeProto.Dim(size=d.dim_value, name=d.dim_param) for d in node.type.tensor_type.shape.dim]
)
value_info_map[node.name] = (shape_proto, node.type.tensor_type.elem_type)
for node in graph.node:
_attr = []
for s in node.attribute:
_attr.append(" = ".join([str(f[1]) for f in s.ListFields()]))
attr = ", ".join(_attr).encode(encoding="utf_8")
shape_proto = None
elem_type = 0
if node.output[0] in value_info_map:
shape_proto, elem_type = value_info_map[node.output[0]]
nodes.append(
NodeDef(
name=node.output[0].encode(encoding="utf_8"),
op=node.op_type,
input=node.input,
attr={
"dtype": AttrValue(type=dtype_onnx_to_tf(elem_type)),
"shape": AttrValue(shape=shape_proto),
"parameters": AttrValue(s=attr),
},
)
)
return GraphDef(node=nodes, versions=VersionDef(producer=22))
def add_onnx_model(self: SummaryWriter, model: ModelProto) -> None:
self._get_file_writer().add_onnx_graph(parse(model.graph))
# Monkey patch SummaryWriter to add onnx graph.
SummaryWriter.add_onnx_model = add_onnx_model
class TransformerBase(ABC):
"""Abstract base class for transformers that need to be applied to the ONNX graph before
converting it to TensorBoard. This base class is also used as a registry for all non-abstract transformers.
NOTE: Transformers are applied in the order they are registered. Adding a new transformer needs to consider
the dependency between it and existing transformers.
"""
_TRANSFORMERS = [] # noqa: RUF012
@classmethod
def register_transformer(cls, klass):
if not inspect.isabstract(klass):
cls._TRANSFORMERS.append(klass())
@classmethod
def run_transformers(cls, graph):
for transformer in cls._TRANSFORMERS:
transformer.transform(graph)
def __init_subclass__(cls):
super().__init_subclass__()
TransformerBase.register_transformer(cls)
@abstractmethod
def transform(self, graph: GraphProto) -> None:
pass
def _apply_to_all_names(self, graph: GraphDef, func: Callable[[str], str]) -> None:
for node in graph.node:
for idx, name in enumerate(node.input):
node.input[idx] = func(name)
for idx, name in enumerate(node.output):
node.output[idx] = func(name)
for node in itertools.chain(graph.input, graph.output, graph.initializer, graph.value_info):
node.name = func(node.name)
class HierarchicalNameTransformer(TransformerBase):
"""TensorBoard can show the graph in different levels for better visualization. PyTorch exporter can already
add hierarchical information to the ONNX graph nodes and edges, but the behavior is not consistent. For example,
for graph inputs and outputs, the exported name is _original_module.A.B.C, but for activations and initializers,
the exported name is /_original_module/A/B/C. This transformer will make the exported names consistent
to use "/" as the separator. The top level _original_module will also be removed.
"""
def __init__(self):
super().__init__()
self.sections = set()
self.original_module_name = "_original_module"
def _add_sections(self, name: str) -> None:
if "/" in name:
for sec in name.split("/"):
if len(sec) > 0:
self.sections.add(sec)
def _get_sections(self, curr_name: str, sections: list[str]) -> None:
for section in self.sections:
if curr_name.startswith(section) and (len(curr_name) == len(section) or curr_name[len(section)] == "."):
sections.append(section)
if curr_name == section:
return
self._get_sections(curr_name[len(section) + 1 :], sections)
return
sections.append(curr_name)
def _transform_name(self, name: str) -> str:
if "/" in name:
if name.startswith(f"/{self.original_module_name}/"):
name = name[len(self.original_module_name) + 2 :]
name = name.removeprefix("/")
return name
sections = []
self._get_sections(name, sections)
if sections[0] == self.original_module_name:
sections = sections[1:]
return "/".join(sections)
def transform(self, graph: GraphProto) -> None:
for node in graph.node:
for name in itertools.chain(node.input, node.output):
self._add_sections(name)
for initializer in graph.initializer:
self._add_sections(initializer.name)
self._apply_to_all_names(graph, self._transform_name)
class ReplaceNameTransformer(TransformerBase):
"""Abstract class for transformers that need to replace the names of nodes and edges in the ONNX graph.
The sub-class need to prepare the mapping between old names and new names in the _generate_new_names method.
"""
def __init__(self):
super().__init__()
self.new_names = {}
def _transform_name(self, name: str) -> str:
return self.new_names.get(name, name)
@abstractmethod
def _generate_new_names(self, graph: GraphProto) -> None:
pass
def transform(self, graph: GraphProto) -> None:
self._generate_new_names(graph)
self._apply_to_all_names(graph, self._transform_name)
class SplitSqueezeTransformer(ReplaceNameTransformer):
"""Handle the edge names without hierarchical information that are introduced by GatherToSplitFusion."""
def _generate_new_names(self, graph: GraphProto) -> None:
for node in graph.node:
if node.doc_string == "Split for Fused Gather nodes":
squeeze_node = get_node_by_input(graph, node.output[0])
assert squeeze_node is not None
prefix = get_prefix(squeeze_node.output[0])
if len(prefix) > 0:
for output in node.output:
self.new_names[output] = prefix + output
self.new_names[output + "_grad"] = prefix + output + "_grad"
class ExtraOutputsTransformer(ReplaceNameTransformer):
"""Handle the output names without hierarchical information that are introduced by some fusions.
This kind of fusions add extra outputs to the node, we will try to extract the hierarchical information
from the first output of the node and add it to those extra outputs.
"""
def __init__(self):
super().__init__()
self.supported_ops = [
"LayerNormalization",
"ConcatTraining",
"BitmaskDropout",
"BiasSoftmaxDropout",
"BitmaskBiasDropout",
]
def _generate_new_names(self, graph: GraphProto) -> None:
for node in graph.node:
if node.op_type in self.supported_ops and len(node.output) > 1:
prefix = get_prefix(node.output[0])
if len(prefix) > 0:
for output in node.output[1:]:
if "/" not in output:
self.new_names[output] = prefix + output
class YieldOpTransformer(ReplaceNameTransformer):
"""Handle the output names without hierarchical information that are introduced by YieldOp."""
def _generate_new_names(self, graph: GraphProto) -> None:
for node in graph.node:
if node.op_type == "YieldOp":
# TODO: the length of input and output can be not equal if attribute non_differentiable_outputs
# is not empty. Need to handle this case.
assert len(node.input) == len(node.output)
for idx, input in enumerate(node.input):
prefix = get_prefix(input)
if len(prefix) > 0:
self.new_names[node.output[idx]] = prefix + node.output[idx]
class ListUnpackTransformer(TransformerBase):
"""Tensorboard's NodeDef doesn't have output field, it assumes each node has only one output and put this output as
node name. If an ONNX node has more than one outputs, we will add a special node typed ListUnpack for each output.
"""
def __init__(self):
super().__init__()
self.ops = {}
def transform(self, graph: GraphProto) -> None:
new_nodes = []
for node in graph.node:
if len([output for output in node.output if len(output) > 0]) > 1:
idx = self.ops.get(node.op_type, 0)
self.ops[node.op_type] = idx + 1
new_output = f"{get_prefix(node.output[0])}{node.op_type}_{idx!s}_output"
for output in node.output:
if len(output) > 0:
new_nodes.append(helper.make_node("ListUnpack", [new_output], [output]))
node.ClearField("output")
node.output.extend([new_output])
if len(new_nodes) > 0:
graph.node.extend(new_nodes)
class AppendOpTypeTransformer(ReplaceNameTransformer):
"""Tensorboard's node search tool can only index the node name, not the node type. To make the op type searchable,
add the op type to the beginning of the node name. From the tensorboard, we can also easily get the op type
even part of the node name is truncated.
"""
def _generate_new_names(self, graph: GraphProto) -> None:
for node in graph.node:
pos = node.output[0].rfind("/")
self.new_names[node.output[0]] = f"{node.output[0][: pos + 1]}{node.op_type}::{node.output[0][pos + 1 :]}"
def main():
parser = argparse.ArgumentParser()
parser.add_argument("--logdir", help="Tensorboard log directory")
parser.add_argument("--model", help="ONNX model path")
args = parser.parse_args()
if not args.logdir or not args.model:
print("Fail to convert. Please specify the tensorboard log directory and the onnx model path.")
parser.print_help()
return
model = onnx.load(args.model)
TransformerBase.run_transformers(model.graph)
with SummaryWriter(args.logdir) as writer:
writer.add_onnx_model(model)
print("Successfully converted the onnx model to tensorboard log directory. Start tensorboard to browse.")
if __name__ == "__main__":
main()
|