blob: 26ccfeb6634fc097d267726f8be991e44c470d7b [file] [log] [blame]
Raul Farkas090f18a2023-01-24 16:29:06 +00001# SPDX-FileCopyrightText: Copyright 2020-2023 Arm Limited and/or its affiliates <open-source-office@arm.com>
Jonas Ohlsson45e653d2021-07-26 16:13:12 +02002#
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.
Rickard Bolinbc6ee582022-11-04 08:24:29 +000016#
Jonas Ohlsson45e653d2021-07-26 16:13:12 +020017# Description:
18# The TFLiteSupportedOperators class which is a collection of all TFLite supported operators and parameter checks.
19from collections import defaultdict
20
21import numpy as np
22
23from .data_type import DataType
Fredrik Svedberg88d5b122022-09-16 16:24:55 +020024from .numeric_util import full_shape
Jonas Ohlsson45e653d2021-07-26 16:13:12 +020025from .operation import Op
26from .operation import Padding
27from .supported_operators_util import docstring_format_args
28from .supported_operators_util import list_formatter
29from .tensor import check_quantized_tens_scaling_equal
30from .tflite_mapping import BUILTIN_OPERATOR_UNKNOWN
31from .tflite_mapping import optype_to_builtintype
32
33
34def _optype_formatter(op_list):
35 # Convert internal op types to external names
36 output = map(optype_to_builtintype, op_list)
37 # Remove UNKNOWNs
38 output = (x for x in output if x is not BUILTIN_OPERATOR_UNKNOWN)
39 return list_formatter(output)
40
41
42class TFLiteSupportedOperators:
43 # Categorised lists of supported operators
Fredrik Svedberg11563172022-07-06 14:54:12 +020044 npu_pre_ops = set(
45 (
46 Op.SplitSliceRead,
47 Op.Shape,
48 )
49 )
Jonas Ohlssond8575072022-03-30 10:30:25 +020050 convolution_ops = set(
51 (
52 Op.Conv2DBias,
53 Op.Conv2D,
54 Op.QuantizedConv2D,
55 )
56 )
Jonas Ohlsson45e653d2021-07-26 16:13:12 +020057 depthwise_convolution_ops = set((Op.DepthwiseConv2DBias,))
58 transpose_convolution_ops = set((Op.Conv2DBackpropInput,))
59 convolution_like_ops = convolution_ops | depthwise_convolution_ops | transpose_convolution_ops
60 max_pooling_ops = Op.op_set(Op.is_maxpool_op)
61 avg_pooling_ops = Op.op_set(Op.is_avgpool_op)
62 pooling_ops = set((Op.ReduceSum,)) | max_pooling_ops | avg_pooling_ops
Tim Hall885033b2022-07-21 11:46:03 +010063 resizing_ops = Op.op_set(Op.is_resize_op)
Jonas Ohlssond8575072022-03-30 10:30:25 +020064 fc_vector_products = set(
65 (
66 Op.QuantizedMatMul,
67 Op.MatMul,
68 Op.FullyConnected,
69 )
70 )
Jonas Ohlsson45e653d2021-07-26 16:13:12 +020071 mac_main_ops = (
72 # RNN/LSTM/GRU
73 set((Op.BlockLSTM,))
74 # conv/depthwiseconv/transposeconv
75 | convolution_like_ops
76 # pooling
77 | pooling_ops
78 # resizing/upscaling
79 | resizing_ops
80 # FC layers
81 | fc_vector_products
82 # Mean (converts to depthwise conv)
83 | set((Op.Mean,))
84 )
85 unary_elem_wise_main_ops = Op.op_set(Op.is_unary_elementwise_op)
Jonas Ohlssond8575072022-03-30 10:30:25 +020086 binary_elem_wise_min_max_ops = set(
87 (
88 Op.Minimum,
89 Op.Maximum,
90 )
91 )
92 binary_elem_wise_shift_ops = set(
93 (
94 Op.SHL,
95 Op.SHR,
96 )
97 )
98 binary_elem_wise_add_mul_sub = set(
99 (
100 Op.Add,
101 Op.Mul,
102 Op.Sub,
103 )
104 )
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200105 binary_elem_wise_main_ops = binary_elem_wise_min_max_ops | binary_elem_wise_add_mul_sub | binary_elem_wise_shift_ops
106 elem_wise_main_ops = binary_elem_wise_main_ops | unary_elem_wise_main_ops
107 pad_ops = set((Op.Pad,))
108 supported_int32_tensor_ops = (
Jonas Ohlssond8575072022-03-30 10:30:25 +0200109 set(
110 (
111 Op.ReduceSum,
112 Op.CLZ,
Fredrik Svedberg11563172022-07-06 14:54:12 +0200113 Op.Shape,
Jonas Ohlssond8575072022-03-30 10:30:25 +0200114 )
115 )
116 | binary_elem_wise_add_mul_sub
117 | binary_elem_wise_shift_ops
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200118 )
119
Jonas Ohlssond8575072022-03-30 10:30:25 +0200120 relu_ops = set(
121 (
122 Op.Relu,
123 Op.Relu6,
124 Op.ReluN1To1,
125 Op.Clip,
126 )
127 )
Fredrik Svedberg8ddd4892022-08-19 16:06:04 +0200128 activation_ops = relu_ops | set(
129 (
130 Op.Tanh,
131 Op.Sigmoid,
132 Op.Softmax,
133 Op.HardSwish,
Fredrik Svedberg1cd39492022-09-23 15:38:03 +0200134 Op.LeakyRelu,
Fredrik Svedberg8ddd4892022-08-19 16:06:04 +0200135 Op.Prelu,
136 )
137 )
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200138 npu_post_ops = (
139 # activation functions
140 activation_ops
141 # concatenation write direction
142 | set((Op.ConcatSliceWrite,))
143 # Quantization
144 | set((Op.Quantize,))
145 )
Jonas Ohlssond8575072022-03-30 10:30:25 +0200146 split_ops = set(
147 (
148 Op.Split,
149 Op.SplitV,
150 Op.StridedSlice,
151 Op.Slice,
152 Op.UnpackReshaped,
153 Op.Unpack,
154 )
155 )
156 concat_ops = set(
157 (
158 Op.Concat,
159 Op.ConcatTFLite,
160 Op.PackReshaped,
161 Op.Pack,
162 )
163 )
164 memory_only_ops = (
165 set(
166 (
167 Op.Reshape,
168 Op.QuantizedReshape,
169 Op.Squeeze,
170 Op.ExpandDims,
171 )
172 )
173 | concat_ops
174 | split_ops
175 )
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200176 per_axis_quant_ops = convolution_like_ops # per-axis/channel quantization only currently supported for conv ops
Jonas Ohlssond8575072022-03-30 10:30:25 +0200177 supported_fused_activations = relu_ops | set(
178 (
179 Op.Tanh,
180 Op.Sigmoid,
181 Op.LUT,
182 )
183 )
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200184 supported_operators = npu_pre_ops | mac_main_ops | elem_wise_main_ops | pad_ops | npu_post_ops | memory_only_ops
185 # Supported data types
186 supported_op_dtypes = set((DataType.uint8, DataType.int8, DataType.int16, DataType.int32))
187 supported_faf_dtypes = set((DataType.uint8, DataType.int8, DataType.int16))
188 supported_bias_dtypes = set((DataType.int32, DataType.int64))
189 supported_pad_dtypes = set((DataType.int32, DataType.int64))
190 # Defined ranges for allowed values:
191 tens_dim_range = (1, 65535)
192 stride_range = (1, 3)
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200193 dilated_height_range = (1, 64)
194 dilated_product_range = (1, 64 * 64)
195 weights_limit = 127 * 65536
196 filter_range = (1, 8)
197 filter_height_range = (1, 256)
198 filter_product_range = (1, 256 * 256)
199 mean_kernel_product = 64 * 64
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200200 mean_kernel_product_avgpool = 256 * 256
201
202 def __init__(self):
203 # Setup the generic constraints. Note: the order matters
204 self.generic_constraints = []
205 self.generic_constraints.append(TFLiteSupportedOperators.constraint_tens_dtype)
206 self.generic_constraints.append(TFLiteSupportedOperators.constraint_tens_int32_ops)
207 self.generic_constraints.append(TFLiteSupportedOperators.constraint_tens_dimension)
208 self.generic_constraints.append(TFLiteSupportedOperators.constraint_tens_quant_per_axis)
Fredrik Svedberg88d5b122022-09-16 16:24:55 +0200209 self.generic_constraints.append(TFLiteSupportedOperators.constraint_batch_size)
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200210 self.generic_constraints.append(TFLiteSupportedOperators.constraint_faf)
211 self.generic_constraints.append(TFLiteSupportedOperators.constraint_faf_type)
212
Fredrik Svedberg88d5b122022-09-16 16:24:55 +0200213 # Setup generic constraint exceptions
214 self.generic_constraints_exceptions = defaultdict(list)
215 self.generic_constraints_exceptions[Op.FullyConnected].append(TFLiteSupportedOperators.constraint_batch_size)
216 self.generic_constraints_exceptions[Op.Softmax].append(TFLiteSupportedOperators.constraint_batch_size)
217 self.generic_constraints_exceptions[Op.Reshape].append(TFLiteSupportedOperators.constraint_batch_size)
218 self.generic_constraints_exceptions[Op.Shape].append(TFLiteSupportedOperators.constraint_batch_size)
219 self.generic_constraints_exceptions[Op.Squeeze].append(TFLiteSupportedOperators.constraint_batch_size)
220 for op_type in TFLiteSupportedOperators.split_ops - set((Op.UnpackReshaped,)):
221 self.generic_constraints_exceptions[op_type].append(TFLiteSupportedOperators.constraint_batch_size)
222
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200223 # Setup specific constraints. Note: the order matters
224 self.specific_constraints = defaultdict(list)
225
Raul Farkas090f18a2023-01-24 16:29:06 +0000226 # Conv specific ops:
227 for op_type in TFLiteSupportedOperators.convolution_ops:
228 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_conv_stride)
229
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200230 # Conv-like checks:
231 for op_type in TFLiteSupportedOperators.convolution_like_ops:
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200232 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_dilated_height_range)
233 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_dilated_product_range)
234 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_weights_type)
235 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_weights_const)
236 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_weights_limit)
Johan Alfvénfaa4b782022-12-07 13:56:17 +0100237 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_bias_shape)
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200238 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_bias_type)
239 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_bias_40bit)
Raul Farkas090f18a2023-01-24 16:29:06 +0000240
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200241 # Transpose Conv specific checks:
242 for op_type in TFLiteSupportedOperators.transpose_convolution_ops:
243 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_tconv_stride)
244 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_tconv_same)
245 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_tconv_valid)
Tim Halld3d81b32022-10-18 19:14:04 +0100246 # Depthwise Conv specific checks:
247 for op_type in TFLiteSupportedOperators.depthwise_convolution_ops:
Raul Farkas090f18a2023-01-24 16:29:06 +0000248 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_depthwise_conv_stride)
Tim Halld3d81b32022-10-18 19:14:04 +0100249 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_depth_multiplier)
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200250
251 # Pooling checks:
252 for op_type in TFLiteSupportedOperators.pooling_ops:
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200253 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_stride_range)
254 # AVG pooling specific checks:
255 for op_type in TFLiteSupportedOperators.avg_pooling_ops:
256 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_filter_range)
257 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_filter_height_range_valid_pad)
258 self.specific_constraints[op_type].append(
259 TFLiteSupportedOperators.constraint_filter_product_range_valid_pad
260 )
261 # MAX pooling specific checks:
262 for op_type in TFLiteSupportedOperators.max_pooling_ops:
263 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_filter_height_range)
264 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_filter_product_range)
265
266 # Resizing specific checks:
267 for op_type in TFLiteSupportedOperators.resizing_ops:
Tim Hall885033b2022-07-21 11:46:03 +0100268 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_resize)
269 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_resize_size)
270 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_resize_attrs)
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200271
Rickard Bolinfea15162022-07-04 16:19:16 +0000272 # Resize Bilinear specific checks:
273 self.specific_constraints[Op.ResizeBilinear].append(
274 TFLiteSupportedOperators.constraint_resizebi_half_pixel_centers_dims
275 )
276
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200277 # Vector Product specific checks:
278 for op_type in TFLiteSupportedOperators.fc_vector_products:
279 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_weights_type)
280 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_weights_const)
Johan Alfvénfaa4b782022-12-07 13:56:17 +0100281 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_bias_shape)
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200282 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_bias_type)
283 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_bias_40bit)
284
Fredrik Svedberg88d5b122022-09-16 16:24:55 +0200285 # Element-wise checks
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200286 # Binary Min/Max specific checks:
287 for op_type in TFLiteSupportedOperators.binary_elem_wise_min_max_ops:
288 self.specific_constraints[op_type].append(
289 TFLiteSupportedOperators.constraint_matching_quantization_parameters
290 )
291 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_broadcast_shapes)
292 # Binary Add/Mul/Sub specific checks:
293 for op_type in TFLiteSupportedOperators.binary_elem_wise_add_mul_sub:
294 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_broadcast_shapes)
295 # Binary Shift specific checks:
296 for op_type in TFLiteSupportedOperators.binary_elem_wise_shift_ops:
297 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_inputs_int32)
298 self.specific_constraints[op_type].append(TFLiteSupportedOperators.constraint_broadcast_shapes)
299
300 # SHL specific checks:
301 self.specific_constraints[Op.SHL].append(TFLiteSupportedOperators.constraint_output_int32)
302
303 # CLZ specific checks:
304 self.specific_constraints[Op.CLZ].append(TFLiteSupportedOperators.constraint_output_int32)
305
306 # StridedSlice specific checks:
307 self.specific_constraints[Op.StridedSlice].append(
308 TFLiteSupportedOperators.constraint_stridedslice_stride_values
309 )
310
311 # Pad specific checks:
312 self.specific_constraints[Op.Pad].append(TFLiteSupportedOperators.constraint_pad_shape)
313 self.specific_constraints[Op.Pad].append(TFLiteSupportedOperators.constraint_padding_dimensions)
314 self.specific_constraints[Op.Pad].append(TFLiteSupportedOperators.constraint_pad_type)
315
316 # Mean specific checks:
317 self.specific_constraints[Op.Mean].append(TFLiteSupportedOperators.constraint_mean_height_width_product_avgpool)
318 self.specific_constraints[Op.Mean].append(TFLiteSupportedOperators.constraint_mean_height_width_product)
James Peet0bb7ad12022-02-15 15:07:54 +0000319 self.specific_constraints[Op.Mean].append(TFLiteSupportedOperators.constraint_mean_height_single_axis)
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200320
Tim Hall3584a9c2021-11-18 22:05:17 +0000321 # Reshape specific checks:
322 self.specific_constraints[Op.Reshape].append(TFLiteSupportedOperators.constraint_reshape_shape_constant)
323
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200324 def is_operator_supported(self, op):
325 ext_type = optype_to_builtintype(op.type)
326 if op.type not in TFLiteSupportedOperators.supported_operators:
327 if op.type not in (Op.Placeholder, Op.SubgraphInput, Op.Const):
328 print(f"Info: {ext_type} '{op.name}' is a CPU only op")
329 return False
330
Fredrik Svedberg88d5b122022-09-16 16:24:55 +0200331 op_exceptions = self.generic_constraints_exceptions[op.type]
332 generic_constraints = [constraint for constraint in self.generic_constraints if constraint not in op_exceptions]
333
334 for constraint in generic_constraints + self.specific_constraints[op.type]:
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200335 valid, extra = constraint(op)
336 if not valid:
337 print(f"Warning: {ext_type} '{op.name}' is not supported on the NPU. Placing on CPU instead")
338 print(f" - {constraint.__doc__}")
339 if extra:
340 print(f" {extra}")
341 return False
342
343 return True
344
345 @classmethod
346 @docstring_format_args([list_formatter(supported_op_dtypes)])
347 def constraint_tens_dtype(cls, op):
348 "Tensors must be of type: {}"
349 valid = True
350 extra = []
351 tensors = [tens for tens in op.get_ifm_ifm2_weights_ofm() if tens]
352 if not tensors:
353 tensors = [tens for tens in op.inputs if tens]
354 for tens in tensors:
355 if tens.dtype not in cls.supported_op_dtypes:
356 valid = False
357 extra.append(f"Tensor '{tens.name}' has data type: {tens.dtype}")
358 return valid, ", ".join(extra)
359
360 @classmethod
361 @docstring_format_args([_optype_formatter(supported_int32_tensor_ops)])
362 def constraint_tens_int32_ops(cls, op):
363 "Tensors which are int32 are only valid when op type is: {}"
364 valid = True
365 extra = []
366 tensors = [tens for tens in op.get_ifm_ifm2_weights_ofm() if tens]
367 if not tensors:
368 tensors = [tens for tens in op.inputs if tens]
369 for tens in tensors:
370 if (tens.dtype == DataType.int32) and (op.type not in cls.supported_int32_tensor_ops):
371 valid = False
372 extra.append(tens.name)
373 extra = ", ".join(extra)
374 return valid, f"Op has int32 tensor(s): {extra}"
375
376 @classmethod
377 @docstring_format_args(tens_dim_range)
378 def constraint_tens_dimension(cls, op):
379 "Tensor dimensions must be in the range [{}, {}]"
380 tens_min, tens_max = cls.tens_dim_range
381 valid = True
382 extra = []
383 tensors = [tens for tens in op.get_ifm_ifm2_weights_ofm() if tens]
384 if not tensors:
385 tensors = [tens for tens in op.inputs if tens]
386 for tens in tensors:
387 if not all(tens_min <= dim <= tens_max for dim in tens.shape):
388 valid = False
389 extra.append(f"Tensor '{tens.name}' has shape: {tens.shape}")
390 return valid, ", ".join(extra)
391
392 @classmethod
393 @docstring_format_args([_optype_formatter(per_axis_quant_ops)])
394 def constraint_tens_quant_per_axis(cls, op):
395 "Per-axis quantization is only supported for the following op types: {}"
396 valid = True
397 extra = []
398 if op.type not in cls.per_axis_quant_ops:
399 tensors = [tens for tens in op.get_ifm_ifm2_weights_ofm() if tens]
400 for tens in tensors:
Fredrik Svedberg11563172022-07-06 14:54:12 +0200401 if tens.quantization and tens.quantization.is_per_axis():
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200402 valid = False
403 extra.append(tens.name)
404 return valid, "The following tensor(s) have per-axis quantization parameters: " + ", ".join(extra)
405
406 @classmethod
407 @docstring_format_args([_optype_formatter(supported_fused_activations)])
408 def constraint_faf(cls, op):
409 "The fused activation function (if present) must be one of type: {}"
410 if op.activation is None:
411 res = True, "Op has no fused activation function"
412 else:
413 faf = op.activation.op_type
414 valid = faf in cls.supported_fused_activations
415 res = valid, f"Op has its fused activation function as: {faf}"
416 return res
417
418 @classmethod
419 @docstring_format_args([list_formatter(supported_faf_dtypes)])
420 def constraint_faf_type(cls, op):
421 "If a fused activation function is present, the Output tensor must be one of type: {}"
422 if op.activation is None:
423 res = True, "Op has no fused activation function"
424 else:
425 valid = op.ofm.dtype in cls.supported_faf_dtypes
426 ext_type = optype_to_builtintype(op.activation.op_type)
427 res = valid, f"Op has fused activation function {ext_type}, and Output tensor data type: {op.ofm.dtype}"
428 return res
429
430 @classmethod
431 @docstring_format_args(stride_range)
432 def constraint_stride_range(cls, op):
433 "Stride values for both width and height must be in the range [{}, {}]"
434 w, h = op.get_kernel_stride()
435 stride_min, stride_max = cls.stride_range
436 valid = (stride_min <= w <= stride_max) and (stride_min <= h <= stride_max)
437 return valid, f"Op has stride WxH as: {w}x{h}"
438
439 @classmethod
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200440 @docstring_format_args(dilated_height_range)
441 def constraint_dilated_height_range(cls, op):
442 "Dilated kernel height must be in the range [{}, {}]"
443 h = op.kernel.area_height()
444 dilated_height_min, dilated_height_max = cls.dilated_height_range
445 valid = dilated_height_min <= h <= dilated_height_max
446 return valid, f"Op has dilated kernel height as: {h}"
447
448 @classmethod
449 @docstring_format_args(dilated_product_range)
450 def constraint_dilated_product_range(cls, op):
451 "Product of dilated kernel width and height must be in the range [{}, {}]"
452 product = op.kernel.area_width() * op.kernel.area_height()
453 dilated_product_min, dilated_product_max = cls.dilated_product_range
454 valid = dilated_product_min <= product <= dilated_product_max
455 return valid, f"Op has product of dilated kernel width and height as: {product}"
456
457 @staticmethod
458 def constraint_weights_type(op):
459 "Weight tensor must be 8-bit"
460 weights = op.weights
461 valid = weights.element_size() == 1
462 return valid, f"Tensor '{weights.name}' is {int(weights.element_size() * 8)}-bit"
463
464 @staticmethod
465 def constraint_weights_const(op):
466 "Weight tensor must be constant"
467 weights = op.weights
468 valid = weights.values is not None
469 return valid, f"Tensor '{weights.name}' has non-constant values"
470
471 @classmethod
472 @docstring_format_args([weights_limit])
473 def constraint_weights_limit(cls, op):
474 "The sum of the weights cannot exceed {}"
475 weights = op.weights
476 values = weights.values.astype(np.int64) - weights.quantization.zero_point
477 limit = np.amax(np.sum(np.absolute(values), axis=(0, 1, 2)))
478 valid = limit <= cls.weights_limit
479 return valid, f"Tensor '{weights.name}' has the sum of weights: {limit}"
480
Johan Alfvénfaa4b782022-12-07 13:56:17 +0100481 @staticmethod
482 def constraint_bias_shape(op):
483 "Optional Bias tensor must be of shape: 1D"
484 bias = op.bias
485 if bias:
486 valid = len(bias.shape) == 1
487 return valid, f"Tensor '{bias.name}' has shape: {bias.shape}"
488 return True, "Op has no bias tensor"
489
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200490 @classmethod
491 @docstring_format_args([list_formatter(supported_bias_dtypes)])
492 def constraint_bias_type(cls, op):
493 "Optional Bias tensor must be of type: {}"
494 bias = op.bias
495 if bias:
496 valid = bias.dtype in cls.supported_bias_dtypes
497 return valid, f"Tensor '{bias.name}' has data type: {bias.dtype}"
498 return True, "Op has no bias tensor"
499
500 @staticmethod
501 def constraint_bias_40bit(op):
502 "Optional Bias tensor values must fit within 40-bits"
503 bias = op.bias
504 if bias and bias.dtype == DataType.int64 and bias.values is not None:
Tim Hall8ae29292021-07-28 16:52:03 +0100505 valid = all(len(bin(value)[2:]) <= 40 for value in bias.values)
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200506 return valid, f"Tensor '{bias.name}' has values larger than 40-bits"
507 return True, "Op has no bias tensor, or it fits in 40-bit"
508
509 @staticmethod
510 def constraint_batch_size(op):
511 "IFM Tensor batch size must be 1"
Fredrik Svedberg88d5b122022-09-16 16:24:55 +0200512 valid = True
513 extra = []
514 for tens in (op.ifm, op.ifm2):
515 if tens is not None:
516 batch_size = full_shape(4, tens.shape, 1)[0]
517 if batch_size != 1:
518 valid = False
519 extra.append(f"Tensor '{tens.name}' has batch size: {batch_size}")
520 extra = "\n ".join(extra)
521 return valid, extra
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200522
523 @staticmethod
524 def constraint_depth_multiplier(op):
525 "For depth multipliers > 1, IFM channels must be 1 and OFM channels must be equal to the depth multiplier"
526 depth_multiplier = op.attrs.get("depth_multiplier", 1)
527 if depth_multiplier > 1:
528 ifm_channels = op.ifm.shape[3]
529 ofm_channels = op.ofm.shape[3]
530 valid = (ifm_channels == 1) and (ofm_channels == depth_multiplier)
531 extra = (
532 f"Op has ifm_channels={ifm_channels}, ofm_channels={ofm_channels}"
533 f" and depth_multiplier={depth_multiplier}"
534 )
535 return valid, extra
536 return True, "Op has depth_multiplier=1"
537
538 @staticmethod
Raul Farkas090f18a2023-01-24 16:29:06 +0000539 def constraint_conv_stride(op):
Raul Farkas59b9ab92023-02-09 10:03:27 +0000540 "Stride values for height must be between 1 and 3 and for width between 1 and 4"
Raul Farkas090f18a2023-01-24 16:29:06 +0000541 w, h = op.get_kernel_stride()
Raul Farkas59b9ab92023-02-09 10:03:27 +0000542 stride_min_w_h = 1
543 stride_max_w = 4
544 stride_max_h = 3
545 valid = (stride_min_w_h <= w <= stride_max_w) and (stride_min_w_h <= h <= stride_max_h)
Raul Farkas090f18a2023-01-24 16:29:06 +0000546 return valid, f"Op has stride WxH as: {w}x{h}"
547
548 @staticmethod
549 def constraint_depthwise_conv_stride(op):
550 "Stride values for both width and height must be between 1 and 3"
551 w, h = op.get_kernel_stride()
552 stride_min, stride_max = 1, 3
553 valid = (stride_min <= w <= stride_max) and (stride_min <= h <= stride_max)
554 return valid, f"Op has stride WxH as: {w}x{h}"
555
556 @staticmethod
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200557 def constraint_tconv_stride(op):
558 "Stride values for both width and height must be 2"
559 w = op.kernel.stride.x
560 h = op.kernel.stride.y
561 valid = (w == 2) and (h == 2)
562 return valid, f"Op has stride WxH as: {w}x{h}"
563
564 @staticmethod
565 def constraint_tconv_same(op):
566 "SAME padding: OFM dimensions must equal IFM dimensions multiplied by stride"
567 if op.attrs["padding"] == Padding.SAME:
568 w = op.kernel.stride.x
569 h = op.kernel.stride.y
570 ifm_shape = op.ifm.shape
571 ofm_shape = op.ofm.shape
572 valid = (ofm_shape[1] == (ifm_shape[1] * h)) and (ofm_shape[2] == (ifm_shape[2] * w))
573 return valid, f"Op has ifm_shape={ifm_shape}, ofm_shape={ofm_shape} and stride WxH as {w}x{h}"
574 return True, "Op has padding=VALID"
575
576 @staticmethod
577 def constraint_tconv_valid(op):
578 """VALID padding: OFM dimensions must equal IFM dimensions multiplied by stride,
Jonas Ohlssond8575072022-03-30 10:30:25 +0200579 minus difference between kernel size and stride"""
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200580 if op.attrs["padding"] == Padding.VALID:
581 s_w = op.kernel.stride.x
582 s_h = op.kernel.stride.y
583 k_w = op.kernel.width
584 k_h = op.kernel.height
585 ifm_shape = op.ifm.shape
586 ofm_shape = op.ofm.shape
587 height_check = ofm_shape[1] == (ifm_shape[1] * s_h + max(k_h - s_h, 0))
588 width_check = ofm_shape[2] == (ifm_shape[2] * s_w + max(k_w - s_w, 0))
589 valid = height_check and width_check
590 extra = (
591 f"Op has ifm_shape={ifm_shape}, ofm_shape={ofm_shape},"
592 f" stride WxH as {s_w}x{s_h} and kernel WxH as {k_w}x{k_h}"
593 )
594 return valid, extra
595 return True, "Op has padding=SAME"
596
597 @classmethod
598 @docstring_format_args(filter_range)
599 def constraint_filter_range(cls, op):
600 "Kernel filter values for both width and height must be in the range [{}, {}]"
601 if op.attrs["padding"] == Padding.SAME:
602 w = op.kernel.width
603 h = op.kernel.height
604 filter_min, filter_max = cls.filter_range
605 valid = (filter_min <= w <= filter_max) and (filter_min <= h <= filter_max)
606 return valid, f"Op has kernel filter WxH as: {w}x{h}"
607 return True, "Op has padding=VALID"
608
609 @classmethod
610 @docstring_format_args(filter_height_range)
611 def constraint_filter_height_range(cls, op):
612 "Kernel filter height must be in the range [{}, {}]"
613 h = op.kernel.height
614 filter_height_min, filter_height_max = cls.filter_height_range
615 valid = filter_height_min <= h <= filter_height_max
616 return valid, f"Op has kernel filter height as: {h}"
617
618 @classmethod
619 @docstring_format_args(filter_product_range)
620 def constraint_filter_product_range(cls, op):
621 "Product of kernel filter width and height must be in the range [{}, {}]"
622 product = op.kernel.elements_wh()
623 filter_product_min, filter_product_max = cls.filter_product_range
624 valid = filter_product_min <= product <= filter_product_max
625 return valid, f"Op has product of kernel filter width and height as: {product}"
626
627 @staticmethod
628 @docstring_format_args(filter_height_range)
629 def constraint_filter_height_range_valid_pad(op):
630 "VALID padding: Kernel filter height must be in the range [{}, {}]"
631 if op.attrs["padding"] == Padding.VALID:
632 return TFLiteSupportedOperators.constraint_filter_height_range(op)
633 return True, "Op has padding=SAME"
634
635 @staticmethod
636 @docstring_format_args(filter_product_range)
637 def constraint_filter_product_range_valid_pad(op):
638 "VALID padding: Product of kernel filter width and height must be in the range [{}, {}]"
639 if op.attrs["padding"] == Padding.VALID:
640 return TFLiteSupportedOperators.constraint_filter_product_range(op)
641 return True, "Op has padding=SAME"
642
643 @staticmethod
Tim Hall885033b2022-07-21 11:46:03 +0100644 def constraint_resize(op):
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200645 """The width and height of the IFM and OFM must match one of the following criteria:
646 IFM W and H must both be 1
647 IFM must match OFM
Rickard Bolinfea15162022-07-04 16:19:16 +0000648 W and H scaling must be equal and OFM W-1 and H-1 must be 2x/4x/8x IFM W-1 and H-1, if align_corners is True
649 W and H scaling must be equal and OFM W and H must be 2x/4x/8x IFM W and H, if align_corners is False"""
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200650 # Easier to start with False condition as very few cases result in a supported resize
651 valid = False
652 ifm_shape = op.ifm.shape
Tim Hall47c76362022-07-18 21:26:47 +0100653 ifm_shape_h = ifm_shape[1]
654 ifm_shape_w = ifm_shape[2]
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200655 ofm_shape = op.ofm.shape
Tim Hall47c76362022-07-18 21:26:47 +0100656 ofm_shape_h = ofm_shape[1]
657 ofm_shape_w = ofm_shape[2]
658
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200659 align_corners = op.attrs.get("align_corners", False)
660 if len(ifm_shape) == 4:
661 # Valid if IFM W and H are both 1, or IFM and OFM shape are the same
Tim Hall47c76362022-07-18 21:26:47 +0100662 if ((ifm_shape_h == 1) and (ifm_shape_w == 1)) or (ifm_shape == ofm_shape):
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200663 valid = True
664 else:
Rickard Boline546def2022-01-25 15:45:00 +0000665 # Valid if OFM is 2/4/8x IFM (-1 for align corners)
Tim Hall47c76362022-07-18 21:26:47 +0100666 if align_corners:
667 h_upscale_factor = (ofm_shape_h - 1) / (ifm_shape_h - 1)
668 w_upscale_factor = (ofm_shape_w - 1) / (ifm_shape_w - 1)
669 else:
670 h_upscale_factor = ofm_shape_h / ifm_shape_h
671 w_upscale_factor = ofm_shape_w / ifm_shape_w
Rickard Boline546def2022-01-25 15:45:00 +0000672
Tim Hall47c76362022-07-18 21:26:47 +0100673 # could use either height or width. save as int because it is more usable later in graph optimiser
674 op.attrs["upscale_factor"] = int(h_upscale_factor)
675 valid = h_upscale_factor == w_upscale_factor and h_upscale_factor in (2.0, 4.0, 8.0)
Rickard Boline546def2022-01-25 15:45:00 +0000676
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200677 return valid, f"Op has ifm_shape={ifm_shape}, ofm_shape={ofm_shape} and align_corners={align_corners}"
678
679 @staticmethod
Tim Hall885033b2022-07-21 11:46:03 +0100680 def constraint_resize_size(op):
Tim Hall47c76362022-07-18 21:26:47 +0100681 "The size tensor must match the output tensor shape"
682 valid = False
683 ofm_shape = op.ofm.shape
684 size_h, size_w = None, None
685 # check that the size tensor (the second input) exists, is not none, and has the correct values
686 if len(op.inputs) == 2 and op.inputs[1] is not None and len(op.inputs[1].values) == 2:
687 size_h, size_w = op.inputs[1].values
688 # check size and output size match
689 if size_h == ofm_shape[1] and size_w == ofm_shape[2]:
690 valid = True
691
692 return valid, f"Op has size={size_h}x{size_w} and ofm_shape={ofm_shape}."
693
694 @staticmethod
Tim Hall885033b2022-07-21 11:46:03 +0100695 def constraint_resize_attrs(op):
Tim Hall47c76362022-07-18 21:26:47 +0100696 "Both align_corners and half_pixel_centers can't be True"
697 valid = True
698 align_corners = op.attrs.get("align_corners", False)
699 half_pixel_centers = op.attrs.get("half_pixel_centers", False)
700
701 if align_corners and half_pixel_centers:
702 valid = False
703 return valid, "Op has both align_corners and half_pixel_centers set to True."
704
705 @staticmethod
Rickard Bolinfea15162022-07-04 16:19:16 +0000706 def constraint_resizebi_half_pixel_centers_dims(op):
707 """Half_pixel_centers for resize bilinear requires that OFM W and H is 2x IFM W and H"""
708 half_pixel_centers = op.attrs.get("half_pixel_centers", False)
709 if not half_pixel_centers:
710 valid = True
711 elif len(op.ifm.shape) >= 3:
712 ifm_h, ifm_w = op.ifm.shape[-3:-1]
713 ofm_h, ofm_w = op.ofm.shape[-3:-1]
714 valid = ofm_h / ifm_h == 2 and ofm_w / ifm_w == 2
715 else:
716 # Unexpected IFM shape
717 valid = False
718 return (
719 valid,
720 f"Op has ifm_shape={op.ifm.shape}, ofm_shape={op.ofm.shape} and half_pixel_centers={half_pixel_centers}",
721 )
erik.andersson@arm.comba2555e2021-10-28 14:08:52 +0200722
723 @staticmethod
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200724 def constraint_pad_shape(op):
725 "The padding tensor must have the shape [3,2] or [4,2]"
726 valid = op.inputs[1].shape in ([3, 2], [4, 2])
727 return valid, f"The pad tensor has the shape: {op.inputs[1].shape}"
728
729 @classmethod
730 @docstring_format_args([list_formatter(supported_pad_dtypes)])
731 def constraint_pad_type(cls, op):
732 "Pad tensor must be of type: {}"
733 pad_tensor = op.inputs[1]
734 valid = pad_tensor.dtype in cls.supported_pad_dtypes
735 return valid, f"Tensor '{pad_tensor.name}' has data type: {pad_tensor.dtype}"
736
737 @staticmethod
738 def constraint_padding_dimensions(op):
739 "The pad tensor can only pad width and height"
740 pad_tensor = op.inputs[1].values
741
742 valid = sum(pad_tensor[-1, :]) == 0
743 if valid and len(pad_tensor) > 3:
744 valid = sum(pad_tensor[0, :]) == 0
745 return valid, f"First dimension padding: {pad_tensor[0,:]}, last dimension padding: {pad_tensor[-1,:]}"
746
747 @staticmethod
748 def constraint_stridedslice_stride_values(op):
749 "All Strides values must be 1"
750 strides = op.inputs[3]
751 valid = all(stride == 1 for stride in strides.values)
752 return valid, f"Op has strides values {strides.values}"
753
754 @staticmethod
755 def constraint_inputs_int32(op):
756 "Both Input data types must be int32"
757 ifm_dtype = op.ifm.dtype
758 ifm2_dtype = op.ifm2.dtype
759 valid = (ifm_dtype == DataType.int32) and (ifm2_dtype == DataType.int32)
760 return valid, f"Op has ifm_dtype={ifm_dtype} and ifm2_dtype={ifm2_dtype}"
761
762 @staticmethod
763 def constraint_output_int32(op):
764 "OFM must be int32"
765 ofm_dtype = op.ofm.dtype
766 valid = ofm_dtype == DataType.int32
767 return valid, f"Op has ofm_dtype={ofm_dtype}"
768
769 @staticmethod
770 def constraint_matching_quantization_parameters(op):
771 "Both Input quantization parameters must match OFM quantization parameters"
772 valid = True
773 extra = []
774 if not check_quantized_tens_scaling_equal(op.ofm, op.ifm):
775 valid = False
776 extra.append(op.ifm.name)
777 if op.ifm2 is not None and not check_quantized_tens_scaling_equal(op.ofm, op.ifm2):
778 valid = False
779 extra.append(op.ifm2.name)
780 extra = ", ".join(extra)
781 return valid, f"Op has tensors with different quantization parameters to the OFM '{op.ofm.name}': {extra}"
782
783 @staticmethod
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200784 def constraint_broadcast_shapes(op):
785 "Broadcasting is only allowed for rank indices with dimension 1, from either IFM1 or IFM2"
786 ifm_shape = op.ifm.shape
787 ifm2_shape = op.ifm2.shape if op.ifm2 else None
788 ofm_shape = op.ofm.shape
789 valid = True
790 if ifm_shape is not None and ifm2_shape is not None:
791 # align trailing dimensions
792 size = min(len(ifm_shape), len(ifm2_shape))
793 for i, i2, o in zip(ifm_shape[-size:], ifm2_shape[-size:], ofm_shape[-size:]):
794 mi = max(i, i2)
795 # Input dimensions should match or one should be of dimension 1
796 # Output dimension should match the largest input dimension, together
797 # with constraint_match_either_shapes ensures broadcast from only one input
798 if not (i == i2 or i == 1 or i2 == 1) or o != mi:
799 valid = False
800 break
801
802 return valid, f"Op has ifm_shape={ifm_shape} and ifm2_shape={ifm2_shape}"
803
804 @classmethod
805 @docstring_format_args([mean_kernel_product_avgpool])
806 def constraint_mean_height_width_product_avgpool(cls, op):
James Peet0bb7ad12022-02-15 15:07:54 +0000807 """Product of height and width must be no greater than {}"""
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200808 shape = op.inputs[0].shape
809 hi = 0 if len(shape) < 4 else 1
810 h, w = shape[hi : hi + 2]
811 max_prod = cls.mean_kernel_product_avgpool
812 return h * w <= max_prod, f"Product of height and width is {h * w}"
813
814 @classmethod
815 @docstring_format_args([mean_kernel_product])
816 def constraint_mean_height_width_product(cls, op):
James Peet0bb7ad12022-02-15 15:07:54 +0000817 """Product of height and width must be no greater than {} when:
818 IFM and OFM have different scale or zero point; or
819 'keep_dims' is True"""
Jonas Ohlsson45e653d2021-07-26 16:13:12 +0200820 ifmq, ofmq = op.ifm.quantization, op.ofm.quantization
821 keep_dims = op.attrs.get("keep_dims")
822 # doesn't apply, size is checked by constraint_mean_height_width_product_avgpool
823 if not keep_dims and ifmq.scale_f32 == ofmq.scale_f32 and ifmq.zero_point == ofmq.zero_point:
824 return True, ""
825 shape = op.inputs[0].shape
826 hi = 0 if len(shape) < 4 else 1
827 h, w = shape[hi : hi + 2]
828 max_prod = cls.mean_kernel_product
829 return h * w <= max_prod, f"Product of height and width is {h * w}"
830
Johan Alfvén05916632022-09-06 20:33:22 +0200831 @classmethod
James Peet0bb7ad12022-02-15 15:07:54 +0000832 @docstring_format_args([filter_height_range[1], dilated_height_range[1]])
833 def constraint_mean_height_single_axis(cls, op):
834 """For single axis averages across the height dimension:
835 IFM height must be no greater than {} if the IFM and OFM scale and zero point match; otherwise
836 IFM height must be no greater than {} if the IFM and OFM scale or zero point do not match"""
Rickard Bolin7d7cb672021-12-07 09:09:14 +0000837 inp, axis = op.inputs
838 if axis.shape == [] or axis.shape[0] == 1: # single axis
839 axis = int(axis.values) if len(axis.shape) == 0 else int(axis.values[0])
840 else:
James Peet0bb7ad12022-02-15 15:07:54 +0000841 # Multiple axes
Rickard Bolin7d7cb672021-12-07 09:09:14 +0000842 return True, ""
843
Rickard Bolin7d7cb672021-12-07 09:09:14 +0000844 shape = inp.shape
James Peet0bb7ad12022-02-15 15:07:54 +0000845 if len(shape) < 3:
846 # No height dimension present in IFM
847 return True, ""
848 if axis != len(shape) - 3:
849 # Not averaging across the height dimension
850 return True, ""
Rickard Bolin7d7cb672021-12-07 09:09:14 +0000851
James Peet0bb7ad12022-02-15 15:07:54 +0000852 h = shape[axis]
Rickard Bolin7d7cb672021-12-07 09:09:14 +0000853 ifm, ofm = op.get_ifm_ofm()
James Peet0bb7ad12022-02-15 15:07:54 +0000854
Rickard Bolin7d7cb672021-12-07 09:09:14 +0000855 if check_quantized_tens_scaling_equal(ifm, ofm):
James Peet0bb7ad12022-02-15 15:07:54 +0000856 return h <= cls.filter_height_range[1], f"Height is {h}, IFM and OFM quantizations match"
Rickard Bolin7d7cb672021-12-07 09:09:14 +0000857 else:
James Peet0bb7ad12022-02-15 15:07:54 +0000858 return h <= cls.dilated_height_range[1], f"Height is {h}, IFM and OFM quantizations do not match"
Rickard Bolin7d7cb672021-12-07 09:09:14 +0000859
Tim Hall3584a9c2021-11-18 22:05:17 +0000860 @staticmethod
861 def constraint_reshape_shape_constant(op):
862 "Shape must be constant"
863 valid = True
864 extra = []
865
866 reshape_tens = op.inputs[1]
867 if reshape_tens is not None:
868 # constant inputs have either no driving operator or a const one
869 # create a list of non-constant inputs
870 if not (len(reshape_tens.ops) == 0 or reshape_tens.ops[0].type == Op.Const):
871 valid = False
872 extra.append(reshape_tens.name)
873 extra = ", ".join(extra)
874
875 return valid, f"Op has non-const input(s): {extra}"