blob: 844f298539f3b6130b97ea96a28f624ce5b72386 [file] [log] [blame]
Tim Hall79d07d22020-04-27 18:20:16 +01001# Copyright (C) 2020 Arm Limited or its affiliates. All rights reserved.
2#
3# SPDX-License-Identifier: Apache-2.0
4#
5# Licensed under the Apache License, Version 2.0 (the License); you may
6# not use this file except in compliance with the License.
7# You may obtain a copy of the License at
8#
9# www.apache.org/licenses/LICENSE-2.0
10#
11# Unless required by applicable law or agreed to in writing, software
12# distributed under the License is distributed on an AS IS BASIS, WITHOUT
13# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
14# See the License for the specific language governing permissions and
15# limitations under the License.
Tim Hall79d07d22020-04-27 18:20:16 +010016# Description:
17# Internal representation of a Neural Network Operation.
Louis Verhaarde8a5a782020-11-02 18:04:27 +010018import copy
Louis Verhaardaee5d752020-09-30 09:01:52 +020019from collections import namedtuple
20from enum import Enum
Dwight Lidman9b43f842020-12-08 17:56:44 +010021from typing import Any
22from typing import Dict
23from typing import List
Louis Verhaarde8a5a782020-11-02 18:04:27 +010024from typing import Optional
Dwight Lidman9b43f842020-12-08 17:56:44 +010025from typing import TYPE_CHECKING
Tim Hall79d07d22020-04-27 18:20:16 +010026
Michael McGeagh528a56d2020-12-16 11:33:21 +000027from .errors import VelaError
Tim Hall4ed38bc2020-10-20 18:54:20 +010028from .numeric_util import full_shape
patrik.gustavssoneeb85152020-12-21 17:10:40 +000029from .shape4d import Shape4D
Tim Hall4ed38bc2020-10-20 18:54:20 +010030
Patrik Gustavsson2349d422020-12-01 16:02:29 +010031
Dwight Lidman9b43f842020-12-08 17:56:44 +010032if TYPE_CHECKING:
33 from .tensor import Tensor
34
Tim Hall4ed38bc2020-10-20 18:54:20 +010035PointXY = namedtuple("PointXY", "x y")
36PointXYZ = namedtuple("PointXYZ", "x y z")
37
Tim Hall79d07d22020-04-27 18:20:16 +010038
Louis Verhaardaee5d752020-09-30 09:01:52 +020039class NpuBlockType(Enum):
Tim Hall79d07d22020-04-27 18:20:16 +010040 Default = 0
41 ConvolutionMxN = 1
42 VectorProduct = 2
43 Pooling = 3
44 ConvolutionDepthWise = 4
45 ElementWise = 5
Fredrik Svedberga0c36242020-06-03 15:43:31 +020046 ReduceSum = 6
Tim Hall79d07d22020-04-27 18:20:16 +010047
48
Tim Hall4ed38bc2020-10-20 18:54:20 +010049class Kernel:
Louis Verhaarde8a5a782020-11-02 18:04:27 +010050 """
51 Kernel information for NPU operations
52 """
53
54 def __init__(self, w: int, h: int, stride_x: int = 1, stride_y: int = 1, dilation_x: int = 1, dilation_y: int = 1):
55 assert stride_x > 0 and stride_y > 0
56 assert dilation_x > 0 and dilation_y > 0
Tim Hall4ed38bc2020-10-20 18:54:20 +010057 self.width = w
58 self.height = h
Louis Verhaarde8a5a782020-11-02 18:04:27 +010059 self.stride = PointXY(stride_x, stride_y)
60 self.dilation = PointXY(dilation_x, dilation_y)
Tim Hall4ed38bc2020-10-20 18:54:20 +010061
Louis Verhaarde8a5a782020-11-02 18:04:27 +010062 def elements_wh(self) -> int:
Tim Hall4ed38bc2020-10-20 18:54:20 +010063 return self.width * self.height
64
Louis Verhaarde8a5a782020-11-02 18:04:27 +010065 def area_width(self) -> int:
Tim Hall4ed38bc2020-10-20 18:54:20 +010066 return (self.width - 1) * self.dilation.x + 1
67
Louis Verhaarde8a5a782020-11-02 18:04:27 +010068 def area_height(self) -> int:
Tim Hall4ed38bc2020-10-20 18:54:20 +010069 return (self.height - 1) * self.dilation.y + 1
70
Louis Verhaarde8a5a782020-11-02 18:04:27 +010071 def __str__(self):
72 return f"w={self.width}, h={self.height}, stride={tuple(self.stride)}, dilation={tuple(self.dilation)}"
73
Tim Hall4ed38bc2020-10-20 18:54:20 +010074
Louis Verhaardaee5d752020-09-30 09:01:52 +020075# Classifies operators of type Custom
76class CustomType(Enum):
77 ThirdPartyOp = 0 # Third party custom op
78 NpuOp = 1 # NPU op
79 ExistingNpuOp = 2 # NPU op that was part of the input network
80
81
82TensorIndices = namedtuple("TensorIndices", ["ifms", "weights", "biases"])
83
84NO_INDICES = TensorIndices([], [], [])
85IFM_INDICES = TensorIndices([0], [], [])
86IFM_WEIGHTS_INDICES = TensorIndices([0], [1], [])
87IFM_WEIGHTS_BIAS_INDICES = TensorIndices([0], [1], [2])
88IFM_IFM2_INDICES = TensorIndices([0, 1], [], [])
89CONV2D_BACKPROP_INDICES = TensorIndices([2], [1], [3])
90TRANSPOSE_CONV_INDICES = TensorIndices([0], [1], [3])
91CONCAT_INDICES = TensorIndices([1, 2], [], [])
92SPLIT_IFM_INDICES = TensorIndices([1], [], [])
93BLOCK_LSTM_INDICES = TensorIndices([3], [4], [])
94
95
96# Static information related to operation codes
97class OperatorInfo:
98 __slots__ = ("id", "block_type", "indices", "is_unary")
99 _id = 0
100
101 def __init__(self, block_type=NpuBlockType.Default, indices=NO_INDICES, is_unary=False):
102 OperatorInfo._id += 1
103 self.id = OperatorInfo._id
104 self.block_type = block_type
105 self.indices = indices # Indices of the different tensor purposes
106 self.is_unary = is_unary # Classifies elementwise operators
107
108
109# Internally used operation codes
110class Op(Enum):
111 Abs = OperatorInfo(block_type=NpuBlockType.ElementWise, indices=IFM_INDICES, is_unary=True)
112 Add = OperatorInfo(block_type=NpuBlockType.ElementWise, indices=IFM_IFM2_INDICES)
113 AddN = OperatorInfo()
114 Any = OperatorInfo()
115 ArgMax = OperatorInfo()
116 ArgMin = OperatorInfo()
117 AvgPool = OperatorInfo(block_type=NpuBlockType.Pooling, indices=IFM_INDICES)
118 BatchMatMul = OperatorInfo()
119 BatchToSpaceND = OperatorInfo()
120 BidirectionalSequenceLstm = OperatorInfo(block_type=NpuBlockType.VectorProduct, indices=IFM_WEIGHTS_INDICES)
121 BidirectionalSequenceRnn = OperatorInfo(block_type=NpuBlockType.VectorProduct, indices=IFM_WEIGHTS_INDICES)
122 BlockLSTM = OperatorInfo(block_type=NpuBlockType.VectorProduct, indices=BLOCK_LSTM_INDICES)
123
124 CLZ = OperatorInfo(
125 block_type=NpuBlockType.ElementWise, indices=IFM_INDICES, is_unary=True
126 ) # NPU specific operation
127 Call = OperatorInfo()
128 Cast = OperatorInfo()
129 Ceil = OperatorInfo()
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100130 Clip = OperatorInfo() # NPU specific fused activation function for clipping between activation.min/max
Louis Verhaardaee5d752020-09-30 09:01:52 +0200131 Concat = OperatorInfo(indices=CONCAT_INDICES)
132 ConcatEmbeddings = OperatorInfo()
133 ConcatSliceWrite = OperatorInfo(indices=IFM_INDICES)
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100134 ConcatTFLite = OperatorInfo(indices=CONCAT_INDICES)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200135 Const = OperatorInfo() # Constant tensor, only used in CPU subgraphs
136 Conv2D = OperatorInfo(block_type=NpuBlockType.ConvolutionMxN, indices=IFM_WEIGHTS_INDICES)
137 Conv2DBackpropInput = OperatorInfo(block_type=NpuBlockType.ConvolutionMxN, indices=CONV2D_BACKPROP_INDICES)
138 Conv2DBackpropInputSwitchedBias = OperatorInfo(
139 block_type=NpuBlockType.ConvolutionMxN, indices=TRANSPOSE_CONV_INDICES
140 )
141 Conv2DBias = OperatorInfo(block_type=NpuBlockType.ConvolutionMxN, indices=IFM_WEIGHTS_BIAS_INDICES)
142 Cos = OperatorInfo()
143 Custom = OperatorInfo() # Custom 3rd party operator, only used in CPU subgraphs
144 CustomNpuOp = OperatorInfo() # NPU custom operator, only used in CPU subgraphs
145 DMA = OperatorInfo()
146 Delegate = OperatorInfo()
147 Densify = OperatorInfo()
148 DepthToSpace = OperatorInfo()
149 DepthwiseConv2DBias = OperatorInfo(block_type=NpuBlockType.ConvolutionDepthWise, indices=IFM_WEIGHTS_BIAS_INDICES)
Louis Verhaard04f8c002020-10-09 11:40:21 +0200150 Dequantize = OperatorInfo(indices=IFM_INDICES)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200151 Div = OperatorInfo()
152 Elu = OperatorInfo()
153 EmbeddingLookup = OperatorInfo()
154 EmbeddingLookupSparse = OperatorInfo()
155 Equal = OperatorInfo()
156 Exp = OperatorInfo()
157 ExpandDims = OperatorInfo(indices=IFM_INDICES)
158 FakeQuantWithMinMaxArgs = OperatorInfo()
159 Fill = OperatorInfo()
160 Floor = OperatorInfo()
161 FloorDiv = OperatorInfo()
162 FloorMod = OperatorInfo()
163 FullyConnected = OperatorInfo(block_type=NpuBlockType.VectorProduct, indices=IFM_WEIGHTS_BIAS_INDICES)
164 GatherNd = OperatorInfo()
165 GatherV2 = OperatorInfo()
166 Greater = OperatorInfo()
167 GreaterEqual = OperatorInfo()
168 HardSwish = OperatorInfo()
169 HashtableLookup = OperatorInfo()
170 Identity = OperatorInfo()
171 If = OperatorInfo()
172 L2Norm = OperatorInfo()
173 L2Pool2D = OperatorInfo()
174 LRN = OperatorInfo()
175 LSHProjection = OperatorInfo()
176 LeakyRelu = OperatorInfo(block_type=NpuBlockType.ElementWise, indices=IFM_INDICES, is_unary=True)
177 Less = OperatorInfo()
178 LessEqual = OperatorInfo()
179 Log = OperatorInfo()
180 LogSoftmax = OperatorInfo()
181 LogicalAnd = OperatorInfo()
182 LogicalNot = OperatorInfo()
183 LogicalOr = OperatorInfo()
184 Lstm = OperatorInfo(block_type=NpuBlockType.VectorProduct, indices=IFM_WEIGHTS_INDICES)
185 LUT = OperatorInfo() # NPU specific, operator has LUT, only used in fused activation functions
186 MatMul = OperatorInfo(block_type=NpuBlockType.VectorProduct, indices=IFM_WEIGHTS_INDICES)
187 MatrixDiag = OperatorInfo()
188 MatrixSetDiag = OperatorInfo()
189 Max = OperatorInfo()
190 MaxPool = OperatorInfo(block_type=NpuBlockType.Pooling, indices=IFM_INDICES)
191 Maximum = OperatorInfo(block_type=NpuBlockType.ElementWise, indices=IFM_IFM2_INDICES)
192 Mean = OperatorInfo()
193 Min = OperatorInfo()
194 Minimum = OperatorInfo(block_type=NpuBlockType.ElementWise, indices=IFM_IFM2_INDICES)
195 MirrorPad = OperatorInfo()
196 Mul = OperatorInfo(block_type=NpuBlockType.ElementWise, indices=IFM_IFM2_INDICES)
197 Neg = OperatorInfo()
198 NonMaxSuppressionV4 = OperatorInfo()
199 NonMaxSuppressionV5 = OperatorInfo()
200 NotEqual = OperatorInfo()
201 OneHot = OperatorInfo()
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100202 Pack = OperatorInfo(indices=IFM_INDICES)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200203 PackReshaped = OperatorInfo(indices=IFM_INDICES)
Louis Verhaardae2d5532020-12-11 17:19:54 +0100204 Pad = OperatorInfo(indices=IFM_INDICES)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200205 PadV2 = OperatorInfo()
206 Placeholder = OperatorInfo() # Only used in CPU subgraphs
207 Pow = OperatorInfo()
208 Prelu = OperatorInfo()
209 Prod = OperatorInfo()
Louis Verhaard04f8c002020-10-09 11:40:21 +0200210 Quantize = OperatorInfo(indices=IFM_INDICES)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200211 QuantizedAvgPool = OperatorInfo(block_type=NpuBlockType.Pooling, indices=IFM_INDICES)
212 QuantizedConv2D = OperatorInfo(block_type=NpuBlockType.ConvolutionMxN, indices=IFM_WEIGHTS_INDICES)
213 QuantizedMatMul = OperatorInfo(block_type=NpuBlockType.VectorProduct, indices=IFM_WEIGHTS_INDICES)
214 QuantizedMaxPool = OperatorInfo(block_type=NpuBlockType.Pooling, indices=IFM_INDICES)
215 QuantizedReshape = OperatorInfo(indices=IFM_INDICES)
216 Range = OperatorInfo()
217 Rank = OperatorInfo()
218 ReduceSum = OperatorInfo(block_type=NpuBlockType.ReduceSum, indices=IFM_INDICES)
219 Relu = OperatorInfo(indices=IFM_INDICES)
220 Relu6 = OperatorInfo(indices=IFM_INDICES)
221 ReluN1To1 = OperatorInfo(indices=IFM_INDICES)
Fredrik Svedberge82be7c2021-01-18 15:21:03 +0100222 RescaleAdd = OperatorInfo(block_type=NpuBlockType.ElementWise, indices=IFM_IFM2_INDICES)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200223 Reshape = OperatorInfo(indices=IFM_INDICES)
224 ResizeBilinear = OperatorInfo(block_type=NpuBlockType.Pooling, indices=IFM_INDICES)
225 ResizeNearestNeighbor = OperatorInfo()
226 ReverseSequence = OperatorInfo()
227 ReverseV2 = OperatorInfo()
228 Rnn = OperatorInfo(block_type=NpuBlockType.VectorProduct, indices=IFM_WEIGHTS_INDICES)
229 Round = OperatorInfo()
230 Rsqrt = OperatorInfo()
231 SHL = OperatorInfo(block_type=NpuBlockType.ElementWise, indices=IFM_IFM2_INDICES) # NPU specific operation
232 SHR = OperatorInfo(block_type=NpuBlockType.ElementWise, indices=IFM_IFM2_INDICES) # NPU specific operation
233 ScatterNd = OperatorInfo()
234 SegmentSum = OperatorInfo()
235 Select = OperatorInfo()
236 SelectV2 = OperatorInfo()
237 Shape = OperatorInfo()
238 Sigmoid = OperatorInfo(indices=IFM_INDICES)
239 SignBit = OperatorInfo()
240 Sin = OperatorInfo()
241 SkipGram = OperatorInfo()
242 Slice = OperatorInfo(indices=IFM_INDICES)
Michael McGeagh65fd9982020-10-20 11:49:28 +0100243 Softmax = OperatorInfo(indices=IFM_INDICES)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200244 SpaceToBatchND = OperatorInfo()
245 SpaceToDepth = OperatorInfo()
246 SparseToDense = OperatorInfo()
247 Split = OperatorInfo(indices=SPLIT_IFM_INDICES)
248 SplitSliceRead = OperatorInfo(indices=IFM_INDICES)
Jacob Bohline3de4e52020-11-27 14:52:06 +0100249 SplitV = OperatorInfo(indices=IFM_INDICES)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200250 Sqrt = OperatorInfo()
251 Square = OperatorInfo()
252 SquaredDifference = OperatorInfo()
253 Squeeze = OperatorInfo(indices=IFM_INDICES)
254 StridedSlice = OperatorInfo(indices=IFM_INDICES)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200255 Sub = OperatorInfo(block_type=NpuBlockType.ElementWise, indices=IFM_IFM2_INDICES)
256 SubgraphInput = OperatorInfo() # Only used in CPU subgraphs
257 Sum = OperatorInfo()
258 Svdf = OperatorInfo()
259 Tanh = OperatorInfo(indices=IFM_INDICES)
260 Tile = OperatorInfo()
261 TopKV2 = OperatorInfo()
262 Transpose = OperatorInfo()
263 UnidirectionalSequenceLstm = OperatorInfo(block_type=NpuBlockType.VectorProduct, indices=IFM_WEIGHTS_INDICES)
264 UnidirectionalSequenceRnn = OperatorInfo(block_type=NpuBlockType.VectorProduct, indices=IFM_WEIGHTS_INDICES)
265 Unique = OperatorInfo()
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100266 Unpack = OperatorInfo(indices=IFM_INDICES)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200267 UnpackReshaped = OperatorInfo(indices=IFM_INDICES)
268 Where = OperatorInfo()
269 While = OperatorInfo()
270 ZerosLike = OperatorInfo()
271
272 @property
273 def info(self):
274 return self.value
275
276 @property
277 def npu_block_type(self):
278 return self.info.block_type
279
280 def is_conv2d_op(self):
281 return self.info.block_type == NpuBlockType.ConvolutionMxN
282
283 def is_depthwise_conv2d_op(self):
284 return self.info.block_type == NpuBlockType.ConvolutionDepthWise
285
286 def is_pool_op(self):
287 return self.info.block_type == NpuBlockType.Pooling
288
289 def is_maxpool_op(self):
290 return self in (Op.MaxPool, Op.QuantizedMaxPool)
291
292 def is_avgpool_op(self):
293 return self in (Op.QuantizedAvgPool, Op.AvgPool)
294
295 def is_elementwise_op(self):
296 return self.info.block_type == NpuBlockType.ElementWise
297
298 def is_unary_elementwise_op(self):
299 return self.info.block_type == NpuBlockType.ElementWise and self.info.is_unary
300
301 def is_binary_elementwise_op(self):
302 return self.info.block_type == NpuBlockType.ElementWise and not self.info.is_unary
303
304 def is_relu_op(self):
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100305 return self in (Op.Relu, Op.Relu6, Op.ReluN1To1, Op.Clip)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200306
307 def is_activation_op(self):
308 return self.is_relu_op() or self in (Op.Tanh, Op.Sigmoid, Op.Softmax, Op.LUT)
309
310 def is_split_op(self):
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100311 return self in (Op.Split, Op.SplitV, Op.StridedSlice, Op.Slice, Op.UnpackReshaped, Op.Unpack)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200312
313 def is_concat_op(self):
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100314 return self in (Op.Concat, Op.ConcatTFLite, Op.PackReshaped, Op.Pack)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200315
316 def needs_bias(self):
317 return bool(self.info.indices.biases)
318
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100319 def needs_shapes(self):
320 return bool(self.info.indices.ifms)
321
Louis Verhaardaee5d752020-09-30 09:01:52 +0200322 @classmethod
323 def op_set(cls, predicate):
324 # Returns the set of all operator codes that fulfill the given predicate
325 return {op_type for op_type in Op if predicate(op_type)}
326
327 def __str__(self):
328 return self.name
329
330 __repr__ = __str__
331
332 def __lt__(self, other):
333 return self.value.id < other.value.id
334
335
Michael McGeagh16895482020-12-14 15:51:20 +0000336class Padding(Enum):
337 SAME = 0
338 VALID = 1
Louis Verhaardae2d5532020-12-11 17:19:54 +0100339 EXPLICIT = 2 # Padding is specified in a PAD operation (only used for NPU operations)
Michael McGeagh16895482020-12-14 15:51:20 +0000340
341
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100342class ActivationFunction:
343 """Fused activation function"""
344
345 def __init__(self, op_type: Op):
346 self.op_type = op_type # The activation operation to be performed
347 # min/max are optional; if present they are non-quantized values
348 self.min: Optional[float] = None
349 self.max: Optional[float] = None
350 # Table lookup index, only applicable for Op.LUT activation, 0-7
351 self.lut_index: int = 0
352
353 def clone(self):
354 res = copy.copy(self)
355 return res
356
357
358def create_activation_function(op_type: Op) -> ActivationFunction:
359 """Creates activation function with min/max depending on op_type"""
360 act = ActivationFunction(op_type)
361 if op_type == Op.Relu:
362 act.min = 0.0
363 elif op_type == Op.Relu6:
364 act.min = 0.0
365 act.max = 6.0
366 elif op_type == Op.ReluN1To1:
367 act.min = -1.0
368 act.max = 1.0
369 elif op_type == Op.Tanh:
370 act.min = -1.0
371 act.max = 1.0
372 elif op_type == Op.Sigmoid:
373 act.min = 0.0
374 act.max = 1.0
375 return act
376
377
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000378def get_slice_offsets(input_shape: List[int], offset_tens: int, offset_mask: int, is_begin: bool = True):
Louis Verhaardfa2f92a2020-09-21 11:56:18 +0200379 # For strided slice operator: get start or end offsets
380 offsets = len(input_shape) * [0] if is_begin else input_shape[:]
381 for idx in range(len(input_shape)):
382 # If the i:th bit in the mask is set then the value on offset_tens[i] should be ignored
383 if (offset_mask & (1 << idx)) == 0:
384 offsets[idx] = offset_tens.values[idx]
385 if offsets[idx] < 0:
386 # Convert offset to positive value
387 offsets[idx] += input_shape[idx]
388 return offsets
389
390
Tim Hall79d07d22020-04-27 18:20:16 +0100391class Operation:
392 """Class representing a Neural Network operation. Has a name, a type,
Dwight Lidmanc6ac1942020-10-02 14:55:45 +0200393 input and output tensors, as well as an attribute dictionary."""
Tim Hall79d07d22020-04-27 18:20:16 +0100394
Fredrik Svedberga0c36242020-06-03 15:43:31 +0200395 __slots__ = (
396 "type",
397 "name",
398 "op_index",
399 "attrs",
400 "inputs",
401 "outputs",
402 "flops",
403 "scheduled_pass",
404 "run_on_npu",
Louis Verhaardaee5d752020-09-30 09:01:52 +0200405 "activation",
406 "memory_function",
407 "forced_output_quantization",
Fredrik Svedberga0c36242020-06-03 15:43:31 +0200408 "activation_lut",
Tim Hall4ed38bc2020-10-20 18:54:20 +0100409 "_kernel",
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100410 "ifm_shapes",
411 "ofm_shapes",
Fredrik Svedberge82be7c2021-01-18 15:21:03 +0100412 "rescale",
Fredrik Svedberga0c36242020-06-03 15:43:31 +0200413 )
Tim Hall79d07d22020-04-27 18:20:16 +0100414
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100415 def __init__(self, op_type: Op, name: str):
Tim Hall79d07d22020-04-27 18:20:16 +0100416 self.type = op_type
417 self.name = name
Dwight Lidman9b43f842020-12-08 17:56:44 +0100418 self.attrs: Dict[str, Any] = {}
419 self.inputs: List[Tensor] = []
420 self.outputs: List[Tensor] = []
Tim Hall79d07d22020-04-27 18:20:16 +0100421 self.flops = 0
422 self.run_on_npu = True
Louis Verhaardaee5d752020-09-30 09:01:52 +0200423 # Fused activation function. If not none: operator code.
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100424 self.activation: Optional[ActivationFunction] = None
Louis Verhaardaee5d752020-09-30 09:01:52 +0200425 # Fused memory function, if not None: operator code
426 self.memory_function = None
427 # If not none: contains QuantizationParameters to be used as output quantization
428 # (which overrides the ofm tensor's quantization), used in LUT
429 self.forced_output_quantization = None
Tim Hall79d07d22020-04-27 18:20:16 +0100430 self.scheduled_pass = None
Tim Hallc8310b12020-06-17 14:53:11 +0100431 self.op_index = None # input network operator index
Fredrik Svedberga0c36242020-06-03 15:43:31 +0200432 self.activation_lut = None
Tim Hall4ed38bc2020-10-20 18:54:20 +0100433 self._kernel = None
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000434 self.ifm_shapes: List[Shape4D] = []
435 self.ofm_shapes: List[Shape4D] = []
Fredrik Svedberge82be7c2021-01-18 15:21:03 +0100436 # If not none: contains rescale to be used as output scaling
437 # (which overrides the ofm tensor's scale)
438 self.rescale = None
Tim Hall79d07d22020-04-27 18:20:16 +0100439
440 def clone(self, suffix="_clone"):
441 res = Operation(self.type, self.name + suffix)
442
443 res.attrs = dict(self.attrs)
444 res.inputs = list(self.inputs)
445 res.outputs = list(self.outputs)
446 res.flops = self.flops
Louis Verhaardaee5d752020-09-30 09:01:52 +0200447 res.run_on_npu = self.run_on_npu
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100448 res.activation = None if self.activation is None else self.activation.clone()
Louis Verhaardaee5d752020-09-30 09:01:52 +0200449 res.memory_function = self.memory_function
450 res.forced_output_quantization = self.forced_output_quantization
Tim Hall79d07d22020-04-27 18:20:16 +0100451 res.scheduled_pass = self.scheduled_pass
Tim Hallc8310b12020-06-17 14:53:11 +0100452 res.op_index = None # not relevant as not part of input network
Tim Hall79d07d22020-04-27 18:20:16 +0100453
454 return res
455
456 def __str__(self):
Louis Verhaardaee5d752020-09-30 09:01:52 +0200457 return "<nng.Operation '{}' type={}>".format(self.name, self.type)
Tim Hall79d07d22020-04-27 18:20:16 +0100458
459 __repr__ = __str__
460
Michael McGeagh65fd9982020-10-20 11:49:28 +0100461 def get_kernel_size(self):
Tim Hall4ed38bc2020-10-20 18:54:20 +0100462 weights = self.weights
463 if weights and self.type.npu_block_type in (NpuBlockType.ConvolutionDepthWise, NpuBlockType.ConvolutionMxN):
464 weight_shape = full_shape(4, weights.shape, 1)
Michael McGeagh65fd9982020-10-20 11:49:28 +0100465 h = weight_shape[-4]
466 w = weight_shape[-3]
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100467 elif self.type.npu_block_type in (NpuBlockType.Pooling, NpuBlockType.ReduceSum) and "ksize" in self.attrs:
468 h, w = self.attrs["ksize"][1:3]
Tim Hall4ed38bc2020-10-20 18:54:20 +0100469 else:
Michael McGeagh65fd9982020-10-20 11:49:28 +0100470 h = self.attrs.get("filter_height", 1)
471 w = self.attrs.get("filter_width", 1)
472 return w, h
473
474 def get_kernel_stride(self):
475 if "strides" in self.attrs:
476 _, h, w, _ = self.attrs["strides"]
477 else:
478 h = self.attrs.get("stride_h", 1)
479 w = self.attrs.get("stride_w", 1)
480 return w, h
481
482 def get_kernel_dilation(self):
483 if "dilation" in self.attrs:
484 _, h, w, _ = self.attrs["dilation"]
485 else:
486 h = self.attrs.get("dilation_h_factor", 1)
487 w = self.attrs.get("dilation_w_factor", 1)
488 return w, h
489
490 @property
491 def kernel(self):
492 k_w, k_h = self.get_kernel_size()
493 s_w, s_h = self.get_kernel_stride()
494 d_w, d_h = self.get_kernel_dilation()
495 self._kernel = Kernel(k_w, k_h, s_w, s_h, d_w, d_h)
Tim Hall4ed38bc2020-10-20 18:54:20 +0100496 return self._kernel
497
Tim Hall79d07d22020-04-27 18:20:16 +0100498 def get_ifm_ifm2_weights_ofm(self):
Louis Verhaardaee5d752020-09-30 09:01:52 +0200499 return self.ifm, self.ifm2, self.weights, self.ofm
Tim Hall79d07d22020-04-27 18:20:16 +0100500
501 def get_ifm_weights_biases_ofm(self):
Louis Verhaardaee5d752020-09-30 09:01:52 +0200502 return self.ifm, self.weights, self.bias, self.ofm
Tim Hall79d07d22020-04-27 18:20:16 +0100503
Jacob Bohlin49d92122020-08-19 14:36:46 +0200504 def get_ifm_ifm2_weights_biases_ofm(self):
Louis Verhaardaee5d752020-09-30 09:01:52 +0200505 return self.ifm, self.ifm2, self.weights, self.bias, self.ofm
Jacob Bohlin49d92122020-08-19 14:36:46 +0200506
Louis Verhaardaee5d752020-09-30 09:01:52 +0200507 def get_ifm_ofm(self):
508 return self.ifm, self.ofm
Jacob Bohlin49d92122020-08-19 14:36:46 +0200509
Louis Verhaardaee5d752020-09-30 09:01:52 +0200510 @property
511 def ifm(self):
512 # Gets the IFM tensor, or None if not applicable
513 return self.get_input(self.type.info.indices.ifms, 0)
Jacob Bohlin49d92122020-08-19 14:36:46 +0200514
Louis Verhaardaee5d752020-09-30 09:01:52 +0200515 @property
516 def ifm2(self):
517 # Gets the IFM2 tensor, or None if not applicable
518 return self.get_input(self.type.info.indices.ifms, 1)
Louis Verhaard98a34992020-09-01 10:39:04 +0200519
Louis Verhaardaee5d752020-09-30 09:01:52 +0200520 @property
521 def bias(self):
522 # Gets the bias tensor, or None if not applicable
523 return self.get_input(self.type.info.indices.biases, 0)
524
525 @property
526 def weights(self):
527 # Gets the weight tensor, or None if not applicable
528 return self.get_input(self.type.info.indices.weights, 0)
529
530 def get_ifm_tensors(self):
531 # Gets the IFM tensors, or empty list if not applicable
532 return self._index_list_to_tensors(self.type.info.indices.ifms)
533
534 def get_weight_tensors(self):
535 # Gets the weight tensors, or empty list if not applicable
536 return self._index_list_to_tensors(self.type.info.indices.weights)
537
538 def get_bias_tensors(self):
539 # Gets the bias tensors, or empty list if not applicable
540 return self._index_list_to_tensors(self.type.info.indices.biases)
541
542 def _index_list_to_tensors(self, index_list):
543 return [self.inputs[ix] for ix in index_list if ix < len(self.inputs)]
544
545 def get_input(self, index_list, ix):
546 if ix >= len(index_list):
547 return None
548 if index_list[ix] >= len(self.inputs):
549 return None
550 return self.inputs[index_list[ix]]
551
552 @property
553 def ofm(self):
554 # Gets the OFM tensor, or None if not applicable
555 return self.outputs[0] if self.outputs else None
Tim Hall79d07d22020-04-27 18:20:16 +0100556
557 def get_concat_inputs_axis(self):
Louis Verhaardaee5d752020-09-30 09:01:52 +0200558 assert self.type.is_concat_op()
Tim Hall79d07d22020-04-27 18:20:16 +0100559
Louis Verhaardaee5d752020-09-30 09:01:52 +0200560 if self.type == Op.Concat:
Tim Hall79d07d22020-04-27 18:20:16 +0100561 axis_tensor = self.inputs[0]
562 inputs = self.inputs[1:]
Louis Verhaardaee5d752020-09-30 09:01:52 +0200563 elif self.type == Op.ConcatTFLite:
Tim Hall79d07d22020-04-27 18:20:16 +0100564 inputs = self.inputs
565 axis = self.attrs["axis"]
Louis Verhaardaee5d752020-09-30 09:01:52 +0200566 elif self.type == Op.PackReshaped:
Tim Hall79d07d22020-04-27 18:20:16 +0100567 # Requires fixup_pack_input to be called before this point
568 inputs = self.inputs
569 axis = self.attrs["axis"]
570 assert len(self.inputs) == self.attrs["values_count"]
571 else:
Louis Verhaardaee5d752020-09-30 09:01:52 +0200572 assert len(axis_tensor.ops) == 1 and axis_tensor.ops[0].type == Op.Const
Tim Hall79d07d22020-04-27 18:20:16 +0100573 axis = int(axis_tensor.values)
574
575 return inputs, axis
576
Louis Verhaardb2fb2122020-06-04 15:51:24 +0200577 def get_dilation_h_w(self):
578 _, dilation_h, dilation_w, _ = self.attrs.get("dilation", (1, 1, 1, 1))
579 return dilation_h, dilation_w
580
Tim Hall79d07d22020-04-27 18:20:16 +0100581 def get_split_inputs_axis(self):
Louis Verhaardaee5d752020-09-30 09:01:52 +0200582 assert self.type.is_split_op()
Tim Hall79d07d22020-04-27 18:20:16 +0100583
584 offset_start = None
585 offset_end = None
586 axis = None
Louis Verhaardaee5d752020-09-30 09:01:52 +0200587 if self.type == Op.Split:
Tim Hall79d07d22020-04-27 18:20:16 +0100588 num_splits = self.attrs.get("num_splits")
589 axis_tens = self.inputs[0]
Louis Verhaardaee5d752020-09-30 09:01:52 +0200590 assert len(axis_tens.ops) == 1 and axis_tens.ops[0].type == Op.Const
Tim Hall79d07d22020-04-27 18:20:16 +0100591 axis = int(axis_tens.values)
592 input_tens = self.inputs[1]
593 outputs = self.outputs
594 assert num_splits == len(outputs)
595
Louis Verhaardaee5d752020-09-30 09:01:52 +0200596 elif self.type == Op.SplitV:
Charles Xu53d47522020-05-04 11:32:05 +0200597 num_splits = self.attrs.get("num_splits")
598 input_tens = self.inputs[0]
599 size_tens = self.inputs[1]
Louis Verhaardaee5d752020-09-30 09:01:52 +0200600 assert len(size_tens.ops) == 1 and size_tens.ops[0].type == Op.Const
Charles Xu53d47522020-05-04 11:32:05 +0200601 sizes = size_tens.values
Patrik Gustavsson271ddc32020-09-01 09:15:27 +0200602
Charles Xu53d47522020-05-04 11:32:05 +0200603 axis_tens = self.inputs[2]
Louis Verhaardaee5d752020-09-30 09:01:52 +0200604 assert len(axis_tens.ops) == 1 and axis_tens.ops[0].type == Op.Const
Charles Xu53d47522020-05-04 11:32:05 +0200605 axis = int(axis_tens.values)
Patrik Gustavsson271ddc32020-09-01 09:15:27 +0200606
607 for idx, size in enumerate(sizes):
608 # One but only one size might be set to -1, indicating that size should be inferred
609 if size == -1:
610 sizes[idx] = input_tens.shape[axis] - (sum(sizes) + 1)
611 break
612
Charles Xu53d47522020-05-04 11:32:05 +0200613 outputs = self.outputs
614 assert num_splits == len(outputs)
615 assert sum(sizes) == input_tens.shape[axis]
616
Louis Verhaardaee5d752020-09-30 09:01:52 +0200617 elif self.type == Op.Slice:
Tim Hall79d07d22020-04-27 18:20:16 +0100618 input_tens, begin_tens, size_tens = self.inputs
619 outputs = self.outputs
620 offset_start = [0] * len(input_tens.shape)
621 offset_end = [0] * len(input_tens.shape)
622
623 for idx in range(len(begin_tens.values)):
624 # Check if the op should slice in dimension idx
625 if size_tens.values[idx] != input_tens.shape[idx]:
626 offset_start[idx] = begin_tens.values[idx]
627 offset_end[idx] = size_tens.values[idx] + offset_start[idx]
628
Louis Verhaardaee5d752020-09-30 09:01:52 +0200629 elif self.type == Op.StridedSlice:
Tim Hall79d07d22020-04-27 18:20:16 +0100630 input_tens, begin_tens, end_tens, strides_tens = self.inputs
631 outputs = self.outputs
632 out_tens = outputs[0]
Tim Hall79d07d22020-04-27 18:20:16 +0100633
634 # Extract masks
635 begin_mask = self.attrs["begin_mask"]
636 ellipsis_mask = self.attrs["ellipsis_mask"]
637 end_mask = self.attrs["end_mask"]
638 new_axis_mask = self.attrs["new_axis_mask"]
639 shrink_axis_mask = self.attrs["shrink_axis_mask"]
Patrik Gustavssoncf728902020-04-30 08:57:23 +0200640
641 # shrink_axis_mask/new_axis_mask/ellipsis_mask is not supported by the Operation class but the operation
Tim Hall79d07d22020-04-27 18:20:16 +0100642 # may have the attribute modified and handled in the graph optimization phase.
Patrik Gustavssoncf728902020-04-30 08:57:23 +0200643 assert shrink_axis_mask == new_axis_mask == ellipsis_mask == 0
Tim Hall79d07d22020-04-27 18:20:16 +0100644 assert len(input_tens.shape) == len(out_tens.shape)
Louis Verhaardfa2f92a2020-09-21 11:56:18 +0200645 offset_start = get_slice_offsets(input_tens.shape, begin_tens, begin_mask, is_begin=True)
646 offset_end = get_slice_offsets(input_tens.shape, end_tens, end_mask, is_begin=False)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200647 elif self.type == Op.UnpackReshaped:
Tim Hall79d07d22020-04-27 18:20:16 +0100648 # Requires fixup_unpack_output to be called before this point
649 input_tens = self.inputs[0]
650 outputs = self.outputs
651 axis = self.attrs["axis"]
652 num_splits = self.attrs["num"]
653 # Number of outputs have to equal the value of the dimension to unpack
654 assert num_splits == len(outputs) == input_tens.shape[axis]
655 else:
656 assert False
657
658 return input_tens, outputs, axis, offset_start, offset_end
Fredrik Svedberga0c36242020-06-03 15:43:31 +0200659
660 def set_activation_lut(self, lut_tensor):
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100661 self.activation = ActivationFunction(Op.LUT)
Fredrik Svedberga0c36242020-06-03 15:43:31 +0200662 self.activation_lut = lut_tensor
Michael McGeaghc5b549b2020-08-07 11:54:28 +0100663 self.add_input_tensor(lut_tensor)
Michael McGeagh5778ffd2020-08-06 17:31:02 +0100664
665 def add_input_tensor(self, tens):
666 self.inputs.append(tens)
667 if self not in tens.consumer_list:
668 tens.consumer_list.append(self)
669
Jacob Bohlin67e0d8f2020-08-20 10:53:02 +0200670 def set_input_tensor(self, tens, idx):
671 tens_to_remove = self.inputs[idx]
672 if tens_to_remove in tens.consumer_list:
673 tens.consumer_list.remove(tens_to_remove)
674
675 self.inputs[idx] = tens
676 if self not in tens.consumer_list:
677 tens.consumer_list.append(self)
678
Michael McGeagh5778ffd2020-08-06 17:31:02 +0100679 def set_output_tensor(self, tens):
680 tens.ops = [self]
681 self.outputs = [tens]
Jacob Bohlina41cd4d2020-08-26 18:21:28 +0200682
Louis Verhaard98a34992020-09-01 10:39:04 +0200683 def get_output_quantization(self):
Louis Verhaardaee5d752020-09-30 09:01:52 +0200684 if self.forced_output_quantization is not None:
685 return self.forced_output_quantization
686 return self.ofm.quantization
Michael McGeagh528a56d2020-12-16 11:33:21 +0000687
688 def error(self, msg):
689 """
690 Raises a VelaError exception for errors encountered when parsing an Operation
691
692 :param self: Operation object that resulted in the error
693 :param msg: str object that contains a description of the specific error encountered
694 """
695
696 def _print_tensors(tensors):
697 lines = []
698 for idx, tens in enumerate(tensors):
699 tens_name = getattr(tens, "name", "Not a Tensor")
700 lines.append(f" {idx} = {tens_name}")
701 return lines
702
703 if self.op_index is None:
704 lines = [f"Invalid {self.type} (name = {self.name}) operator in the internal representation. {msg}"]
705 else:
706 lines = [f"Invalid {self.type} (op_index = {self.op_index}) operator in the input network. {msg}"]
707
708 lines += [" Input tensors:"]
709 lines += _print_tensors(self.inputs)
710
711 lines += [" Output tensors:"]
712 lines += _print_tensors(self.outputs)
713
714 raise VelaError("\n".join(lines))
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100715
716 def set_ifm_ofm_shapes(self):
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000717 self.ifm_shapes = []
718 self.ofm_shapes = []
719
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100720 ifm_tensor, ifm2_tensor, weight_tensor, ofm_tensor = self.get_ifm_ifm2_weights_ofm()
721
722 # set all shapes to op, as 4D
723 if self.type == Op.FullyConnected:
724 n_in_elems = weight_tensor.shape[-2]
725 elms = ifm_tensor.elements()
726 batch_size = elms // n_in_elems
727 assert batch_size * n_in_elems == elms
728
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000729 self.ifm_shapes.append(Shape4D([batch_size, 1, 1, n_in_elems]))
730 self.ofm_shapes.append(Shape4D(ofm_tensor.get_full_shape()))
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100731 elif self.type == Op.Softmax:
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000732 self.ifm_shapes.append(Shape4D(ifm_tensor.get_full_shape()))
733 self.ofm_shapes.append(Shape4D(ofm_tensor.get_full_shape()))
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100734 elif self.type.is_split_op or self.type.is_concat_op():
735 for inp in self.inputs:
736 if inp is not None:
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000737 self.ifm_shapes.append(Shape4D(full_shape(4, inp.shape, 1)))
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100738 else:
739 self.ifm_shapes.append(None)
740 for out in self.outputs:
741 if out is not None:
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000742 self.ofm_shapes.append(Shape4D(full_shape(4, out.shape, 1)))
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100743 else:
744 self.ofm_shapes.append(None)
745 else:
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000746 self.ifm_shapes.append(Shape4D(full_shape(4, ifm_tensor.shape, 1)))
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100747 if ifm2_tensor is not None:
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000748 self.ifm_shapes.append(Shape4D(full_shape(4, ifm2_tensor.shape, 1)))
749 self.ofm_shapes.append(Shape4D(full_shape(4, ofm_tensor.shape, 1)))