blob: 5667aff5ff52b957fae4456ed1897c1192ff7da9 [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# Functions used to read from a TensorFlow Lite format file.
Diego Russoea6111a2020-04-14 18:41:58 +010018import os.path
Tim Hall79d07d22020-04-27 18:20:16 +010019
20import numpy as np
Tim Hall79d07d22020-04-27 18:20:16 +010021
Louis Verhaard678645b2020-06-15 15:22:47 +020022from .errors import InputFileError
Diego Russoe8a10452020-04-21 17:39:10 +010023from .nn_graph import Graph
24from .nn_graph import Subgraph
Diego Russoea6111a2020-04-14 18:41:58 +010025from .operation import Operation
Diego Russoe8a10452020-04-21 17:39:10 +010026from .tensor import QuantizationParameters
27from .tensor import Tensor
28from .tflite.BuiltinOperator import BuiltinOperator
29from .tflite.Model import Model
30from .tflite_mapping import builtin_operator_map
31from .tflite_mapping import DataType
32from .tflite_mapping import datatype_map
33from .tflite_mapping import datatype_map_numpy
Tim Hall79d07d22020-04-27 18:20:16 +010034
35
36def decode_str(s):
37 if s is None:
38 return ""
39 return s.decode("utf-8")
40
41
Louis Verhaard3c07c972020-05-07 08:12:58 +020042def clone_and_reshape_tensor(src_tens, reorder):
Tim Hall79d07d22020-04-27 18:20:16 +010043
Louis Verhaard3c07c972020-05-07 08:12:58 +020044 tens = src_tens.clone("_reshape")
45 tens.shape = [src_tens.shape[idx] for idx in reorder]
46 tens.bandwidth_shape = tens.shape
47 tens.storage_shape = tens.shape
Tim Hall79d07d22020-04-27 18:20:16 +010048
Louis Verhaard3c07c972020-05-07 08:12:58 +020049 if tens.values is not None:
50 tens.values = tens.values.transpose(reorder)
Tim Hall79d07d22020-04-27 18:20:16 +010051
Louis Verhaard3c07c972020-05-07 08:12:58 +020052 if tens.quant_values is not None:
53 tens.quant_values = tens.quant_values.transpose(reorder)
54
55 op = Operation("Const", tens.name)
56 op.outputs = [tens]
57 tens.ops = [op]
58
59 return tens
Tim Hall79d07d22020-04-27 18:20:16 +010060
61
62class TFLiteSubgraph:
63 def __init__(self, graph, subgraph):
64 self.graph = graph
65 self.name = decode_str(subgraph.Name())
66
67 self.tensors = []
68 for idx in range(subgraph.TensorsLength()):
69 self.tensors.append(self.parse_tensor(subgraph.Tensors(idx)))
70
71 for idx in range(subgraph.OperatorsLength()):
72 self.parse_operator(subgraph.Operators(idx))
73
74 self.outputs = [self.tensors[idx] for idx in subgraph.OutputsAsNumpy()]
75 self.inputs = [self.tensors[idx] for idx in subgraph.InputsAsNumpy()]
76
77 # Fix up tensors without operations. Generate either Placeholder or Constant ops
78 for tens in self.inputs:
79 assert not tens.ops
80 op = Operation("Placeholder", tens.name)
81 op.outputs = [tens]
82 tens.ops = [op]
83
84 for tens in self.tensors:
85 if not tens.ops:
86 op = Operation("Const", tens.name)
87 op.outputs = [tens]
88 tens.ops = [op]
89
90 def parse_tensor(self, tens_data):
91 np_shape = tens_data.ShapeAsNumpy()
92 shape = list(np_shape) if type(np_shape) is np.ndarray else []
93 name = decode_str(tens_data.Name())
94 dtype = datatype_map[tens_data.Type()]
Tim Hall79d07d22020-04-27 18:20:16 +010095 tens = Tensor(shape, dtype, name)
Tim Hall79d07d22020-04-27 18:20:16 +010096 quant = tens_data.Quantization()
97
Tim Hall79d07d22020-04-27 18:20:16 +010098 tens.quantization = QuantizationParameters()
Tim Halle4e58e12020-05-08 09:50:21 +010099 if quant is not None:
Diego Russod0eee262020-04-23 18:14:37 +0100100 tens.quantization.min = self.len1_array_to_scalar(quant.MinAsNumpy())
101 tens.quantization.max = self.len1_array_to_scalar(quant.MaxAsNumpy())
102 tens.quantization.scale_f32 = self.len1_array_to_scalar(quant.ScaleAsNumpy())
103 tens.quantization.zero_point = self.len1_array_to_scalar(quant.ZeroPointAsNumpy())
Tim Hall79d07d22020-04-27 18:20:16 +0100104
105 if dtype == DataType.uint8:
106 tens.quantization.quant_min = 0
107 tens.quantization.quant_max = (1 << dtype.bits) - 1
108 elif dtype in set((DataType.int8, DataType.int16, DataType.int32, DataType.int64)):
109 tens.quantization.quant_min = -(1 << (dtype.bits - 1))
110 tens.quantization.quant_max = (1 << (dtype.bits - 1)) - 1
Tim Hall79d07d22020-04-27 18:20:16 +0100111
112 if tens.quantization.scale_f32 is None and tens.quantization.zero_point is None:
113 tens.quantization = None
114
115 tens.values = None
116 buf = self.graph.buffers[tens_data.Buffer()]
117 if buf is not None:
118 tens.values = np.array(buf.view(datatype_map_numpy[tens_data.Type()]).reshape(shape))
119 if tens.quantization is not None:
120 tens.quant_values = tens.values
121 tens.values = tens.quantization.dequantize(tens.quant_values)
122 return tens
123
124 def parse_operator(self, op_data):
125 op_type, opt_serializer = self.graph.operator_codes[op_data.OpcodeIndex()]
126 inputs = [self.tensors[idx] for idx in op_data.InputsAsNumpy()]
127 outputs = [self.tensors[idx] for idx in op_data.OutputsAsNumpy()]
128 name = "unknown_op_name"
129 if len(outputs):
130 name = outputs[0].name
131 op = Operation(op_type, name)
132 op.inputs = inputs
133 op.outputs = outputs
134 for out in op.outputs:
135 out.ops = [op]
136
137 activation_function_to_split_out = None
138
139 if op_type.startswith("DepthwiseConv2d") or op_type.startswith("Conv2D"):
Louis Verhaard3c07c972020-05-07 08:12:58 +0200140 inputs[1] = clone_and_reshape_tensor(inputs[1], (1, 2, 3, 0))
Tim Hall79d07d22020-04-27 18:20:16 +0100141
142 if op_type.startswith("FullyConnected"):
Louis Verhaard3c07c972020-05-07 08:12:58 +0200143 inputs[1] = clone_and_reshape_tensor(inputs[1], (1, 0))
Tim Hall79d07d22020-04-27 18:20:16 +0100144
145 if opt_serializer is not None:
146 op.attrs = opt_serializer.deserialize(op_data.BuiltinOptions(), op_data.CustomOptionsAsNumpy())
147
148 if "stride_w" in op.attrs:
149 op.attrs["strides"] = (1, op.attrs["stride_h"], op.attrs["stride_w"], 1)
150 if "filter_width" in op.attrs:
151 op.attrs["ksize"] = (1, op.attrs["filter_height"], op.attrs["filter_width"], 1)
152 if "dilation_w_factor" in op.attrs:
153 op.attrs["dilation"] = (1, op.attrs["dilation_h_factor"], op.attrs["dilation_w_factor"], 1)
154 if "depth_multiplier" in op.attrs:
155 op.attrs["channel_multiplier"] = op.attrs["depth_multiplier"]
156
157 if "fused_activation_function" in op.attrs:
158 if op_type in set(("ConcatTFLite",)):
159 act = op.attrs["fused_activation_function"]
160 del op.attrs["fused_activation_function"]
161 if act is not None:
162 activation_function_to_split_out = act
163
164 if activation_function_to_split_out is not None:
165 act_op = Operation(activation_function_to_split_out, name + activation_function_to_split_out)
166 out_tens = op.outputs[0]
167 intermediate_tens = out_tens.clone("_act_intermediate")
168 out_tens.ops = [act_op]
169 act_op.outputs = [out_tens]
170 intermediate_tens.ops = [op]
171 op.outputs[0] = intermediate_tens
172 act_op.inputs = [intermediate_tens]
173
Diego Russod0eee262020-04-23 18:14:37 +0100174 @staticmethod
175 def len1_array_to_scalar(arr):
176 # The following flatbuffer quantisation fields all return a scalar value of 0 if they are not definied in
177 # the input buffer. This is represented in Vela by using None.
178 # Otherwise, the fields returned are a single or multi-element array. In which case, single element arrays
179 # are converted to scalars
180 if isinstance(arr, int) and arr == 0:
181 return None
182 if len(arr) == 1:
183 return arr[0]
184 return arr
185
Tim Hall79d07d22020-04-27 18:20:16 +0100186
187class TFLiteGraph:
188 def __init__(
Diego Russoea6111a2020-04-14 18:41:58 +0100189 self, filename, batch_size=1, feed_dict={}, output_node_names=[], initialisation_nodes=[],
Tim Hall79d07d22020-04-27 18:20:16 +0100190 ):
191
192 self.op_times = {}
193 if batch_size is None:
194 batch_size = 1
195 self.batch_size = batch_size
196 self.name = os.path.splitext(os.path.basename(filename))[0]
197 self.initialisation_nodes = initialisation_nodes
198
199 with open(filename, "rb") as f:
200 buf = bytearray(f.read())
201
202 model = Model.GetRootAsModel(buf, 0)
203
204 self.buffers = []
205 for idx in range(model.BuffersLength()):
206 self.buffers.append(self.parse_buffer(model.Buffers(idx)))
207
208 self.operator_codes = []
209 for idx in range(model.OperatorCodesLength()):
210 self.operator_codes.append(self.parse_operator_code(model.OperatorCodes(idx)))
211
212 self.subgraphs = []
213 for idx in range(model.SubgraphsLength()):
214 self.subgraphs.append(TFLiteSubgraph(self, model.Subgraphs(idx)))
215
216 self.nng = Graph(self.name, self.batch_size)
217 for tflite_sg in self.subgraphs:
218 sg = Subgraph(tflite_sg.name)
219 sg.original_inputs = tflite_sg.inputs # Preserve the original input order
220 sg.output_tensors = tflite_sg.outputs
221 self.nng.subgraphs.append(sg)
222
223 def parse_buffer(self, buf_data):
224 if buf_data.DataLength() == 0:
225 return None
226 data = buf_data.DataAsNumpy()
227 return data
228
229 def parse_operator_code(self, code):
230 c = code.BuiltinCode()
Tim Hallc30f4952020-06-15 20:47:35 +0100231 if c not in builtin_operator_map:
Louis Verhaard678645b2020-06-15 15:22:47 +0200232 msg = "The input file contains operator code {} which is currently not supported".format(c)
233 raise InputFileError(self.name, msg)
Tim Hall79d07d22020-04-27 18:20:16 +0100234 op_type, ser = builtin_operator_map[c]
235 if c == BuiltinOperator.CUSTOM:
236 op_type += decode_str(code.CustomCode())
237 return op_type, ser
238
239
240def read_tflite(
Diego Russoea6111a2020-04-14 18:41:58 +0100241 filename, batch_size=1, feed_dict={}, output_node_names=[], initialisation_nodes=[],
Tim Hall79d07d22020-04-27 18:20:16 +0100242):
Diego Russoea6111a2020-04-14 18:41:58 +0100243 tflite_graph = TFLiteGraph(filename, batch_size, feed_dict, output_node_names, initialisation_nodes)
Tim Hall79d07d22020-04-27 18:20:16 +0100244 nng = tflite_graph.nng
245 nng.refresh_after_modification()
246 return nng