blob: 7897a81d1e583c40b1692fd6275a6470bce2df13 [file] [log] [blame]
telsoa014fcda012018-03-09 14:13:49 +00001//
2// Copyright © 2017 Arm Ltd. All rights reserved.
David Beckecb56cd2018-09-05 12:52:57 +01003// SPDX-License-Identifier: MIT
telsoa014fcda012018-03-09 14:13:49 +00004//
Matteo Martincigh49124022019-01-11 13:25:59 +00005
telsoa014fcda012018-03-09 14:13:49 +00006#include "Network.hpp"
7#include "Graph.hpp"
8#include "Layer.hpp"
telsoa01c577f2c2018-08-31 09:22:23 +01009#include "DeviceSpec.hpp"
telsoa014fcda012018-03-09 14:13:49 +000010#include "Optimizer.hpp"
Matteo Martincigh49124022019-01-11 13:25:59 +000011#include "SubGraphSelector.hpp"
12#include "BackendSettings.hpp"
David Beckac42efd2018-09-26 17:41:13 +010013#include "optimizations/All.hpp"
telsoa014fcda012018-03-09 14:13:49 +000014
Aron Virginas-Tarc9cc8042018-11-01 16:15:57 +000015#include <backendsCommon/CpuTensorHandle.hpp>
16#include <backendsCommon/WorkloadFactory.hpp>
David Beck263e3492018-11-09 14:46:40 +000017#include <backendsCommon/BackendRegistry.hpp>
18#include <backendsCommon/IBackendInternal.hpp>
David Beckac42efd2018-09-26 17:41:13 +010019
20#include <armnn/Exceptions.hpp>
telsoa014fcda012018-03-09 14:13:49 +000021#include <armnn/Utils.hpp>
telsoa01c577f2c2018-08-31 09:22:23 +010022#include <armnn/TypesUtils.hpp>
telsoa014fcda012018-03-09 14:13:49 +000023
24#include <fcntl.h>
25#include <algorithm>
26#include <fstream>
27#include <memory>
telsoa01c577f2c2018-08-31 09:22:23 +010028#include <vector>
29#include <algorithm>
telsoa014fcda012018-03-09 14:13:49 +000030
31#include <boost/assert.hpp>
32#include <boost/format.hpp>
33#include <boost/log/trivial.hpp>
34#include <boost/numeric/conversion/converter_policies.hpp>
35#include <boost/cast.hpp>
36
37namespace armnn
38{
39
40armnn::INetwork* INetwork::CreateRaw()
41{
42 return new Network();
43}
44
45armnn::INetworkPtr INetwork::Create()
46{
47 return INetworkPtr(CreateRaw(), &INetwork::Destroy);
48}
49
50void INetwork::Destroy(INetwork* network)
51{
52 delete boost::polymorphic_downcast<Network*>(network);
53}
54
55Status Network::PrintGraph()
56{
57 m_Graph->Print();
58 return Status::Success;
59}
60
61void IOptimizedNetwork::Destroy(IOptimizedNetwork* network)
62{
63 delete boost::polymorphic_downcast<OptimizedNetwork*>(network);
64}
65
66Status OptimizedNetwork::PrintGraph()
67{
68 m_Graph->Print();
69 return Status::Success;
70}
71
surmeh01bceff2f2018-03-29 16:29:27 +010072Status OptimizedNetwork::SerializeToDot(std::ostream& stream) const
73{
74 return m_Graph->SerializeToDot(stream);
75}
76
Matteo Martincigh49124022019-01-11 13:25:59 +000077struct OptimizationResult
78{
79 bool m_Warning;
80 bool m_Error;
81
82 OptimizationResult()
83 : m_Warning(false)
84 , m_Error(false)
85 {}
86};
87
88void ReportError(const std::string& errorMessage,
89 Optional<std::vector<std::string>&> errorMessages)
90{
91 std::stringstream fullErrorMessage;
92 fullErrorMessage << "ERROR: " << errorMessage;
93 BOOST_LOG_TRIVIAL(warning) << fullErrorMessage.str();
94 if (errorMessages)
95 {
96 errorMessages.value().push_back(fullErrorMessage.str());
97 }
98}
99
100void ReportWarning(const std::string& warningMessage,
101 Optional<std::vector<std::string>&> warningMessages)
102{
103 std::stringstream fullWarningMessage;
104 fullWarningMessage << "WARNING: " << warningMessage;
105 BOOST_LOG_TRIVIAL(warning) << fullWarningMessage.str();
106 if (warningMessages)
107 {
108 warningMessages.value().push_back(fullWarningMessage.str());
109 }
110}
111
jimfly016b0b53d2018-10-08 14:43:01 +0100112bool CheckScaleSetOnQuantizedType(Layer* layer, Optional<std::vector<std::string>&> errMessages)
113{
114 bool noErrors = true;
115 unsigned int numOutputs = layer->GetNumOutputSlots();
116 for (unsigned int i = 0; i < numOutputs; i++) {
117 const OutputSlot &outputSlot = layer->GetOutputSlot(i);
118 const TensorInfo &info = outputSlot.GetTensorInfo();
119 if (DataType::QuantisedAsymm8 == info.GetDataType()) {
120 if (0.f == info.GetQuantizationScale()) {
121 noErrors = false;
122 std::stringstream ss;
Matteo Martincigh49124022019-01-11 13:25:59 +0000123 ss << "output " << i << " of layer " << GetLayerTypeAsCString(layer->GetType())
jimfly016b0b53d2018-10-08 14:43:01 +0100124 << " (" << layer->GetNameStr() << ") is of type"
125 << " Quantized 8 bit but its scale parameter has not been set";
Matteo Martincigh49124022019-01-11 13:25:59 +0000126 ReportError(ss.str(), errMessages);
jimfly016b0b53d2018-10-08 14:43:01 +0100127 }
128 }
129 }
130 return noErrors;
131}
132
Matteo Martincigh49124022019-01-11 13:25:59 +0000133OptimizationResult AssignBackends(OptimizedNetwork* optNetObjPtr,
134 BackendSettings& backendSettings,
135 Graph::Iterator& firstLayer,
136 Graph::Iterator& lastLayer,
137 Optional<std::vector<std::string>&> errMessages)
telsoa014fcda012018-03-09 14:13:49 +0000138{
Matteo Martincigh49124022019-01-11 13:25:59 +0000139 OptimizationResult result;
telsoa014fcda012018-03-09 14:13:49 +0000140
Matteo Martincigh49124022019-01-11 13:25:59 +0000141 // Helper lambda to compose meaningful error message before returning with error
142 auto ReturnWithError = [&](const Layer* layer)
telsoa01c577f2c2018-08-31 09:22:23 +0100143 {
jimfly016b0b53d2018-10-08 14:43:01 +0100144 std::stringstream failureMsg;
Matteo Martincigh49124022019-01-11 13:25:59 +0000145 failureMsg << "Layer of type " << GetLayerTypeAsCString(layer->GetType())
146 << " is not supported on any preferred backend " << backendSettings.m_PreferredBackends;
147 ReportError(failureMsg.str(), errMessages);
148
149 result.m_Error = true;
150 return result;
telsoa01c577f2c2018-08-31 09:22:23 +0100151 };
152
Matteo Martincigh49124022019-01-11 13:25:59 +0000153 auto availablePreferredBackends = backendSettings.GetAvailablePreferredBackends();
154 if (availablePreferredBackends.empty())
telsoa01c577f2c2018-08-31 09:22:23 +0100155 {
Matteo Martincigh49124022019-01-11 13:25:59 +0000156 std::stringstream failureMsg;
157 failureMsg << "No preferred backends are available";
158 ReportError(failureMsg.str(), errMessages);
159
160 result.m_Error = true;
161 return result;
162 }
163
164 for (auto it = firstLayer; it != lastLayer; ++it)
165 {
166 auto layer = *it;
telsoa01c577f2c2018-08-31 09:22:23 +0100167 DataType dataType = layer->GetDataType();
168 std::string reasonIfUnsupported;
169 bool found = false;
jimfly016b0b53d2018-10-08 14:43:01 +0100170 if (!CheckScaleSetOnQuantizedType(layer, errMessages))
171 {
172 // don't bomb immediately, find all the quantized outputs
173 // which haven't had a scale set and report them all back.
Matteo Martincigh49124022019-01-11 13:25:59 +0000174 result.m_Error = true;
jimfly016b0b53d2018-10-08 14:43:01 +0100175 }
Matteo Martincigh49124022019-01-11 13:25:59 +0000176
David Beckf0b48452018-10-19 15:20:56 +0100177 for (const auto& backend : availablePreferredBackends)
telsoa01c577f2c2018-08-31 09:22:23 +0100178 {
179 // need to set the compute device on the layer
180 // before we can check if it is supported
David Beck33f0ae02018-10-18 15:13:56 +0100181 layer->SetBackendId(backend);
telsoa01c577f2c2018-08-31 09:22:23 +0100182 if (!IWorkloadFactory::IsLayerSupported(*layer, dataType, reasonIfUnsupported))
183 {
184 if (dataType == DataType::Float16)
185 {
186 if (IWorkloadFactory::IsLayerSupported(*layer, DataType::Float32, reasonIfUnsupported)
187 && layer->GetType() != LayerType::ConvertFp32ToFp16
188 && layer->GetType() != LayerType::ConvertFp16ToFp32)
189 {
190 // Insert FP16 -> FP32 conversion layer before current layer
191 std::vector<ConvertFp16ToFp32Layer*> convertFp16ToFp32Layers =
192 InsertConvertFp16ToFp32LayersBefore(optNetObjPtr->GetGraph(), *layer);
193
194 // Insert FP32 -> FP16 conversion layer after current layer
195 std::vector<ConvertFp32ToFp16Layer*> convertFp32ToFp16Layers =
196 InsertConvertFp32ToFp16LayersAfter(optNetObjPtr->GetGraph(), *layer);
197
198 // Assign a supported backend to the newly introduced conversion layers
David Beckf0b48452018-10-19 15:20:56 +0100199 auto AssignFirstSupportedBackend = [&](Layer* layer, BackendId preferredBackend)
telsoa01c577f2c2018-08-31 09:22:23 +0100200 {
201 bool supportedBackendFound = false;
202 std::string reasonIfUnsupported;
203
204 // Try preferred backend first
David Beck33f0ae02018-10-18 15:13:56 +0100205 layer->SetBackendId(preferredBackend);
David Beck29c75de2018-10-23 13:35:58 +0100206 if (IWorkloadFactory::IsLayerSupported(*layer,
207 EmptyOptional(),
208 reasonIfUnsupported))
telsoa01c577f2c2018-08-31 09:22:23 +0100209 {
210 supportedBackendFound = true;
211 }
212 else
213 {
David Beckf0b48452018-10-19 15:20:56 +0100214 for (const auto& backend : availablePreferredBackends)
telsoa01c577f2c2018-08-31 09:22:23 +0100215 {
216 // Skip preferred backend (we already determined that it is not supported)
217 if (backend == preferredBackend)
218 {
219 continue;
220 }
221
David Beck33f0ae02018-10-18 15:13:56 +0100222 layer->SetBackendId(backend);
David Beck29c75de2018-10-23 13:35:58 +0100223 if (IWorkloadFactory::IsLayerSupported(*layer,
224 EmptyOptional(),
225 reasonIfUnsupported))
telsoa01c577f2c2018-08-31 09:22:23 +0100226 {
227 supportedBackendFound = true;
228 break;
229 }
230 }
231 }
232
233 return supportedBackendFound;
234 };
235
236 for (ConvertFp16ToFp32Layer* convertLayer : convertFp16ToFp32Layers)
237 {
238 if (!AssignFirstSupportedBackend(convertLayer, backend))
239 {
240 return ReturnWithError(convertLayer);
241 }
242 }
243
244 for (ConvertFp32ToFp16Layer* convertLayer : convertFp32ToFp16Layers)
245 {
246 if (!AssignFirstSupportedBackend(convertLayer, backend))
247 {
248 return ReturnWithError(convertLayer);
249 }
250 }
251
252 found = true;
253 break;
254 }
255 }
jimfly016b0b53d2018-10-08 14:43:01 +0100256 std::stringstream warningMsg;
Matteo Martincigh49124022019-01-11 13:25:59 +0000257 warningMsg << "Layer of type " << GetLayerTypeAsCString(layer->GetType())
David Beck33f0ae02018-10-18 15:13:56 +0100258 << " is not supported on requested backend " << layer->GetBackendId().Get()
jimfly016b0b53d2018-10-08 14:43:01 +0100259 << " for data type " << GetDataTypeName(dataType)
260 << " (reason: " << reasonIfUnsupported
261 << "), falling back to the next backend.";
Matteo Martincigh49124022019-01-11 13:25:59 +0000262 ReportWarning(warningMsg.str(), errMessages);
telsoa01c577f2c2018-08-31 09:22:23 +0100263 }
264 else
265 {
266 found = true;
Matteo Martincigh49124022019-01-11 13:25:59 +0000267 backendSettings.m_SelectedBackends.insert(backend);
telsoa01c577f2c2018-08-31 09:22:23 +0100268 break;
269 }
270 }
271
272 // If the layer is unsupported by any devices, log and return a null network.
Matteo Martincigh49124022019-01-11 13:25:59 +0000273 if (!found)
274 {
telsoa01c577f2c2018-08-31 09:22:23 +0100275 // NOTE: if the layer is not an operation queue type AND we have not got CpuRef as a
276 // fallback we should set the compute device on the layer to CpuRef (these are not
277 // available as accelerated operations, or are only available under certain
278 // conditions, currently they comprise MemCopy, Constant, Permute)
279 armnn::LayerType layerType = layer->GetType();
Matteo Martincigh49124022019-01-11 13:25:59 +0000280 if (!backendSettings.IsCpuRefUsed() && (layerType == armnn::LayerType::MemCopy ||
281 layerType == armnn::LayerType::Constant ||
282 layerType == armnn::LayerType::Permute))
telsoa01c577f2c2018-08-31 09:22:23 +0100283 {
Matteo Martincigh49124022019-01-11 13:25:59 +0000284 BackendId cpuBackendId(armnn::Compute::CpuRef);
285 layer->SetBackendId(cpuBackendId);
286 backendSettings.m_SelectedBackends.insert(cpuBackendId);
telsoa01c577f2c2018-08-31 09:22:23 +0100287 }
288 else
289 {
290 return ReturnWithError(layer);
291 }
292 }
293 }
Matteo Martincigh49124022019-01-11 13:25:59 +0000294
295 return result;
296}
297
Matteo Martincighadddddb2019-01-24 14:06:23 +0000298OptimizationResult AssignBackends(OptimizedNetwork* optNetObjPtr,
299 BackendSettings& backendSettings,
300 SubGraph& subGraph,
301 Optional<std::vector<std::string>&> errMessages)
Matteo Martincigh49124022019-01-11 13:25:59 +0000302{
Matteo Martincighadddddb2019-01-24 14:06:23 +0000303 Graph::Iterator firstLayer = subGraph.begin();
304 Graph::Iterator lastLayer = subGraph.end();
305 return AssignBackends(optNetObjPtr,
306 backendSettings,
307 firstLayer,
308 lastLayer,
309 errMessages);
310}
311
312OptimizationResult ApplyBackendOptimizations(OptimizedNetwork* optNetObjPtr,
313 BackendSettings& backendSettings,
314 Optional<std::vector<std::string>&> errMessages)
315{
316 BOOST_ASSERT(optNetObjPtr);
Matteo Martincigh49124022019-01-11 13:25:59 +0000317
318 OptimizationResult result;
319
Matteo Martincighadddddb2019-01-24 14:06:23 +0000320 // Get the optimized graph
321 Graph& optGraph = optNetObjPtr->GetGraph();
Matteo Martincigh49124022019-01-11 13:25:59 +0000322
Matteo Martincighadddddb2019-01-24 14:06:23 +0000323 // Get the entire graph as a sub-graph
324 SubGraph mainSubGraph(optGraph);
Matteo Martincigh49124022019-01-11 13:25:59 +0000325
Matteo Martincighadddddb2019-01-24 14:06:23 +0000326 // Run backend specific optimizations
327 auto const& backendRegistry = BackendRegistryInstance();
328 for (auto&& selectedBackend : backendSettings.m_SelectedBackends)
Matteo Martincigh49124022019-01-11 13:25:59 +0000329 {
Matteo Martincighadddddb2019-01-24 14:06:23 +0000330 auto backendFactory = backendRegistry.GetFactory(selectedBackend);
331 auto backendObjPtr = backendFactory();
332 BOOST_ASSERT(backendObjPtr);
333
334 // Select sub-graphs based on backend
335 SubGraphSelector::SubGraphs subGraphs =
336 SubGraphSelector::SelectSubGraphs(mainSubGraph,
337 // Select layers assigned to the requested backend
338 [&backendObjPtr](const Layer& layer)
339 {
340 return layer.GetType() != LayerType::Input &&
341 layer.GetType() != LayerType::Output &&
342 layer.GetBackendId() == backendObjPtr->GetId();
343 });
344 if (subGraphs.empty())
Matteo Martincigh49124022019-01-11 13:25:59 +0000345 {
Matteo Martincighadddddb2019-01-24 14:06:23 +0000346 // No sub-graphs found, try with next selected backend
347 continue;
Matteo Martincigh49124022019-01-11 13:25:59 +0000348 }
Matteo Martincighadddddb2019-01-24 14:06:23 +0000349
350 // Try to optimize each sub-graph
351 for (auto& subGraph : subGraphs)
Matteo Martincigh49124022019-01-11 13:25:59 +0000352 {
Matteo Martincighadddddb2019-01-24 14:06:23 +0000353 // Try to optimize the current sub-graph
354 bool optimizationAttempted = false;
355 SubGraph::SubGraphPtr optSubGraph = backendObjPtr->OptimizeSubGraph(*subGraph, optimizationAttempted);
Matteo Martincigh49124022019-01-11 13:25:59 +0000356
Matteo Martincighadddddb2019-01-24 14:06:23 +0000357 // Check if the optimization has been attempted
358 if (!optimizationAttempted)
Matteo Martincigh49124022019-01-11 13:25:59 +0000359 {
Matteo Martincighadddddb2019-01-24 14:06:23 +0000360 // No optimization attempted, keep the current sub-graph as it is and move to the next one
361 continue;
362 }
363
364 // Optimization attempted, check the resulting optimized sub-graph
365 if (optSubGraph)
366 {
367 // Sub-graph optimized, substitute the sub-graph with the new optimized one in the main optimized graph
368 optGraph.SubstituteSubGraph(std::move(subGraph), *optSubGraph);
369
370 // Assign the current backend to the optimized sub-graph
371 std::for_each(optSubGraph->begin(), optSubGraph->end(), [&selectedBackend](Layer* l)
372 {
373 BOOST_ASSERT(l);
374 l->SetBackendId(selectedBackend);
375 });
376
377 // Recreate the sub-graph representing the entire graph
378 mainSubGraph.Update(optGraph);
379 }
380 else
381 {
382 // An error occurred: the optimization was attempted but not performed, try different backends
383 std::stringstream warningMsg;
384 warningMsg << "Sub-graph failed to get optimized on " << backendObjPtr->GetId() << ". "
385 << "Re-assigning backends to " << subGraph->GetLayers().size() << " layers inside sub-graph";
386 ReportWarning(warningMsg.str(), errMessages);
387
388 // Failed to optimize the given sub-graph, re-assign the sub-graph layers to other available backends
389 if (!backendObjPtr->GetId().IsCpuRef())
390 {
391 // Add the current backend to the list of backends to ignore
392 backendSettings.m_IgnoredBackends.insert(backendObjPtr->GetId());
393 }
394 OptimizationResult reassignmentResult = AssignBackends(optNetObjPtr,
395 backendSettings,
396 *subGraph,
397 errMessages);
398 if (reassignmentResult.m_Error)
399 {
400 // Failed to re-assign one of the remaining backends to each layer of the sub-graph
401 result.m_Error = true;
402 return result;
403 }
Matteo Martincigh49124022019-01-11 13:25:59 +0000404 }
405 }
406 }
407
408 return result;
409}
410
411IOptimizedNetworkPtr Optimize(const INetwork& inNetwork,
412 const std::vector<BackendId>& backendPreferences,
413 const IDeviceSpec& deviceSpec,
414 const OptimizerOptions& options,
415 Optional<std::vector<std::string>&> errMessages)
416{
417 if (backendPreferences.empty())
418 {
419 throw armnn::InvalidArgumentException("Invoked Optimize with no backends specified");
420 }
421
422 const Network& network = *boost::polymorphic_downcast<const Network*>(&inNetwork);
423 std::unique_ptr<Graph> graph = std::make_unique<Graph>(network.GetGraph());
424
425 auto optNet = IOptimizedNetworkPtr(new OptimizedNetwork(std::move(graph)), &IOptimizedNetwork::Destroy);
426
427 OptimizedNetwork* optNetObjPtr = boost::polymorphic_downcast<OptimizedNetwork*>(optNet.get());
428
Matteo Martincighadddddb2019-01-24 14:06:23 +0000429 // Get the optimized graph
430 Graph& optGraph = optNetObjPtr->GetGraph();
431
Matteo Martincigh49124022019-01-11 13:25:59 +0000432 // Perform optimisation passes
433 using namespace optimizations;
Matteo Martincighadddddb2019-01-24 14:06:23 +0000434 Optimizer::Pass(optGraph, MakeOptimizations(SquashEqualPermuteSiblings(),
435 SquashEqualReshapeSiblings(),
436 OptimizeInversePermutes(),
437 MovePermuteUp(),
438 PermuteAsReshape(),
439 OptimizeConsecutiveReshapes()));
Matteo Martincigh49124022019-01-11 13:25:59 +0000440
Matteo Martincighadddddb2019-01-24 14:06:23 +0000441 // Infer the tensor infos for all output slots. Throws an exception on failure
442 optGraph.InferTensorInfos();
Matteo Martincigh49124022019-01-11 13:25:59 +0000443
444 // If Fp32 to Fp16 optimization is set convert Fp32 network to Fp16
445 if (options.m_ReduceFp32ToFp16)
446 {
Matteo Martincighadddddb2019-01-24 14:06:23 +0000447 Optimizer::Pass(optGraph, MakeOptimizations(Fp32NetworkToFp16Converter()));
Matteo Martincigh49124022019-01-11 13:25:59 +0000448 }
449
450 // Initialize backend settings
451 BackendSettings backendSettings(backendPreferences, deviceSpec);
452 if (backendSettings.GetAvailablePreferredBackends().empty())
453 {
454 std::stringstream failureMsg;
455 failureMsg << "None of the preferred backends " << backendPreferences
456 << " are supported. Current platform provides " << backendSettings.m_SupportedBackends;
457 ReportError(failureMsg.str(), errMessages);
458 return IOptimizedNetworkPtr(nullptr, &IOptimizedNetwork::Destroy);
459 }
460
461 // Assign an available backend to each layer
Matteo Martincighadddddb2019-01-24 14:06:23 +0000462 Graph::Iterator firstLayer = optGraph.begin();
463 Graph::Iterator lastLayer = optGraph.end();
Matteo Martincigh49124022019-01-11 13:25:59 +0000464 OptimizationResult assigBackendsResult = AssignBackends(optNetObjPtr,
465 backendSettings,
466 firstLayer,
467 lastLayer,
468 errMessages);
469 if (assigBackendsResult.m_Error)
470 {
471 // Failed to assign a backend to each layer
jimfly016b0b53d2018-10-08 14:43:01 +0100472 return IOptimizedNetworkPtr(nullptr, &IOptimizedNetwork::Destroy);
473 }
telsoa01c577f2c2018-08-31 09:22:23 +0100474
Matteo Martincighadddddb2019-01-24 14:06:23 +0000475 Optimizer::Pass(optGraph, MakeOptimizations(OptimizeInverseConversionsFp16(),
476 OptimizeInverseConversionsFp32()));
telsoa01c577f2c2018-08-31 09:22:23 +0100477
Matteo Martincighadddddb2019-01-24 14:06:23 +0000478 // Apply the backend-specific optimizations
479 OptimizationResult backendOptimizationResult = ApplyBackendOptimizations(optNetObjPtr,
480 backendSettings,
481 errMessages);
482 if (backendOptimizationResult.m_Error)
Matteo Martincigh49124022019-01-11 13:25:59 +0000483 {
Matteo Martincighadddddb2019-01-24 14:06:23 +0000484 // Failed to apply the backend-specific optimizations
485 return IOptimizedNetworkPtr(nullptr, &IOptimizedNetwork::Destroy);
Matteo Martincigh49124022019-01-11 13:25:59 +0000486 }
487
Matteo Martincighadddddb2019-01-24 14:06:23 +0000488 // If the debug flag is set, then insert a DebugLayer after each layer
489 // Doing this after applying the backend optimizations as they might have changed some layers
490 if (options.m_Debug)
491 {
492 Optimizer::Pass(optGraph, MakeOptimizations(InsertDebugLayer()));
493 }
494
495 optGraph.AddCopyLayers();
telsoa01c577f2c2018-08-31 09:22:23 +0100496
497 // Convert constants
Matteo Martincighadddddb2019-01-24 14:06:23 +0000498 Optimizer::Pass(optGraph, MakeOptimizations(ConvertConstantsFloatToHalf()));
499 Optimizer::Pass(optGraph, MakeOptimizations(ConvertConstantsHalfToFloat()));
telsoa01c577f2c2018-08-31 09:22:23 +0100500
David Beck263e3492018-11-09 14:46:40 +0000501 // Run backend specific optimizations
Matteo Martincigh49124022019-01-11 13:25:59 +0000502 for (auto&& chosenBackend : backendSettings.m_SelectedBackends)
David Beck263e3492018-11-09 14:46:40 +0000503 {
504 auto factoryFun = BackendRegistryInstance().GetFactory(chosenBackend);
505 auto backendPtr = factoryFun();
506 BOOST_ASSERT(backendPtr.get() != nullptr);
507
508 auto backendSpecificOptimizations = backendPtr->GetOptimizations();
509 if (!backendSpecificOptimizations.empty())
510 {
511 Optimizer::Pass(optNetObjPtr->GetGraph(), backendSpecificOptimizations);
512 }
513 }
514
telsoa01c577f2c2018-08-31 09:22:23 +0100515 return optNet;
telsoa014fcda012018-03-09 14:13:49 +0000516}
517
518Network::Network()
519: m_Graph(std::make_unique<Graph>())
520{
521}
522
523Network::~Network()
524{
525}
526
527IConnectableLayer* Network::AddInputLayer(LayerBindingId id, const char* name)
528{
529 return m_Graph->AddLayer<InputLayer>(id, name);
530}
531
Éanna Ó Catháin4e1e1362018-11-12 11:36:34 +0000532IConnectableLayer* Network::AddBatchToSpaceNdLayer(const BatchToSpaceNdDescriptor& batchToSpaceNdDescriptor,
533 const char* name)
534{
535 return m_Graph->AddLayer<BatchToSpaceNdLayer>(batchToSpaceNdDescriptor, name);
536}
537
telsoa014fcda012018-03-09 14:13:49 +0000538IConnectableLayer* Network::AddFullyConnectedLayerImpl(const FullyConnectedDescriptor& fullyConnectedDescriptor,
telsoa01c577f2c2018-08-31 09:22:23 +0100539 const ConstTensor& weights,
540 const ConstTensor* biases,
541 const char* name)
telsoa014fcda012018-03-09 14:13:49 +0000542{
543 if (fullyConnectedDescriptor.m_BiasEnabled && (biases == nullptr))
544 {
545 throw InvalidArgumentException("AddFullyConnectedLayer: biases cannot be NULL");
546 }
547
548 const auto layer = m_Graph->AddLayer<FullyConnectedLayer>(fullyConnectedDescriptor, name);
549
550 layer->m_Weight = std::make_unique<ScopedCpuTensorHandle>(weights);
551
552 if (fullyConnectedDescriptor.m_BiasEnabled)
553 {
554 layer->m_Bias = std::make_unique<ScopedCpuTensorHandle>(*biases);
555 }
556
557 return layer;
558}
559
560IConnectableLayer* Network::AddFullyConnectedLayer(const FullyConnectedDescriptor& fullyConnectedDescriptor,
telsoa01c577f2c2018-08-31 09:22:23 +0100561 const ConstTensor& weights,
562 const char* name)
telsoa014fcda012018-03-09 14:13:49 +0000563{
564 return AddFullyConnectedLayerImpl(fullyConnectedDescriptor, weights, nullptr, name);
565}
566
567IConnectableLayer* Network::AddFullyConnectedLayer(const FullyConnectedDescriptor& fullyConnectedDescriptor,
telsoa01c577f2c2018-08-31 09:22:23 +0100568 const ConstTensor& weights,
569 const ConstTensor& biases,
570 const char* name)
telsoa014fcda012018-03-09 14:13:49 +0000571{
572 return AddFullyConnectedLayerImpl(fullyConnectedDescriptor, weights, &biases, name);
573}
574
575IConnectableLayer* Network::AddConvolution2dLayerImpl(const Convolution2dDescriptor& convolution2dDescriptor,
telsoa01c577f2c2018-08-31 09:22:23 +0100576 const ConstTensor& weights,
577 const ConstTensor* biases,
578 const char* name)
telsoa014fcda012018-03-09 14:13:49 +0000579{
580 if (convolution2dDescriptor.m_BiasEnabled && (biases == nullptr))
581 {
582 throw InvalidArgumentException("AddConvolution2dLayer: biases cannot be NULL");
583 }
584
585 const auto layer = m_Graph->AddLayer<Convolution2dLayer>(convolution2dDescriptor, name);
586
587 layer->m_Weight = std::make_unique<ScopedCpuTensorHandle>(weights);
588
589 if (convolution2dDescriptor.m_BiasEnabled)
590 {
591 layer->m_Bias = std::make_unique<ScopedCpuTensorHandle>(*biases);
592 }
593
594 return layer;
595}
596
597IConnectableLayer* Network::AddConvolution2dLayer(const Convolution2dDescriptor& convolution2dDescriptor,
telsoa01c577f2c2018-08-31 09:22:23 +0100598 const ConstTensor& weights,
599 const char* name)
telsoa014fcda012018-03-09 14:13:49 +0000600{
601 return AddConvolution2dLayerImpl(convolution2dDescriptor, weights, nullptr, name);
602}
603IConnectableLayer* Network::AddConvolution2dLayer(const Convolution2dDescriptor& convolution2dDescriptor,
telsoa01c577f2c2018-08-31 09:22:23 +0100604 const ConstTensor& weights,
605 const ConstTensor& biases,
606 const char* name)
telsoa014fcda012018-03-09 14:13:49 +0000607{
608 return AddConvolution2dLayerImpl(convolution2dDescriptor, weights, &biases, name);
609}
610
611IConnectableLayer* Network::AddDepthwiseConvolution2dLayerImpl(
612 const DepthwiseConvolution2dDescriptor& convolution2dDescriptor,
613 const ConstTensor& weights,
614 const ConstTensor* biases,
615 const char* name)
616{
617 if (convolution2dDescriptor.m_BiasEnabled && (biases == nullptr))
618 {
619 throw InvalidArgumentException("AddDepthwiseConvolution2dLayer: biases cannot be NULL");
620 }
621
Matteo Martincigh3d6898c2019-01-15 16:11:44 +0000622 const auto layer = m_Graph->AddLayer<DepthwiseConvolution2dLayer>(convolution2dDescriptor, name);
telsoa014fcda012018-03-09 14:13:49 +0000623
624 layer->m_Weight = std::make_unique<ScopedCpuTensorHandle>(weights);
625
626 if (convolution2dDescriptor.m_BiasEnabled)
627 {
628 layer->m_Bias = std::make_unique<ScopedCpuTensorHandle>(*biases);
629 }
630
631 return layer;
632}
633
634IConnectableLayer* Network::AddDepthwiseConvolution2dLayer(
635 const DepthwiseConvolution2dDescriptor& convolution2dDescriptor,
636 const ConstTensor& weights,
637 const char* name)
638{
639 return AddDepthwiseConvolution2dLayerImpl(convolution2dDescriptor, weights, nullptr, name);
640}
641IConnectableLayer* Network::AddDepthwiseConvolution2dLayer(
642 const DepthwiseConvolution2dDescriptor& convolution2dDescriptor,
643 const ConstTensor& weights,
644 const ConstTensor& biases,
645 const char* name)
646{
647 return AddDepthwiseConvolution2dLayerImpl(convolution2dDescriptor, weights, &biases, name);
648}
649
Narumol Prangnawarat94dd5d82019-01-23 18:06:26 +0000650IConnectableLayer* Network::AddDetectionPostProcessLayer(const armnn::DetectionPostProcessDescriptor& descriptor,
651 const char* name)
652{
653 return m_Graph->AddLayer<DetectionPostProcessLayer>(descriptor, name);
654}
655
telsoa014fcda012018-03-09 14:13:49 +0000656IConnectableLayer* Network::AddPermuteLayer(const PermuteDescriptor& permuteDescriptor,
657 const char* name)
658{
659 return m_Graph->AddLayer<PermuteLayer>(permuteDescriptor, name);
660}
661
662IConnectableLayer* Network::AddPooling2dLayer(const Pooling2dDescriptor& pooling2dDescriptor,
663 const char* name)
664{
665 return m_Graph->AddLayer<Pooling2dLayer>(pooling2dDescriptor, name);
666}
667
668IConnectableLayer* Network::AddActivationLayer(const ActivationDescriptor& activationDescriptor,
669 const char* name)
670{
671 return m_Graph->AddLayer<ActivationLayer>(activationDescriptor, name);
672}
673
telsoa01c577f2c2018-08-31 09:22:23 +0100674IConnectableLayer* Network::AddNormalizationLayer(const NormalizationDescriptor&
675normalizationDescriptor,
telsoa014fcda012018-03-09 14:13:49 +0000676 const char* name)
677{
678 return m_Graph->AddLayer<NormalizationLayer>(normalizationDescriptor, name);
679}
680
681IConnectableLayer* Network::AddSoftmaxLayer(const SoftmaxDescriptor& softmaxDescriptor,
682 const char* name)
683{
684 return m_Graph->AddLayer<SoftmaxLayer>(softmaxDescriptor, name);
685}
686
687IConnectableLayer* Network::AddSplitterLayer(const ViewsDescriptor& splitterDescriptor,
688 const char* name)
689{
690 return m_Graph->AddLayer<SplitterLayer>(splitterDescriptor, name);
691}
692
Nattapat Chaimanowong5a4304a2018-11-28 10:44:37 +0000693IConnectableLayer* Network::AddMaximumLayer(const char* name)
694{
695 return m_Graph->AddLayer<MaximumLayer>(name);
696}
697
Éanna Ó Catháin20e58802018-12-04 10:29:06 +0000698IConnectableLayer* Network::AddMinimumLayer(const char* name)
699{
700 return m_Graph->AddLayer<MinimumLayer>(name);
701}
702
telsoa014fcda012018-03-09 14:13:49 +0000703IConnectableLayer* Network::AddMergerLayer(const OriginsDescriptor& mergerDescriptor,
704 const char* name)
705{
706 return m_Graph->AddLayer<MergerLayer>(mergerDescriptor, name);
707}
708
709IConnectableLayer* Network::AddAdditionLayer(const char* name)
710{
711 return m_Graph->AddLayer<AdditionLayer>(name);
712}
713
714IConnectableLayer* Network::AddMultiplicationLayer(const char* name)
715{
716 return m_Graph->AddLayer<MultiplicationLayer>(name);
717}
718
719IConnectableLayer* Network::AddOutputLayer(LayerBindingId id, const char* name)
720{
721 return m_Graph->AddLayer<OutputLayer>(id, name);
722}
723
724IConnectableLayer* Network::AddBatchNormalizationLayer(const BatchNormalizationDescriptor& desc,
725 const ConstTensor& mean,
726 const ConstTensor& variance,
727 const ConstTensor& beta,
728 const ConstTensor& gamma,
729 const char* name)
730{
731 const auto layer = m_Graph->AddLayer<BatchNormalizationLayer>(desc, name);
732
733 layer->m_Mean = std::make_unique<ScopedCpuTensorHandle>(mean);
734 layer->m_Variance = std::make_unique<ScopedCpuTensorHandle>(variance);
735 layer->m_Beta = std::make_unique<ScopedCpuTensorHandle>(beta);
736 layer->m_Gamma = std::make_unique<ScopedCpuTensorHandle>(gamma);
737
738 return layer;
739}
740
telsoa01c577f2c2018-08-31 09:22:23 +0100741IConnectableLayer* Network::AddResizeBilinearLayer(const ResizeBilinearDescriptor&
742resizeDescriptor, const char* name)
telsoa014fcda012018-03-09 14:13:49 +0000743{
744 return m_Graph->AddLayer<ResizeBilinearLayer>(resizeDescriptor,name);
745}
746
Matteo Martincighbcd3c852018-09-28 14:14:12 +0100747IConnectableLayer* Network::AddL2NormalizationLayer(const L2NormalizationDescriptor& desc,
748 const char* name)
telsoa014fcda012018-03-09 14:13:49 +0000749{
Matteo Martincighbcd3c852018-09-28 14:14:12 +0100750 return m_Graph->AddLayer<L2NormalizationLayer>(desc, name);
telsoa014fcda012018-03-09 14:13:49 +0000751}
752
753IConnectableLayer* Network::AddConstantLayer(const ConstTensor& input, const char* name)
754{
telsoa01c577f2c2018-08-31 09:22:23 +0100755 auto layer = m_Graph->AddLayer<ConstantLayer>(name);
756
757 layer->m_LayerOutput = std::make_unique<ScopedCpuTensorHandle>(input);
758
759 return layer;
telsoa014fcda012018-03-09 14:13:49 +0000760}
761
telsoa01c577f2c2018-08-31 09:22:23 +0100762IConnectableLayer* Network::AddReshapeLayer(const ReshapeDescriptor& reshapeDescriptor,
763 const char* name)
telsoa014fcda012018-03-09 14:13:49 +0000764{
765 return m_Graph->AddLayer<ReshapeLayer>(reshapeDescriptor, name);
766}
767
Nattapat Chaimanowong207ef9a2018-11-02 10:57:25 +0000768IConnectableLayer* Network::AddSpaceToBatchNdLayer(const SpaceToBatchNdDescriptor& spaceToBatchNdDescriptor,
769 const char* name)
770{
771 return m_Graph->AddLayer<SpaceToBatchNdLayer>(spaceToBatchNdDescriptor, name);
772}
773
telsoa014fcda012018-03-09 14:13:49 +0000774IConnectableLayer* Network::AddFloorLayer(const char* name)
775{
776 return m_Graph->AddLayer<FloorLayer>(name);
777}
778
telsoa01c577f2c2018-08-31 09:22:23 +0100779IConnectableLayer* Network::AddLstmLayer(const LstmDescriptor& descriptor,
780 const LstmInputParams& params,
781 const char* name)
782{
783 const auto layer = m_Graph->AddLayer<LstmLayer>(descriptor, name);
784
785 //Lstm Basic Parameters
786 layer->m_BasicParameters.m_InputToForgetWeights =
787 std::make_unique<ScopedCpuTensorHandle>(*(params.m_InputToForgetWeights));
788 layer->m_BasicParameters.m_InputToCellWeights =
789 std::make_unique<ScopedCpuTensorHandle>(*(params.m_InputToCellWeights));
790 layer->m_BasicParameters.m_InputToOutputWeights =
791 std::make_unique<ScopedCpuTensorHandle>(*(params.m_InputToOutputWeights));
792 layer->m_BasicParameters.m_RecurrentToForgetWeights =
793 std::make_unique<ScopedCpuTensorHandle>(*(params.m_RecurrentToForgetWeights));
794 layer->m_BasicParameters.m_RecurrentToCellWeights =
795 std::make_unique<ScopedCpuTensorHandle>(*(params.m_RecurrentToCellWeights));
796 layer->m_BasicParameters.m_RecurrentToOutputWeights =
797 std::make_unique<ScopedCpuTensorHandle>(*(params.m_RecurrentToOutputWeights));
798 layer->m_BasicParameters.m_ForgetGateBias =
799 std::make_unique<ScopedCpuTensorHandle>(*(params.m_ForgetGateBias));
800 layer->m_BasicParameters.m_CellBias =
801 std::make_unique<ScopedCpuTensorHandle>(*(params.m_CellBias));
802 layer->m_BasicParameters.m_OutputGateBias =
803 std::make_unique<ScopedCpuTensorHandle>(*(params.m_OutputGateBias));
804
805 //Lstm Cifg parameters
806 if(!descriptor.m_CifgEnabled)
807 {
808 if(params.m_InputToInputWeights == nullptr)
809 {
810 throw InvalidArgumentException("AddLstmLayer: Input To Input Weights cannot be NULL");
811 }
812 if(params.m_RecurrentToInputWeights == nullptr)
813 {
814 throw InvalidArgumentException(
815 "AddLstmLayer: Recurrent To Input Weights cannot be NULL");
816 }
817 if(params.m_InputGateBias == nullptr)
818 {
819 throw InvalidArgumentException("AddLstmLayer: Input Gate Bias cannot be NULL");
820 }
821 layer->m_CifgParameters.m_InputToInputWeights =
822 std::make_unique<ScopedCpuTensorHandle>(*(params.m_InputToInputWeights));
823 layer->m_CifgParameters.m_RecurrentToInputWeights =
824 std::make_unique<ScopedCpuTensorHandle>(*(params.m_RecurrentToInputWeights));
825 // In the VTS tests, cell-to-input weights may be null, even if the other CIFG params are not.
826 if(params.m_CellToInputWeights != nullptr)
827 {
828 layer->m_CifgParameters.m_CellToInputWeights =
829 std::make_unique<ScopedCpuTensorHandle>(*(params.m_CellToInputWeights));
830 }
831 layer->m_CifgParameters.m_InputGateBias =
832 std::make_unique<ScopedCpuTensorHandle>(*(params.m_InputGateBias));
833 }
834
835 //Lstm projection parameters
836 if(descriptor.m_ProjectionEnabled)
837 {
838 if(params.m_ProjectionWeights == nullptr)
839 {
840 throw InvalidArgumentException("AddLstmLayer: Projection Weights cannot be NULL");
841 }
842 layer->m_ProjectionParameters.m_ProjectionWeights =
843 std::make_unique<ScopedCpuTensorHandle>(*(params.m_ProjectionWeights));
844 if(params.m_ProjectionBias != nullptr)
845 {
846 layer->m_ProjectionParameters.m_ProjectionBias =
847 std::make_unique<ScopedCpuTensorHandle>(*(params.m_ProjectionBias));
848 }
849 }
850
851 //Lstm Peephole params
852 if(descriptor.m_PeepholeEnabled)
853 {
854 if(params.m_CellToForgetWeights == nullptr)
855 {
856 throw InvalidArgumentException("AddLstmLayer: Cell To Forget Weights cannot be NULL");
857 }
858 if(params.m_CellToOutputWeights == nullptr)
859 {
860 throw InvalidArgumentException("AddLstmLayer: Cell To Output Weights cannot be NULL");
861 }
862 layer->m_PeepholeParameters.m_CellToForgetWeights =
863 std::make_unique<ScopedCpuTensorHandle>(*(params.m_CellToForgetWeights));
864 layer->m_PeepholeParameters.m_CellToOutputWeights =
865 std::make_unique<ScopedCpuTensorHandle>(*(params.m_CellToOutputWeights));
866 }
867 return layer;
868}
869
Francis Murtaghe7a86a42018-08-29 12:42:10 +0100870IConnectableLayer* Network::AddDivisionLayer(const char* name)
871{
872 return m_Graph->AddLayer<DivisionLayer>(name);
873}
874
David Beck19526222018-09-12 16:00:08 +0100875IConnectableLayer* Network::AddSubtractionLayer(const char* name)
876{
877 return m_Graph->AddLayer<SubtractionLayer>(name);
878}
879
narpra0132b90462018-09-13 11:07:48 +0100880IConnectableLayer* Network::AddMeanLayer(const MeanDescriptor& meanDescriptor, const char* name)
881{
882 return m_Graph->AddLayer<MeanLayer>(meanDescriptor,name);
883}
884
Mohamed Nour Abouelseoud5662c202018-09-24 13:30:09 +0100885IConnectableLayer* Network::AddPadLayer(const PadDescriptor& padDescriptor, const char* name)
886{
887 return m_Graph->AddLayer<PadLayer>(padDescriptor,name);
888}
889
Conor Kennedy430b5d82018-11-14 15:28:28 +0000890IConnectableLayer* Network::AddStridedSliceLayer(const StridedSliceDescriptor& stridedSliceDescriptor,
891 const char* name)
892{
893 return m_Graph->AddLayer<StridedSliceLayer>(stridedSliceDescriptor, name);
894}
895
Matteo Martincigh59a950c2018-12-13 12:48:25 +0000896IConnectableLayer* Network::AddGreaterLayer(const char* name)
897{
898 return m_Graph->AddLayer<GreaterLayer>(name);
899}
900
FrancisMurtagh20995952018-12-17 12:11:36 +0000901IConnectableLayer* Network::AddEqualLayer(const char* name)
902{
jimfly0184c70e62018-12-19 13:14:46 +0000903 return m_Graph->AddLayer<EqualLayer>(name);
FrancisMurtagh20995952018-12-17 12:11:36 +0000904}
905
Mohamed Nour Abouelseouda1d3c6a2018-12-27 12:39:16 +0000906IConnectableLayer* Network::AddRsqrtLayer(const char * name)
907{
908 return m_Graph->AddLayer<RsqrtLayer>(name);
909}
910
narpra01b89b05f2019-01-16 09:53:09 +0000911IConnectableLayer* Network::AddGatherLayer(const char* name)
912{
913 return m_Graph->AddLayer<GatherLayer>(name);
914}
915
telsoa014fcda012018-03-09 14:13:49 +0000916OptimizedNetwork::OptimizedNetwork(std::unique_ptr<Graph> graph)
917 : m_Graph(std::move(graph))
918{
919}
920
921OptimizedNetwork::~OptimizedNetwork()
922{
923}
924
925} // namespace armnn