blob: 3f3a0025def946347ad04fea06f39694c8cfed1e [file] [log] [blame]
Patrik Gustavsson8f1f9aa2021-06-28 07:41:58 +02001# Copyright (C) 2021 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.
16# Description:
17# The TosaSupportedOperators class which is a collection of all supported operators and parameter checks.
18from collections import defaultdict
19
20from .data_type import DataType
21from .operation import Op
22from .supported_operators_util import docstring_format_args
23from .supported_operators_util import list_formatter
24from .tosa_mapping import optype_to_tosa_op_type
25
26
27class TosaSupportedOperators:
28 # TODO currently sparsely populated
29 # Categorised lists of supported operators
30 convolution_ops = set((Op.Conv2DBias,))
Patrik Gustavssondf995102021-08-23 15:33:59 +020031 depthwise_convolution_ops = set((Op.DepthwiseConv2DBias,))
32 convolution_like_ops = convolution_ops | depthwise_convolution_ops
33
34 # TODO depending on what will be committed
Patrik Gustavssonc74682c2021-08-17 14:26:38 +020035 max_pooling_ops = Op.op_set(Op.is_maxpool_op)
36 avg_pooling_ops = Op.op_set(Op.is_avgpool_op)
Patrik Gustavssondf995102021-08-23 15:33:59 +020037 pooling_ops = max_pooling_ops | avg_pooling_ops
38 fc_vector_products = set((Op.FullyConnected,))
Patrik Gustavssonc74682c2021-08-17 14:26:38 +020039
Patrik Gustavssondf995102021-08-23 15:33:59 +020040 mac_main_ops = convolution_like_ops | pooling_ops | fc_vector_products
Jonas Ohlssond8575072022-03-30 10:30:25 +020041 memory_only_ops = set(
42 (
43 Op.Reshape,
44 Op.Transpose,
45 Op.Concat,
46 Op.SplitSliceRead,
47 )
48 )
49 binary_elem_wise_add_mul_sub = set(
50 (
51 Op.Add,
52 Op.Mul,
Jonas Ohlssond8575072022-03-30 10:30:25 +020053 Op.Sub,
54 )
55 )
Patrik Gustavsson46408a82021-09-20 10:47:47 +020056 elem_wise_ops = binary_elem_wise_add_mul_sub
Patrik Gustavsson8f1f9aa2021-06-28 07:41:58 +020057 type_conversion_ops = set((Op.Rescale,))
Jonas Ohlssond8575072022-03-30 10:30:25 +020058 relu_ops = set(
59 (
60 Op.Clamp,
61 Op.ReluN,
62 )
63 )
Patrik Gustavssonf436ada2021-09-14 14:56:48 +020064 activation_ops = relu_ops | set((Op.Table,))
Patrik Gustavssone2bfa7e2021-09-08 15:04:11 +020065 pad_ops = set((Op.Pad,))
Patrik Gustavsson8f1f9aa2021-06-28 07:41:58 +020066
Patrik Gustavssonb4936ad2021-10-05 13:53:34 +020067 rank_unlimited_ops = set((Op.Concat, Op.Reshape, Op.Identity, Op.Pad))
Patrik Gustavssonc2b129d2021-09-23 13:52:34 +020068 rank6_limited_ops = elem_wise_ops
Patrik Gustavsson008cd102021-09-24 13:46:42 +020069 batch_enabled_ops = rank6_limited_ops | rank_unlimited_ops
70 large_tens_dims_enabled_ops = batch_enabled_ops | set((Op.SplitSliceRead,))
Patrik Gustavsson8f1f9aa2021-06-28 07:41:58 +020071 npu_post_ops = activation_ops
Patrik Gustavsson46408a82021-09-20 10:47:47 +020072
Patrik Gustavssonef3ebdd2021-10-01 11:10:25 +020073 supported_operators = (
74 mac_main_ops
75 | type_conversion_ops
76 | npu_post_ops
77 | memory_only_ops
78 | elem_wise_ops
79 | pad_ops
80 | set((Op.Identity,))
81 )
Patrik Gustavsson8f1f9aa2021-06-28 07:41:58 +020082
83 # Supported data types
84 # TODO will differ compared to TensorFlow Lite, currently set to the same
Patrik Gustavssonf1580f02021-09-01 12:43:02 +020085 supported_op_dtypes = set((DataType.uint8, DataType.int8, DataType.int16, DataType.int32)) # TODO add bool
Patrik Gustavssonf366fb12021-09-07 13:30:29 +020086 tens_dim_range = (1, 65535) # TODO HW limitation, that is to be resolved in SW
Patrik Gustavsson8f1f9aa2021-06-28 07:41:58 +020087
88 def __init__(self):
89 # Setup the generic constraints. Note: the order matters
90 self.generic_constraints = []
91 self.generic_constraints.append(TosaSupportedOperators.constraint_tens_dtype)
Patrik Gustavsson008cd102021-09-24 13:46:42 +020092 self.generic_constraints.append(TosaSupportedOperators.constraint_tens_dimension) # TODO not supported yet
93 self.generic_constraints.append(TosaSupportedOperators.constraint_rank) # TODO not supported for all ops yet
94 self.generic_constraints.append(TosaSupportedOperators.constraint_batch) # TODO not supported for all ops yet
Patrik Gustavsson8f1f9aa2021-06-28 07:41:58 +020095
Fredrik Svedberg88d5b122022-09-16 16:24:55 +020096 # Setup generic constraint exceptions
97 self.generic_constraints_exceptions = defaultdict(list)
98
Patrik Gustavsson8f1f9aa2021-06-28 07:41:58 +020099 # Setup specific constraints. Note: the order matters
100 self.specific_constraints = defaultdict(list)
101
Patrik Gustavssondf995102021-08-23 15:33:59 +0200102 self.specific_constraints[Op.Transpose].append(TosaSupportedOperators.constraint_ifm_producer)
Patrik Gustavssone2bfa7e2021-09-08 15:04:11 +0200103 self.specific_constraints[Op.Pad].append(TosaSupportedOperators.constraint_padding_producer)
Patrik Gustavssonf436ada2021-09-14 14:56:48 +0200104 self.specific_constraints[Op.Table].append(TosaSupportedOperators.constraint_table_dtype)
105 self.specific_constraints[Op.Table].append(TosaSupportedOperators.constraint_table_producer)
Patrik Gustavssondf995102021-08-23 15:33:59 +0200106
107 # Depthwise Conv specific checks:
108 for op_type in TosaSupportedOperators.depthwise_convolution_ops:
109 self.specific_constraints[op_type].append(TosaSupportedOperators.constraint_depth_multiplier)
110
Patrik Gustavssonf366fb12021-09-07 13:30:29 +0200111 # Avgpool specific checks
112 for op_type in TosaSupportedOperators.avg_pooling_ops:
113 self.specific_constraints[op_type].append(TosaSupportedOperators.constraint_padding)
114
Patrik Gustavsson8f1f9aa2021-06-28 07:41:58 +0200115 def is_operator_supported(self, op):
116 ext_type = optype_to_tosa_op_type(op.type)
117 if op.type not in TosaSupportedOperators.supported_operators:
118 if op.type not in (Op.Placeholder, Op.SubgraphInput, Op.Const):
119 print(f"Info: {ext_type} '{op.name}' is not a NPU op")
120 return False
121
122 for constraint in self.generic_constraints + self.specific_constraints[op.type]:
123 valid, extra = constraint(op)
124 if not valid:
125 print(f"Warning: {ext_type} '{op.name}' is not supported on the NPU")
126 print(f" - {constraint.__doc__}")
127 if extra:
128 print(f" {extra}")
129 return False
130
131 return True
132
133 # TODO this function is the same for TensorFlow Lite, but input might differ
134 @classmethod
135 @docstring_format_args([list_formatter(supported_op_dtypes)])
136 def constraint_tens_dtype(cls, op):
137 "Tensors must be of type: {}"
138 valid = True
139 extra = []
140 tensors = [tens for tens in op.get_ifm_ifm2_weights_ofm() if tens]
141 if not tensors:
142 tensors = [tens for tens in op.inputs if tens]
143 for tens in tensors:
144 if tens.dtype not in cls.supported_op_dtypes:
145 valid = False
146 extra.append(f"Tensor '{tens.name}' has data type: {tens.dtype}")
147 return valid, ", ".join(extra)
Patrik Gustavssondf995102021-08-23 15:33:59 +0200148
Patrik Gustavssonf366fb12021-09-07 13:30:29 +0200149 # TODO Duplicates check present for TFLite. But it is only temporarily added
150 # This is for a HW limitation, that is to be resolved in SW later on
151 @classmethod
152 @docstring_format_args(tens_dim_range)
Patrik Gustavsson3f22ec22021-09-21 14:18:44 +0200153 def constraint_tens_dimension(self, op):
Patrik Gustavssonc2b129d2021-09-23 13:52:34 +0200154 "Tensor dimensions must be in the range [{}, {}]"
Patrik Gustavsson3f22ec22021-09-21 14:18:44 +0200155 tens_min, tens_max = self.tens_dim_range
Patrik Gustavssonf366fb12021-09-07 13:30:29 +0200156 valid = True
157 extra = []
Patrik Gustavssonc2b129d2021-09-23 13:52:34 +0200158 if op.type not in self.large_tens_dims_enabled_ops:
Patrik Gustavsson3f22ec22021-09-21 14:18:44 +0200159 tensors = [tens for tens in op.get_ifm_ifm2_weights_ofm() if tens]
160 if not tensors:
161 tensors = [tens for tens in op.inputs if tens]
162 for tens in tensors:
163 if not all(tens_min <= dim <= tens_max for dim in tens.shape):
164 valid = False
165 extra.append(f"Tensor '{tens.name}' has shape: {tens.shape}")
Patrik Gustavssonf366fb12021-09-07 13:30:29 +0200166 return valid, ", ".join(extra)
167
Patrik Gustavssone2bfa7e2021-09-08 15:04:11 +0200168 # TODO This is for a HW limitation, that is to be resolved in SW later on
Patrik Gustavsson46408a82021-09-20 10:47:47 +0200169 @classmethod
170 def constraint_rank(self, op):
Patrik Gustavssonc2b129d2021-09-23 13:52:34 +0200171 "Tensor rank must be <= 6 or <= 4 depending on operator"
Patrik Gustavssone2bfa7e2021-09-08 15:04:11 +0200172 valid = True
173 extra = []
Patrik Gustavssonc2b129d2021-09-23 13:52:34 +0200174 if op.type not in self.rank_unlimited_ops:
175 if op.type in self.rank6_limited_ops:
176 rank_limit = 6
177 else:
178 rank_limit = 4
Patrik Gustavsson46408a82021-09-20 10:47:47 +0200179 tensors = [tens for tens in op.get_ifm_ifm2_weights_ofm() if tens]
180 if not tensors:
181 tensors = [tens for tens in op.inputs if tens]
182 for tens in tensors:
183 rank = len(tens.shape)
Patrik Gustavssonc2b129d2021-09-23 13:52:34 +0200184 if not rank <= rank_limit:
Patrik Gustavsson46408a82021-09-20 10:47:47 +0200185 valid = False
Patrik Gustavsson008cd102021-09-24 13:46:42 +0200186 extra.append(
187 f"Tensor '{tens.name}' has rank: {rank}, rank limit is currently {rank_limit}"
188 f" for op of type {op.type}"
189 )
Patrik Gustavssone2bfa7e2021-09-08 15:04:11 +0200190 return valid, ", ".join(extra)
191
192 # TODO This is for a HW limitation, that is to be resolved in SW later on
Patrik Gustavsson46408a82021-09-20 10:47:47 +0200193 @classmethod
194 def constraint_batch(self, op):
Patrik Gustavssonc2b129d2021-09-23 13:52:34 +0200195 "If Tensor rank is 4 batch of ifms/ofm must be 1"
Patrik Gustavssone2bfa7e2021-09-08 15:04:11 +0200196 valid = True
197 extra = []
Patrik Gustavssonc2b129d2021-09-23 13:52:34 +0200198 if op.type not in self.batch_enabled_ops:
Patrik Gustavsson46408a82021-09-20 10:47:47 +0200199 tensors = [tens for tens in op.get_ifm_ifm2_ofm() if tens]
200 if not tensors:
201 tensors = [tens for tens in op.inputs if tens]
202 for tens in tensors:
203 rank = len(tens.shape)
204 if rank == 4 and tens.shape[0] != 1:
205 valid = False
206 extra.append(f"Tensor '{tens.name}' has rank: 4 and N: {tens.shape[0]}")
Patrik Gustavssone2bfa7e2021-09-08 15:04:11 +0200207 return valid, ", ".join(extra)
208
Patrik Gustavssondf995102021-08-23 15:33:59 +0200209 @staticmethod
210 def constraint_ifm_producer(cls, op):
211 "Input must be constant data"
212 valid = op.ifm.ops and op.ifm.ops[0].type == Op.Const
213 return valid, "Op has ifm with non-constant data"
214
Patrik Gustavssonf366fb12021-09-07 13:30:29 +0200215 @staticmethod
216 def constraint_padding(op):
217 # TODO Only support for when global scaling can be used.
218 # That is when there is padding no padding
219 "Avgpool only supported for no padding"
220 top, left, _, _ = op.attrs["explicit_padding"]
221 valid = top == 0 and left == 0
222
223 return valid, "Avgpool with pad_top {top} and pad_left {left}"
224
Patrik Gustavssone2bfa7e2021-09-08 15:04:11 +0200225 # TODO limit padding to be const data for now.
226 # For TFLite it is assumed to be constant.
227 @staticmethod
228 def constraint_padding_producer(op):
229 "Input must be constant data"
230 valid = op.inputs[1].ops and op.inputs[1].ops[0].type == Op.Const
231 return valid, "PAD Op with non-constant data padding"
232
Patrik Gustavssonf366fb12021-09-07 13:30:29 +0200233 # TODO duplicates tflite_supported operators, but support for depth multiplier should be added at a later stage
Patrik Gustavssondf995102021-08-23 15:33:59 +0200234 @staticmethod
235 def constraint_depth_multiplier(op):
236 "For depth multipliers > 1, IFM channels must be 1 and OFM channels must be equal to the depth multiplier"
237 depth_multiplier = op.attrs.get("depth_multiplier", 1)
238 if depth_multiplier > 1:
239 ifm_channels = op.ifm.shape[3]
240 ofm_channels = op.ofm.shape[3]
241 valid = (ifm_channels == 1) and (ofm_channels == depth_multiplier)
242 extra = (
243 f"Op has ifm_channels={ifm_channels}, ofm_channels={ofm_channels}"
244 f" and depth_multiplier={depth_multiplier}"
245 )
246 return valid, extra
247 return True, "Op has depth_multiplier=1"
Patrik Gustavssonf436ada2021-09-14 14:56:48 +0200248
249 # TODO Table operator support limited to int8 for now.
250 # For TFLite it is assumed to be constant.
251 @staticmethod
252 def constraint_table_dtype(op):
253 "Only supported is int8"
254 valid = True
255 tensors = [op.ifm, op.ofm, op.inputs[1]]
256 for tens in tensors:
257 if tens.dtype != DataType.int8:
258 valid = False
259 return valid, "Table operator with non int8 tensor"
260
261 # TODO limit table to be constant data for now.
262 # Can it be non-constant?
263 @staticmethod
264 def constraint_table_producer(op):
265 "Input must be constant data"
266 valid = op.inputs[1].ops and op.inputs[1].ops[0].type == Op.Const
267 return valid, "Table Op with non-constant table input"