blob: c80e18b5856331edb44af255f79d32bb89f82583 [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)
204 Pad = OperatorInfo()
205 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)
222 Reshape = OperatorInfo(indices=IFM_INDICES)
223 ResizeBilinear = OperatorInfo(block_type=NpuBlockType.Pooling, indices=IFM_INDICES)
224 ResizeNearestNeighbor = OperatorInfo()
225 ReverseSequence = OperatorInfo()
226 ReverseV2 = OperatorInfo()
227 Rnn = OperatorInfo(block_type=NpuBlockType.VectorProduct, indices=IFM_WEIGHTS_INDICES)
228 Round = OperatorInfo()
229 Rsqrt = OperatorInfo()
230 SHL = OperatorInfo(block_type=NpuBlockType.ElementWise, indices=IFM_IFM2_INDICES) # NPU specific operation
231 SHR = OperatorInfo(block_type=NpuBlockType.ElementWise, indices=IFM_IFM2_INDICES) # NPU specific operation
232 ScatterNd = OperatorInfo()
233 SegmentSum = OperatorInfo()
234 Select = OperatorInfo()
235 SelectV2 = OperatorInfo()
236 Shape = OperatorInfo()
237 Sigmoid = OperatorInfo(indices=IFM_INDICES)
238 SignBit = OperatorInfo()
239 Sin = OperatorInfo()
240 SkipGram = OperatorInfo()
241 Slice = OperatorInfo(indices=IFM_INDICES)
Michael McGeagh65fd9982020-10-20 11:49:28 +0100242 Softmax = OperatorInfo(indices=IFM_INDICES)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200243 SpaceToBatchND = OperatorInfo()
244 SpaceToDepth = OperatorInfo()
245 SparseToDense = OperatorInfo()
246 Split = OperatorInfo(indices=SPLIT_IFM_INDICES)
247 SplitSliceRead = OperatorInfo(indices=IFM_INDICES)
Jacob Bohline3de4e52020-11-27 14:52:06 +0100248 SplitV = OperatorInfo(indices=IFM_INDICES)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200249 Sqrt = OperatorInfo()
250 Square = OperatorInfo()
251 SquaredDifference = OperatorInfo()
252 Squeeze = OperatorInfo(indices=IFM_INDICES)
253 StridedSlice = OperatorInfo(indices=IFM_INDICES)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200254 Sub = OperatorInfo(block_type=NpuBlockType.ElementWise, indices=IFM_IFM2_INDICES)
255 SubgraphInput = OperatorInfo() # Only used in CPU subgraphs
256 Sum = OperatorInfo()
257 Svdf = OperatorInfo()
258 Tanh = OperatorInfo(indices=IFM_INDICES)
259 Tile = OperatorInfo()
260 TopKV2 = OperatorInfo()
261 Transpose = OperatorInfo()
262 UnidirectionalSequenceLstm = OperatorInfo(block_type=NpuBlockType.VectorProduct, indices=IFM_WEIGHTS_INDICES)
263 UnidirectionalSequenceRnn = OperatorInfo(block_type=NpuBlockType.VectorProduct, indices=IFM_WEIGHTS_INDICES)
264 Unique = OperatorInfo()
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100265 Unpack = OperatorInfo(indices=IFM_INDICES)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200266 UnpackReshaped = OperatorInfo(indices=IFM_INDICES)
267 Where = OperatorInfo()
268 While = OperatorInfo()
269 ZerosLike = OperatorInfo()
270
271 @property
272 def info(self):
273 return self.value
274
275 @property
276 def npu_block_type(self):
277 return self.info.block_type
278
279 def is_conv2d_op(self):
280 return self.info.block_type == NpuBlockType.ConvolutionMxN
281
282 def is_depthwise_conv2d_op(self):
283 return self.info.block_type == NpuBlockType.ConvolutionDepthWise
284
285 def is_pool_op(self):
286 return self.info.block_type == NpuBlockType.Pooling
287
288 def is_maxpool_op(self):
289 return self in (Op.MaxPool, Op.QuantizedMaxPool)
290
291 def is_avgpool_op(self):
292 return self in (Op.QuantizedAvgPool, Op.AvgPool)
293
294 def is_elementwise_op(self):
295 return self.info.block_type == NpuBlockType.ElementWise
296
297 def is_unary_elementwise_op(self):
298 return self.info.block_type == NpuBlockType.ElementWise and self.info.is_unary
299
300 def is_binary_elementwise_op(self):
301 return self.info.block_type == NpuBlockType.ElementWise and not self.info.is_unary
302
303 def is_relu_op(self):
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100304 return self in (Op.Relu, Op.Relu6, Op.ReluN1To1, Op.Clip)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200305
306 def is_activation_op(self):
307 return self.is_relu_op() or self in (Op.Tanh, Op.Sigmoid, Op.Softmax, Op.LUT)
308
309 def is_split_op(self):
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100310 return self in (Op.Split, Op.SplitV, Op.StridedSlice, Op.Slice, Op.UnpackReshaped, Op.Unpack)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200311
312 def is_concat_op(self):
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100313 return self in (Op.Concat, Op.ConcatTFLite, Op.PackReshaped, Op.Pack)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200314
315 def needs_bias(self):
316 return bool(self.info.indices.biases)
317
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100318 def needs_shapes(self):
319 return bool(self.info.indices.ifms)
320
Louis Verhaardaee5d752020-09-30 09:01:52 +0200321 @classmethod
322 def op_set(cls, predicate):
323 # Returns the set of all operator codes that fulfill the given predicate
324 return {op_type for op_type in Op if predicate(op_type)}
325
326 def __str__(self):
327 return self.name
328
329 __repr__ = __str__
330
331 def __lt__(self, other):
332 return self.value.id < other.value.id
333
334
Michael McGeagh16895482020-12-14 15:51:20 +0000335class Padding(Enum):
336 SAME = 0
337 VALID = 1
338
339
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100340class ActivationFunction:
341 """Fused activation function"""
342
343 def __init__(self, op_type: Op):
344 self.op_type = op_type # The activation operation to be performed
345 # min/max are optional; if present they are non-quantized values
346 self.min: Optional[float] = None
347 self.max: Optional[float] = None
348 # Table lookup index, only applicable for Op.LUT activation, 0-7
349 self.lut_index: int = 0
350
351 def clone(self):
352 res = copy.copy(self)
353 return res
354
355
356def create_activation_function(op_type: Op) -> ActivationFunction:
357 """Creates activation function with min/max depending on op_type"""
358 act = ActivationFunction(op_type)
359 if op_type == Op.Relu:
360 act.min = 0.0
361 elif op_type == Op.Relu6:
362 act.min = 0.0
363 act.max = 6.0
364 elif op_type == Op.ReluN1To1:
365 act.min = -1.0
366 act.max = 1.0
367 elif op_type == Op.Tanh:
368 act.min = -1.0
369 act.max = 1.0
370 elif op_type == Op.Sigmoid:
371 act.min = 0.0
372 act.max = 1.0
373 return act
374
375
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000376def get_slice_offsets(input_shape: List[int], offset_tens: int, offset_mask: int, is_begin: bool = True):
Louis Verhaardfa2f92a2020-09-21 11:56:18 +0200377 # For strided slice operator: get start or end offsets
378 offsets = len(input_shape) * [0] if is_begin else input_shape[:]
379 for idx in range(len(input_shape)):
380 # If the i:th bit in the mask is set then the value on offset_tens[i] should be ignored
381 if (offset_mask & (1 << idx)) == 0:
382 offsets[idx] = offset_tens.values[idx]
383 if offsets[idx] < 0:
384 # Convert offset to positive value
385 offsets[idx] += input_shape[idx]
386 return offsets
387
388
Tim Hall79d07d22020-04-27 18:20:16 +0100389class Operation:
390 """Class representing a Neural Network operation. Has a name, a type,
Dwight Lidmanc6ac1942020-10-02 14:55:45 +0200391 input and output tensors, as well as an attribute dictionary."""
Tim Hall79d07d22020-04-27 18:20:16 +0100392
Fredrik Svedberga0c36242020-06-03 15:43:31 +0200393 __slots__ = (
394 "type",
395 "name",
396 "op_index",
397 "attrs",
398 "inputs",
399 "outputs",
400 "flops",
401 "scheduled_pass",
402 "run_on_npu",
Louis Verhaardaee5d752020-09-30 09:01:52 +0200403 "activation",
404 "memory_function",
405 "forced_output_quantization",
Fredrik Svedberga0c36242020-06-03 15:43:31 +0200406 "activation_lut",
Tim Hall4ed38bc2020-10-20 18:54:20 +0100407 "_kernel",
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100408 "ifm_shapes",
409 "ofm_shapes",
Fredrik Svedberga0c36242020-06-03 15:43:31 +0200410 )
Tim Hall79d07d22020-04-27 18:20:16 +0100411
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100412 def __init__(self, op_type: Op, name: str):
Tim Hall79d07d22020-04-27 18:20:16 +0100413 self.type = op_type
414 self.name = name
Dwight Lidman9b43f842020-12-08 17:56:44 +0100415 self.attrs: Dict[str, Any] = {}
416 self.inputs: List[Tensor] = []
417 self.outputs: List[Tensor] = []
Tim Hall79d07d22020-04-27 18:20:16 +0100418 self.flops = 0
419 self.run_on_npu = True
Louis Verhaardaee5d752020-09-30 09:01:52 +0200420 # Fused activation function. If not none: operator code.
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100421 self.activation: Optional[ActivationFunction] = None
Louis Verhaardaee5d752020-09-30 09:01:52 +0200422 # Fused memory function, if not None: operator code
423 self.memory_function = None
424 # If not none: contains QuantizationParameters to be used as output quantization
425 # (which overrides the ofm tensor's quantization), used in LUT
426 self.forced_output_quantization = None
Tim Hall79d07d22020-04-27 18:20:16 +0100427 self.scheduled_pass = None
Tim Hallc8310b12020-06-17 14:53:11 +0100428 self.op_index = None # input network operator index
Fredrik Svedberga0c36242020-06-03 15:43:31 +0200429 self.activation_lut = None
Tim Hall4ed38bc2020-10-20 18:54:20 +0100430 self._kernel = None
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000431 self.ifm_shapes: List[Shape4D] = []
432 self.ofm_shapes: List[Shape4D] = []
Tim Hall79d07d22020-04-27 18:20:16 +0100433
434 def clone(self, suffix="_clone"):
435 res = Operation(self.type, self.name + suffix)
436
437 res.attrs = dict(self.attrs)
438 res.inputs = list(self.inputs)
439 res.outputs = list(self.outputs)
440 res.flops = self.flops
Louis Verhaardaee5d752020-09-30 09:01:52 +0200441 res.run_on_npu = self.run_on_npu
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100442 res.activation = None if self.activation is None else self.activation.clone()
Louis Verhaardaee5d752020-09-30 09:01:52 +0200443 res.memory_function = self.memory_function
444 res.forced_output_quantization = self.forced_output_quantization
Tim Hall79d07d22020-04-27 18:20:16 +0100445 res.scheduled_pass = self.scheduled_pass
Tim Hallc8310b12020-06-17 14:53:11 +0100446 res.op_index = None # not relevant as not part of input network
Tim Hall79d07d22020-04-27 18:20:16 +0100447
448 return res
449
450 def __str__(self):
Louis Verhaardaee5d752020-09-30 09:01:52 +0200451 return "<nng.Operation '{}' type={}>".format(self.name, self.type)
Tim Hall79d07d22020-04-27 18:20:16 +0100452
453 __repr__ = __str__
454
Michael McGeagh65fd9982020-10-20 11:49:28 +0100455 def get_kernel_size(self):
Tim Hall4ed38bc2020-10-20 18:54:20 +0100456 weights = self.weights
457 if weights and self.type.npu_block_type in (NpuBlockType.ConvolutionDepthWise, NpuBlockType.ConvolutionMxN):
458 weight_shape = full_shape(4, weights.shape, 1)
Michael McGeagh65fd9982020-10-20 11:49:28 +0100459 h = weight_shape[-4]
460 w = weight_shape[-3]
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100461 elif self.type.npu_block_type in (NpuBlockType.Pooling, NpuBlockType.ReduceSum) and "ksize" in self.attrs:
462 h, w = self.attrs["ksize"][1:3]
Tim Hall4ed38bc2020-10-20 18:54:20 +0100463 else:
Michael McGeagh65fd9982020-10-20 11:49:28 +0100464 h = self.attrs.get("filter_height", 1)
465 w = self.attrs.get("filter_width", 1)
466 return w, h
467
468 def get_kernel_stride(self):
469 if "strides" in self.attrs:
470 _, h, w, _ = self.attrs["strides"]
471 else:
472 h = self.attrs.get("stride_h", 1)
473 w = self.attrs.get("stride_w", 1)
474 return w, h
475
476 def get_kernel_dilation(self):
477 if "dilation" in self.attrs:
478 _, h, w, _ = self.attrs["dilation"]
479 else:
480 h = self.attrs.get("dilation_h_factor", 1)
481 w = self.attrs.get("dilation_w_factor", 1)
482 return w, h
483
484 @property
485 def kernel(self):
486 k_w, k_h = self.get_kernel_size()
487 s_w, s_h = self.get_kernel_stride()
488 d_w, d_h = self.get_kernel_dilation()
489 self._kernel = Kernel(k_w, k_h, s_w, s_h, d_w, d_h)
Tim Hall4ed38bc2020-10-20 18:54:20 +0100490 return self._kernel
491
Tim Hall79d07d22020-04-27 18:20:16 +0100492 def get_ifm_ifm2_weights_ofm(self):
Louis Verhaardaee5d752020-09-30 09:01:52 +0200493 return self.ifm, self.ifm2, self.weights, self.ofm
Tim Hall79d07d22020-04-27 18:20:16 +0100494
495 def get_ifm_weights_biases_ofm(self):
Louis Verhaardaee5d752020-09-30 09:01:52 +0200496 return self.ifm, self.weights, self.bias, self.ofm
Tim Hall79d07d22020-04-27 18:20:16 +0100497
Jacob Bohlin49d92122020-08-19 14:36:46 +0200498 def get_ifm_ifm2_weights_biases_ofm(self):
Louis Verhaardaee5d752020-09-30 09:01:52 +0200499 return self.ifm, self.ifm2, self.weights, self.bias, self.ofm
Jacob Bohlin49d92122020-08-19 14:36:46 +0200500
Louis Verhaardaee5d752020-09-30 09:01:52 +0200501 def get_ifm_ofm(self):
502 return self.ifm, self.ofm
Jacob Bohlin49d92122020-08-19 14:36:46 +0200503
Louis Verhaardaee5d752020-09-30 09:01:52 +0200504 @property
505 def ifm(self):
506 # Gets the IFM tensor, or None if not applicable
507 return self.get_input(self.type.info.indices.ifms, 0)
Jacob Bohlin49d92122020-08-19 14:36:46 +0200508
Louis Verhaardaee5d752020-09-30 09:01:52 +0200509 @property
510 def ifm2(self):
511 # Gets the IFM2 tensor, or None if not applicable
512 return self.get_input(self.type.info.indices.ifms, 1)
Louis Verhaard98a34992020-09-01 10:39:04 +0200513
Louis Verhaardaee5d752020-09-30 09:01:52 +0200514 @property
515 def bias(self):
516 # Gets the bias tensor, or None if not applicable
517 return self.get_input(self.type.info.indices.biases, 0)
518
519 @property
520 def weights(self):
521 # Gets the weight tensor, or None if not applicable
522 return self.get_input(self.type.info.indices.weights, 0)
523
524 def get_ifm_tensors(self):
525 # Gets the IFM tensors, or empty list if not applicable
526 return self._index_list_to_tensors(self.type.info.indices.ifms)
527
528 def get_weight_tensors(self):
529 # Gets the weight tensors, or empty list if not applicable
530 return self._index_list_to_tensors(self.type.info.indices.weights)
531
532 def get_bias_tensors(self):
533 # Gets the bias tensors, or empty list if not applicable
534 return self._index_list_to_tensors(self.type.info.indices.biases)
535
536 def _index_list_to_tensors(self, index_list):
537 return [self.inputs[ix] for ix in index_list if ix < len(self.inputs)]
538
539 def get_input(self, index_list, ix):
540 if ix >= len(index_list):
541 return None
542 if index_list[ix] >= len(self.inputs):
543 return None
544 return self.inputs[index_list[ix]]
545
546 @property
547 def ofm(self):
548 # Gets the OFM tensor, or None if not applicable
549 return self.outputs[0] if self.outputs else None
Tim Hall79d07d22020-04-27 18:20:16 +0100550
551 def get_concat_inputs_axis(self):
Louis Verhaardaee5d752020-09-30 09:01:52 +0200552 assert self.type.is_concat_op()
Tim Hall79d07d22020-04-27 18:20:16 +0100553
Louis Verhaardaee5d752020-09-30 09:01:52 +0200554 if self.type == Op.Concat:
Tim Hall79d07d22020-04-27 18:20:16 +0100555 axis_tensor = self.inputs[0]
556 inputs = self.inputs[1:]
Louis Verhaardaee5d752020-09-30 09:01:52 +0200557 elif self.type == Op.ConcatTFLite:
Tim Hall79d07d22020-04-27 18:20:16 +0100558 inputs = self.inputs
559 axis = self.attrs["axis"]
Louis Verhaardaee5d752020-09-30 09:01:52 +0200560 elif self.type == Op.PackReshaped:
Tim Hall79d07d22020-04-27 18:20:16 +0100561 # Requires fixup_pack_input to be called before this point
562 inputs = self.inputs
563 axis = self.attrs["axis"]
564 assert len(self.inputs) == self.attrs["values_count"]
565 else:
Louis Verhaardaee5d752020-09-30 09:01:52 +0200566 assert len(axis_tensor.ops) == 1 and axis_tensor.ops[0].type == Op.Const
Tim Hall79d07d22020-04-27 18:20:16 +0100567 axis = int(axis_tensor.values)
568
569 return inputs, axis
570
Louis Verhaardb2fb2122020-06-04 15:51:24 +0200571 def get_dilation_h_w(self):
572 _, dilation_h, dilation_w, _ = self.attrs.get("dilation", (1, 1, 1, 1))
573 return dilation_h, dilation_w
574
Tim Hall79d07d22020-04-27 18:20:16 +0100575 def get_split_inputs_axis(self):
Louis Verhaardaee5d752020-09-30 09:01:52 +0200576 assert self.type.is_split_op()
Tim Hall79d07d22020-04-27 18:20:16 +0100577
578 offset_start = None
579 offset_end = None
580 axis = None
Louis Verhaardaee5d752020-09-30 09:01:52 +0200581 if self.type == Op.Split:
Tim Hall79d07d22020-04-27 18:20:16 +0100582 num_splits = self.attrs.get("num_splits")
583 axis_tens = self.inputs[0]
Louis Verhaardaee5d752020-09-30 09:01:52 +0200584 assert len(axis_tens.ops) == 1 and axis_tens.ops[0].type == Op.Const
Tim Hall79d07d22020-04-27 18:20:16 +0100585 axis = int(axis_tens.values)
586 input_tens = self.inputs[1]
587 outputs = self.outputs
588 assert num_splits == len(outputs)
589
Louis Verhaardaee5d752020-09-30 09:01:52 +0200590 elif self.type == Op.SplitV:
Charles Xu53d47522020-05-04 11:32:05 +0200591 num_splits = self.attrs.get("num_splits")
592 input_tens = self.inputs[0]
593 size_tens = self.inputs[1]
Louis Verhaardaee5d752020-09-30 09:01:52 +0200594 assert len(size_tens.ops) == 1 and size_tens.ops[0].type == Op.Const
Charles Xu53d47522020-05-04 11:32:05 +0200595 sizes = size_tens.values
Patrik Gustavsson271ddc32020-09-01 09:15:27 +0200596
Charles Xu53d47522020-05-04 11:32:05 +0200597 axis_tens = self.inputs[2]
Louis Verhaardaee5d752020-09-30 09:01:52 +0200598 assert len(axis_tens.ops) == 1 and axis_tens.ops[0].type == Op.Const
Charles Xu53d47522020-05-04 11:32:05 +0200599 axis = int(axis_tens.values)
Patrik Gustavsson271ddc32020-09-01 09:15:27 +0200600
601 for idx, size in enumerate(sizes):
602 # One but only one size might be set to -1, indicating that size should be inferred
603 if size == -1:
604 sizes[idx] = input_tens.shape[axis] - (sum(sizes) + 1)
605 break
606
Charles Xu53d47522020-05-04 11:32:05 +0200607 outputs = self.outputs
608 assert num_splits == len(outputs)
609 assert sum(sizes) == input_tens.shape[axis]
610
Louis Verhaardaee5d752020-09-30 09:01:52 +0200611 elif self.type == Op.Slice:
Tim Hall79d07d22020-04-27 18:20:16 +0100612 input_tens, begin_tens, size_tens = self.inputs
613 outputs = self.outputs
614 offset_start = [0] * len(input_tens.shape)
615 offset_end = [0] * len(input_tens.shape)
616
617 for idx in range(len(begin_tens.values)):
618 # Check if the op should slice in dimension idx
619 if size_tens.values[idx] != input_tens.shape[idx]:
620 offset_start[idx] = begin_tens.values[idx]
621 offset_end[idx] = size_tens.values[idx] + offset_start[idx]
622
Louis Verhaardaee5d752020-09-30 09:01:52 +0200623 elif self.type == Op.StridedSlice:
Tim Hall79d07d22020-04-27 18:20:16 +0100624 input_tens, begin_tens, end_tens, strides_tens = self.inputs
625 outputs = self.outputs
626 out_tens = outputs[0]
Tim Hall79d07d22020-04-27 18:20:16 +0100627
628 # Extract masks
629 begin_mask = self.attrs["begin_mask"]
630 ellipsis_mask = self.attrs["ellipsis_mask"]
631 end_mask = self.attrs["end_mask"]
632 new_axis_mask = self.attrs["new_axis_mask"]
633 shrink_axis_mask = self.attrs["shrink_axis_mask"]
Patrik Gustavssoncf728902020-04-30 08:57:23 +0200634
635 # 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 +0100636 # may have the attribute modified and handled in the graph optimization phase.
Patrik Gustavssoncf728902020-04-30 08:57:23 +0200637 assert shrink_axis_mask == new_axis_mask == ellipsis_mask == 0
Tim Hall79d07d22020-04-27 18:20:16 +0100638 assert len(input_tens.shape) == len(out_tens.shape)
Louis Verhaardfa2f92a2020-09-21 11:56:18 +0200639 offset_start = get_slice_offsets(input_tens.shape, begin_tens, begin_mask, is_begin=True)
640 offset_end = get_slice_offsets(input_tens.shape, end_tens, end_mask, is_begin=False)
Louis Verhaardaee5d752020-09-30 09:01:52 +0200641 elif self.type == Op.UnpackReshaped:
Tim Hall79d07d22020-04-27 18:20:16 +0100642 # Requires fixup_unpack_output to be called before this point
643 input_tens = self.inputs[0]
644 outputs = self.outputs
645 axis = self.attrs["axis"]
646 num_splits = self.attrs["num"]
647 # Number of outputs have to equal the value of the dimension to unpack
648 assert num_splits == len(outputs) == input_tens.shape[axis]
649 else:
650 assert False
651
652 return input_tens, outputs, axis, offset_start, offset_end
Fredrik Svedberga0c36242020-06-03 15:43:31 +0200653
654 def set_activation_lut(self, lut_tensor):
Louis Verhaarde8a5a782020-11-02 18:04:27 +0100655 self.activation = ActivationFunction(Op.LUT)
Fredrik Svedberga0c36242020-06-03 15:43:31 +0200656 self.activation_lut = lut_tensor
Michael McGeaghc5b549b2020-08-07 11:54:28 +0100657 self.add_input_tensor(lut_tensor)
Michael McGeagh5778ffd2020-08-06 17:31:02 +0100658
659 def add_input_tensor(self, tens):
660 self.inputs.append(tens)
661 if self not in tens.consumer_list:
662 tens.consumer_list.append(self)
663
Jacob Bohlin67e0d8f2020-08-20 10:53:02 +0200664 def set_input_tensor(self, tens, idx):
665 tens_to_remove = self.inputs[idx]
666 if tens_to_remove in tens.consumer_list:
667 tens.consumer_list.remove(tens_to_remove)
668
669 self.inputs[idx] = tens
670 if self not in tens.consumer_list:
671 tens.consumer_list.append(self)
672
Michael McGeagh5778ffd2020-08-06 17:31:02 +0100673 def set_output_tensor(self, tens):
674 tens.ops = [self]
675 self.outputs = [tens]
Jacob Bohlina41cd4d2020-08-26 18:21:28 +0200676
Louis Verhaard98a34992020-09-01 10:39:04 +0200677 def get_output_quantization(self):
Louis Verhaardaee5d752020-09-30 09:01:52 +0200678 if self.forced_output_quantization is not None:
679 return self.forced_output_quantization
680 return self.ofm.quantization
Michael McGeagh528a56d2020-12-16 11:33:21 +0000681
682 def error(self, msg):
683 """
684 Raises a VelaError exception for errors encountered when parsing an Operation
685
686 :param self: Operation object that resulted in the error
687 :param msg: str object that contains a description of the specific error encountered
688 """
689
690 def _print_tensors(tensors):
691 lines = []
692 for idx, tens in enumerate(tensors):
693 tens_name = getattr(tens, "name", "Not a Tensor")
694 lines.append(f" {idx} = {tens_name}")
695 return lines
696
697 if self.op_index is None:
698 lines = [f"Invalid {self.type} (name = {self.name}) operator in the internal representation. {msg}"]
699 else:
700 lines = [f"Invalid {self.type} (op_index = {self.op_index}) operator in the input network. {msg}"]
701
702 lines += [" Input tensors:"]
703 lines += _print_tensors(self.inputs)
704
705 lines += [" Output tensors:"]
706 lines += _print_tensors(self.outputs)
707
708 raise VelaError("\n".join(lines))
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100709
710 def set_ifm_ofm_shapes(self):
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000711 self.ifm_shapes = []
712 self.ofm_shapes = []
713
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100714 ifm_tensor, ifm2_tensor, weight_tensor, ofm_tensor = self.get_ifm_ifm2_weights_ofm()
715
716 # set all shapes to op, as 4D
717 if self.type == Op.FullyConnected:
718 n_in_elems = weight_tensor.shape[-2]
719 elms = ifm_tensor.elements()
720 batch_size = elms // n_in_elems
721 assert batch_size * n_in_elems == elms
722
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000723 self.ifm_shapes.append(Shape4D([batch_size, 1, 1, n_in_elems]))
724 self.ofm_shapes.append(Shape4D(ofm_tensor.get_full_shape()))
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100725 elif self.type == Op.Softmax:
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000726 self.ifm_shapes.append(Shape4D(ifm_tensor.get_full_shape()))
727 self.ofm_shapes.append(Shape4D(ofm_tensor.get_full_shape()))
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100728 elif self.type.is_split_op or self.type.is_concat_op():
729 for inp in self.inputs:
730 if inp is not None:
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000731 self.ifm_shapes.append(Shape4D(full_shape(4, inp.shape, 1)))
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100732 else:
733 self.ifm_shapes.append(None)
734 for out in self.outputs:
735 if out is not None:
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000736 self.ofm_shapes.append(Shape4D(full_shape(4, out.shape, 1)))
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100737 else:
738 self.ofm_shapes.append(None)
739 else:
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000740 self.ifm_shapes.append(Shape4D(full_shape(4, ifm_tensor.shape, 1)))
Patrik Gustavsson2349d422020-12-01 16:02:29 +0100741 if ifm2_tensor is not None:
patrik.gustavssoneeb85152020-12-21 17:10:40 +0000742 self.ifm_shapes.append(Shape4D(full_shape(4, ifm2_tensor.shape, 1)))
743 self.ofm_shapes.append(Shape4D(full_shape(4, ofm_tensor.shape, 1)))