graph.h
58.6 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
// Copyright (c) Microsoft Corporation. All rights reserved.
// Licensed under the MIT License.
#pragma once
#include <limits>
#include <memory>
#include <string>
#include <type_traits>
#include <unordered_map>
#include <unordered_set>
#include "core/common/common.h"
#include "core/common/const_pointer_container.h"
#include "core/common/path.h"
#include "core/common/status.h"
#include "core/common/logging/logging.h"
#include "core/graph/basic_types.h"
#include "core/graph/constants.h"
#include "core/graph/graph_nodes.h"
#include "core/graph/node_arg.h"
#include "core/graph/onnx_protobuf.h"
#include "core/graph/function.h"
#include "gsl/gsl"
namespace flatbuffers {
class FlatBufferBuilder;
template <typename T>
struct Offset;
} // namespace flatbuffers
namespace onnxruntime {
class Graph;
struct IndexedSubGraph;
class Model;
class OpSignature;
namespace experimental {
namespace fbs {
struct Graph;
struct Node;
struct NodeEdge;
} // namespace fbs
} // namespace experimental
/**
@class Node
Class representing a node in the graph.
*/
class Node {
public:
/** Node types */
enum class Type {
Primitive = 0, ///< The node refers to a primitive operator.
Fused = 1, ///< The node refers to a function.
};
~Node() = default;
/**
@class EdgeEnd
Class representing the end of an edge. It could be an input or output edge end of a node.
For the node's input edge end, it's the source end, as the destination end is the node itself.
For the node's output edge end, it's the destination end, as the source end is the node itself.
*/
class EdgeEnd {
public:
/**
Construct an EdgeEnd
@param node The source node if this is an input edge to the current node,
or the destination node if this is an output edge from the current node.
@param src_arg_index The node arg index of source node of the edge.
@param dst_arg_index The node arg index of destination node of the edge.
*/
EdgeEnd(const Node& node, int src_arg_index, int dst_arg_index) noexcept;
/** Construct a control edge.
@param node The node the edge joins to the current node.
*/
explicit EdgeEnd(const Node& node) noexcept;
/** Gets the Node that this EdgeEnd refers to. */
const Node& GetNode() const noexcept { return *node_; }
/** Gets the source arg index.
@returns the source arg index of <*this> edge.*/
int GetSrcArgIndex() const { return src_arg_index_; }
/** Gets the destination arg index.
@returns the destination arg index of <*this> edge.*/
int GetDstArgIndex() const { return dst_arg_index_; }
private:
const Node* node_;
const int src_arg_index_;
const int dst_arg_index_;
};
/** Gets the Node's NodeIndex. */
NodeIndex Index() const noexcept { return index_; }
/** Gets the Node's name. */
const std::string& Name() const noexcept { return name_; }
/** Gets the Node's operator type. */
const std::string& OpType() const noexcept { return op_type_; }
/** Gets the domain of the OperatorSet that specifies the operator returned by #OpType. */
const std::string& Domain() const noexcept { return domain_; }
/** Gets the path of the owning model if any. */
const Path& ModelPath() const noexcept;
/** Gets the Node's execution priority.
@remarks Lower value means higher priority */
int Priority() const noexcept { return priority_; };
/** Sets the execution priority of a node.
@remarks Lower value means higher priority */
void SetPriority(int priority) noexcept;
/** Gets the node description. */
const std::string& Description() const noexcept { return description_; }
/** Gets the Node's Node::Type. */
Node::Type NodeType() const noexcept { return node_type_; }
/** Gets the opset version that the Node's operator was first defined in.
@returns Opset version. If -1 the Node's operator has not been set.
@remarks Prefer over Op()->SinceVersion() as Op() is disabled in a minimal build
*/
int SinceVersion() const noexcept { return since_version_; }
#if !defined(ORT_MINIMAL_BUILD)
/** Gets the Node's OpSchema.
@remarks The graph containing this node must be resolved, otherwise nullptr will be returned. */
const ONNX_NAMESPACE::OpSchema* Op() const noexcept { return op_; }
/**
Gets the function body if applicable otherwise nullptr
@param try_init_func_body If not already intialized, initialize the function body
(only applicable to operators which are defined as function in ONNX spec).
Function body can be initialized in 2 cases :
1. For nodes of type "Fused"
2. For nodes which are defined as functions in ONNX spec (example: DynamicQuantizeLinear)
For all other cases this will always return nullptr.
Nodes of type "Fused" are created during partitioning and the function body
initialization for such nodes also happens during node creation. Therefore,
initialization of function body will happen via this method only in case 2 mentioned above.
*/
const Function* GetFunctionBody(bool try_init_func_body = true);
/** Gets the function body if applicable otherwise nullptr. */
const Function* GetFunctionBody() const noexcept { return func_body_; }
#endif
/**
Helper to iterate through the container returned by #InputDefs() or #OutputDefs() and call the provided function.
@param node_args Collection of NodeArgs returned by #InputDefs() or #OutputDefs()
@param func Function to call for each valid NodeArg in the node_args. The function is called with the NodeArg
and the index number in the container.
@returns common::Status with success or error information.
@remarks Returns immediately on error.
*/
static common::Status ForEachWithIndex(const ConstPointerContainer<std::vector<NodeArg*>>& node_args,
std::function<common::Status(const NodeArg& arg, size_t index)> func) {
for (size_t index = 0; index < node_args.size(); ++index) {
auto arg = node_args[index];
if (!arg->Exists())
continue;
ORT_RETURN_IF_ERROR(func(*arg, index));
}
return common::Status::OK();
}
/** Gets the count of arguments for each of the Node's explicit inputs. */
const std::vector<int>& InputArgCount() const noexcept { return definitions_.input_arg_count; }
/** Gets the Node's input definitions.
@remarks requires ConstPointerContainer wrapper to apply const to the NodeArg pointers so access is read-only. */
ConstPointerContainer<std::vector<NodeArg*>> InputDefs() const noexcept {
return ConstPointerContainer<std::vector<NodeArg*>>(definitions_.input_defs);
}
/** Gets the implicit inputs to this Node.
If this Node contains a subgraph, these are the NodeArg's that are implicitly consumed by Nodes within that
subgraph. e.g. If and Loop operators.*/
ConstPointerContainer<std::vector<NodeArg*>> ImplicitInputDefs() const noexcept {
return ConstPointerContainer<std::vector<NodeArg*>>(definitions_.implicit_input_defs);
}
/** Gets the Node's output definitions.
@remarks requires ConstPointerContainer wrapper to apply const to the NodeArg pointers so access is read-only. */
ConstPointerContainer<std::vector<NodeArg*>> OutputDefs() const noexcept {
return ConstPointerContainer<std::vector<NodeArg*>>(definitions_.output_defs);
}
#if !defined(ORT_MINIMAL_BUILD)
/**
Helper to iterate through the container returned by #MutableInputDefs() or #MutableOutputDefs() and call the provided function.
@param node_args Collection of NodeArgs returned by #MutableInputDefs() or #MutableOutputDefs()
@param func Function to call for each valid NodeArg in the node_args. The function is called with the NodeArg
and the index number in the container.
@returns common::Status with success or error information.
@remarks Returns immediately on error.
*/
static common::Status ForEachMutableWithIndex(std::vector<NodeArg*>& node_args,
std::function<common::Status(NodeArg& arg, size_t index)> func) {
for (size_t index = 0; index < node_args.size(); ++index) {
auto arg = node_args[index];
if (!arg->Exists())
continue;
ORT_RETURN_IF_ERROR(func(*arg, index));
}
return common::Status::OK();
}
/** Gets a modifiable count of arguments for each of the Node's explicit inputs.
@todo This should be removed in favor of a method that updates the input args and the count.
Currently these operations are separate which is not a good setup. */
std::vector<int>& MutableInputArgsCount() { return definitions_.input_arg_count; }
/** Gets a modifiable collection of the Node's input definitions. */
std::vector<NodeArg*>& MutableInputDefs() noexcept {
return definitions_.input_defs;
}
/** Gets a modifiable collection of the Node's implicit input definitions. */
std::vector<NodeArg*>& MutableImplicitInputDefs() noexcept {
return definitions_.implicit_input_defs;
}
/** Gets a modifiable collection of the Node's output definitions. */
std::vector<NodeArg*>& MutableOutputDefs() noexcept {
return definitions_.output_defs;
}
#endif // !defined(ORT_MINIMAL_BUILD)
/** Struct to provide sorting between EdgeEnd instances based on NodeIndex first, and NodeArg::Name second. */
struct EdgeEndCompare {
bool operator()(const EdgeEnd& lhs, const EdgeEnd& rhs) const {
if (lhs.GetNode().Index() == rhs.GetNode().Index()) {
if (lhs.GetSrcArgIndex() == rhs.GetSrcArgIndex()) {
return lhs.GetDstArgIndex() < rhs.GetDstArgIndex();
}
return lhs.GetSrcArgIndex() < rhs.GetSrcArgIndex();
}
return lhs.GetNode().Index() < rhs.GetNode().Index();
}
};
using EdgeSet = std::set<EdgeEnd, EdgeEndCompare>;
using EdgeConstIterator = EdgeSet::const_iterator;
/**
@class NodeConstIterator
Class to provide const access to Node instances iterated via an EdgeConstIterator. */
class NodeConstIterator {
public:
NodeConstIterator(EdgeConstIterator p_iter);
bool operator==(const NodeConstIterator& p_other) const;
bool operator!=(const NodeConstIterator& p_other) const;
void operator++();
void operator--();
const Node& operator*() const;
const Node* operator->() const;
private:
EdgeConstIterator m_iter;
};
// Functions defined to traverse a Graph as below.
/** Gets an iterator to the beginning of the input nodes to this Node. */
NodeConstIterator InputNodesBegin() const noexcept { return NodeConstIterator(relationships_.input_edges.cbegin()); };
/** Gets an iterator to the end of the input nodes to this Node. */
NodeConstIterator InputNodesEnd() const noexcept { return NodeConstIterator(relationships_.input_edges.cend()); }
/** Gets an iterator to the beginning of the output nodes from this Node. */
NodeConstIterator OutputNodesBegin() const noexcept {
return NodeConstIterator(relationships_.output_edges.cbegin());
}
/** Gets an iterator to the end of the output nodes from this Node. */
NodeConstIterator OutputNodesEnd() const noexcept { return NodeConstIterator(relationships_.output_edges.cend()); }
/** Gets an iterator to the beginning of the input edges to this Node.
@remarks There are no nullptr entries in this collection. */
EdgeConstIterator InputEdgesBegin() const noexcept { return relationships_.input_edges.cbegin(); }
/** Gets an iterator to the end of the input edges to this Node. */
EdgeConstIterator InputEdgesEnd() const noexcept { return relationships_.input_edges.cend(); }
/** Gets an iterator to the beginning of the output edges from this Node.
@remarks There are no nullptr entries in this collection. */
EdgeConstIterator OutputEdgesBegin() const noexcept { return relationships_.output_edges.cbegin(); }
/** Gets an iterator to the end of the output edges from this Node. */
EdgeConstIterator OutputEdgesEnd() const noexcept { return relationships_.output_edges.cend(); }
/** Gets the Node's control inputs. */
const std::set<std::string>& ControlInputs() const noexcept { return relationships_.control_inputs; }
/** Gets the number of input edges to this Node */
size_t GetInputEdgesCount() const noexcept { return relationships_.input_edges.size(); }
/** Gets the number of output edges from this Node */
size_t GetOutputEdgesCount() const noexcept { return relationships_.output_edges.size(); }
/** Add an attribute to this Node with specified attribute name and value. */
void AddAttribute(const std::string& attr_name, const ONNX_NAMESPACE::AttributeProto& value);
#define ADD_ATTR_INTERFACES(TypeName) \
void AddAttribute(const std::string& attr_name, const TypeName& value); \
void AddAttribute(const std::string& attr_name, \
const std::vector<TypeName>& values);
ADD_ATTR_INTERFACES(int64_t)
ADD_ATTR_INTERFACES(float)
ADD_ATTR_INTERFACES(std::string)
ADD_ATTR_INTERFACES(ONNX_NAMESPACE::TensorProto)
ADD_ATTR_INTERFACES(ONNX_NAMESPACE::GraphProto)
ADD_ATTR_INTERFACES(ONNX_NAMESPACE::SparseTensorProto)
/** Gets the Node's attributes. */
const NodeAttributes& GetAttributes() const noexcept { return attributes_; }
#if !defined(ORT_MINIMAL_BUILD)
/** Remove the specified attribute from this Node */
bool ClearAttribute(const std::string& attr_name);
/** Gets the Node's mutable attributes. */
NodeAttributes& GetMutableAttributes() noexcept { return attributes_; }
/** Gets the Graph instance that is instantiated from a GraphProto attribute during Graph::Resolve.
@param attr_name Attribute name for the GraphProto attribute.
@returns nullptr if the Graph instance has not been instantiated or attribute does not contain a GraphProto.
*/
const Graph* GetGraphAttribute(const std::string& attr_name) const;
/** Gets the mutable Graph instance that is instantiated from a GraphProto attribute during Graph::Resolve.
@param attr_name Attribute name for the GraphProto attribute.
@returns nullptr if the Graph instance has not been instantiated or attribute does not contain a GraphProto.
*/
Graph* GetMutableGraphAttribute(const std::string& attr_name);
#endif // !defined(ORT_MINIMAL_BUILD)
/** Checks if the Node contains at least one subgraph (this is the case for control flow operators, such as If, Scan, Loop).
@returns true if the Node contains a subgraph.
*/
bool ContainsSubgraph() const {
return !attr_to_subgraph_map_.empty();
}
/** Get the const subgraphs from a node.
@remarks Creates a new vector so calling ContainsSubgraphs first is preferred. */
std::vector<gsl::not_null<const Graph*>> GetSubgraphs() const;
/** Gets a map of attribute name to the mutable Graph instances for all subgraphs of the Node.
@returns Map of the attribute name that defines the subgraph to the subgraph's Graph instance.
nullptr if the Node has no subgraphs.
*/
const std::unordered_map<std::string, gsl::not_null<Graph*>>& GetAttributeNameToMutableSubgraphMap() {
return attr_to_subgraph_map_;
}
/** Gets the execution ProviderType that this node will be executed by. */
ProviderType GetExecutionProviderType() const noexcept { return execution_provider_type_; }
/** Sets the execution ProviderType that this Node will be executed by. */
void SetExecutionProviderType(ProviderType execution_provider_type) {
execution_provider_type_ = execution_provider_type;
}
/** Call the provided function for all explicit inputs, implicit inputs, and outputs of this Node.
If the NodeArg is an explicit or implicit input, is_input will be true when func is called.
@param include_missing_optional_defs Include NodeArgs that are optional and were not provided
i.e. NodeArg::Exists() == false.
*/
void ForEachDef(std::function<void(const onnxruntime::NodeArg&, bool is_input)> func,
bool include_missing_optional_defs = false) const;
#if !defined(ORT_MINIMAL_BUILD)
/** Replaces any matching definitions in the Node's explicit inputs or explicit outputs.
@param replacements Map of current NodeArg to replacement NodeArg.
*/
void ReplaceDefs(const std::map<const onnxruntime::NodeArg*, onnxruntime::NodeArg*>& replacements);
/** Gets the NodeProto representation of this Node.
@param update_subgraphs Update the GraphProto values for any subgraphs in the returned NodeProto.
If graph optimization has been run this is most likely required
to ensure the complete Graph is valid.
*/
void ToProto(ONNX_NAMESPACE::NodeProto& proto, bool update_subgraphs = false) const;
Status SaveToOrtFormat(flatbuffers::FlatBufferBuilder& builder,
flatbuffers::Offset<onnxruntime::experimental::fbs::Node>& fbs_node) const;
flatbuffers::Offset<onnxruntime::experimental::fbs::NodeEdge>
SaveEdgesToOrtFormat(flatbuffers::FlatBufferBuilder& builder) const;
#endif
#if defined(ENABLE_ORT_FORMAT_LOAD)
static Status LoadFromOrtFormat(const onnxruntime::experimental::fbs::Node& fbs_node, Graph& graph,
const logging::Logger& logger, std::unique_ptr<Node>& node);
Status LoadFromOrtFormat(const onnxruntime::experimental::fbs::Node& fbs_node, const logging::Logger& logger);
Status LoadEdgesFromOrtFormat(const onnxruntime::experimental::fbs::NodeEdge& fbs_node_edgs, const Graph& graph);
#endif
/**
@class Definitions
The input and output definitions for this Node.
*/
class Definitions {
public:
Definitions() = default;
/** The Node's explicit input definitions. */
std::vector<NodeArg*> input_defs;
/**
The number of inputs for each argument of the operator or function which this node refers.
@remarks For example, #input_defs has 10 elements (inputs), and #input_arg_count is {4, 6}.
This means that 4 elements (inputs) of input_defs map to the first argument of the operator or function, and
the other 6 map to the second argument.
*/
std::vector<int> input_arg_count;
/** The Node's output definitions. */
std::vector<NodeArg*> output_defs;
/** The Node's implicit input definitions if the Node contains one or more subgraphs
(i.e. GraphProto attributes) and the subgraph/s implicitly consume these values.
@remarks For example, a subgraph in an 'If' node gets all its input values via this mechanism rather than
there being explicit inputs to the 'If' node that are passed to the subgraph.
They are pseudo-inputs to this Node as it has an implicit dependency on them. */
std::vector<NodeArg*> implicit_input_defs;
private:
ORT_DISALLOW_COPY_ASSIGNMENT_AND_MOVE(Definitions);
};
/**
@class Relationships
Defines the relationships between this Node and other Nodes in the Graph.
*/
class Relationships {
public:
Relationships() = default;
void Clear() noexcept {
input_edges.clear();
output_edges.clear();
control_inputs.clear();
}
/** The edges for Nodes that provide inputs to this Node. */
EdgeSet input_edges;
/** The edges for Nodes that receive outputs from this Node. */
EdgeSet output_edges;
/** The Node names of the control inputs to this Node. */
std::set<std::string> control_inputs;
private:
ORT_DISALLOW_COPY_ASSIGNMENT_AND_MOVE(Relationships);
};
private:
ORT_DISALLOW_COPY_ASSIGNMENT_AND_MOVE(Node);
// NOTE: This friendship relationship should ONLY be used for calling methods of the Node class and not accessing
// the data members directly, so that the Node can maintain its internal invariants.
friend class Graph;
Node(NodeIndex index, Graph& graph) : index_(index), graph_(&graph) {}
#if !defined(ORT_MINIMAL_BUILD) || defined(ORT_EXTENDED_MINIMAL_BUILD)
void Init(const std::string& name,
const std::string& op_type,
const std::string& description,
const std::vector<NodeArg*>& input_args,
const std::vector<NodeArg*>& output_args,
const NodeAttributes* attributes,
const std::string& domain);
// internal only method to allow selected classes to directly alter the input/output definitions and arg counts
Definitions& MutableDefinitions() noexcept;
// internal only method to allow selected classes to directly alter the links between nodes.
Relationships& MutableRelationships() noexcept;
void SetNodeType(Node::Type node_type) noexcept { node_type_ = node_type; }
#endif
// create a Graph instance for an attribute that contains a GraphProto
void CreateSubgraph(const std::string& attr_name);
const std::vector<std::unique_ptr<Graph>>& MutableSubgraphs() noexcept { return subgraphs_; }
// validate and update the input arg count
common::Status UpdateInputArgCount();
void SetFunctionBody(const Function& func);
const Definitions& GetDefinitions() const noexcept { return definitions_; }
const Relationships& GetRelationships() const noexcept { return relationships_; }
// Node index. Default to impossible value rather than 0.
NodeIndex index_ = std::numeric_limits<NodeIndex>::max();
// Node name.
std::string name_;
// Node operator type.
std::string op_type_;
// OperatorSet domain of op_type_.
std::string domain_;
#if !defined(ORT_MINIMAL_BUILD)
// OperatorSchema that <*this> node refers to.
const ONNX_NAMESPACE::OpSchema* op_ = nullptr;
#endif
// Execution priority, lower value for higher priority
int priority_ = 0;
// set from op_->SinceVersion() or via deserialization when OpSchema is not available
int since_version_ = -1;
Node::Type node_type_ = Node::Type::Primitive;
// The function body is owned by graph_
const Function* func_body_ = nullptr;
// Node doc string.
std::string description_;
// input/output defs and arg count
Definitions definitions_;
// Relationships between this node and others in the graph
Relationships relationships_;
// Device.
std::string execution_provider_type_;
// Map from attribute name to attribute.
// This allows attribute adding and removing.
NodeAttributes attributes_;
// Graph that contains this Node
Graph* graph_;
// Map of attribute name to the Graph instance created from the GraphProto attribute
std::unordered_map<std::string, gsl::not_null<Graph*>> attr_to_subgraph_map_;
// Graph instances for subgraphs that are owned by this Node
std::vector<std::unique_ptr<Graph>> subgraphs_;
};
/**
@class Graph
The Graph representation containing the graph inputs and outputs, the Node instances,
and the edges connecting the nodes.
*/
class Graph {
public:
/** Gets the Graph name. */
const std::string& Name() const noexcept;
/** Gets the Graph description. */
const std::string& Description() const noexcept;
/** Gets the path of the owning model, if any. */
const Path& ModelPath() const;
/** Returns true if this is a subgraph or false if it is a high-level graph. */
bool IsSubgraph() const { return parent_graph_ != nullptr; }
/** Returns the parent graph if this is a subgraph */
const Graph* ParentGraph() const { return parent_graph_; }
/** Returns the mutable parent graph if this is a subgraph */
Graph* MutableParentGraph() { return parent_graph_; }
#if !defined(ORT_MINIMAL_BUILD)
/** Sets the Graph name. */
void SetName(const std::string& name);
/** Gets the Graph description. */
void SetDescription(const std::string& description);
/** Add an initializer tensor to the Graph. */
void AddInitializedTensor(const ONNX_NAMESPACE::TensorProto& tensor_proto);
/** Replaces the initializer tensor with the same name as the given initializer tensor.
The replacement initializer tensor must have the same type and shape as the existing initializer tensor.
Note: This currently has linear time complexity. There is room for improvement but it would likely require changes to
how initializer tensors are stored and tracked.
*/
common::Status ReplaceInitializedTensor(const ONNX_NAMESPACE::TensorProto& new_initializer);
#endif // !defined(ORT_MINIMAL_BUILD)
/** Remove the initializer tensor with the provided name from the Graph. */
void RemoveInitializedTensor(const std::string& tensor_name);
/** Check if a given name is an initializer tensor's name in this graph. */
bool IsInitializedTensor(const std::string& name) const;
/** Gets an initializer tensor with the provided name.
@param[out] value Set to the TensorProto* if the initializer is found, or nullptr if not.
@returns True if found.
*/
bool GetInitializedTensor(const std::string& tensor_name, const ONNX_NAMESPACE::TensorProto*& value) const;
/** Gets all the initializer tensors in this Graph. */
const InitializedTensorSet& GetAllInitializedTensors() const noexcept { return name_to_initial_tensor_; }
/** Removes all initializer tensors from this Graph and releases the memory they were using. */
void CleanAllInitializedTensors() noexcept;
/** Returns true if an initializer value can be overridden by a graph input with the same name. */
bool CanOverrideInitializer() const noexcept { return ir_version_ >= 4; }
/** returns the initializer's TensorProto if 'name' is an initializer, is constant and
cannot be overridden at runtime. If the initializer is not found or is not constant, a nullptr is returned.
@param check_outer_scope If true and the graph is a subgraph,
check ancestor graph/s for 'name' if not found in 'graph'.
@remarks check_outer_scope of true is not supported in a minimal build
*/
const ONNX_NAMESPACE::TensorProto* GetConstantInitializer(const std::string& name, bool check_outer_scope) const;
/** Gets the Graph inputs excluding initializers.
These are the required inputs to the Graph as the initializers can be optionally overridden via graph inputs.
@remarks Contains no nullptr values. */
const std::vector<const NodeArg*>& GetInputs() const noexcept { return graph_inputs_excluding_initializers_; }
/** Gets the Graph inputs including initializers.
This is the full set of inputs, in the same order as defined in the GraphProto.
@remarks Contains no nullptr values. */
const std::vector<const NodeArg*>& GetInputsIncludingInitializers() const noexcept {
return graph_inputs_including_initializers_;
}
/** Return true if "node_arg" is a input or an initializer. Otherwise, returns false. */
bool IsInputsIncludingInitializers(const NodeArg* node_arg) const noexcept {
return std::find(graph_inputs_including_initializers_.begin(),
graph_inputs_including_initializers_.end(), node_arg) != graph_inputs_including_initializers_.end();
}
/** Gets the Graph inputs that are initializers
These are overridable initializers. This is a difference between
graph_inputs_including_initializers_ and graph_inputs_excluding_initializers_
@remarks Contains no nullptr values. */
const std::vector<const NodeArg*>& GetOverridableInitializers() const {
return graph_overridable_initializers_;
}
/** Gets the Graph outputs.
@remarks Contains no nullptr values.*/
const std::vector<const NodeArg*>& GetOutputs() const noexcept { return graph_outputs_; }
bool IsOutput(const NodeArg* node_arg) const noexcept {
return std::find(graph_outputs_.begin(), graph_outputs_.end(), node_arg) != graph_outputs_.end();
}
/** Returns a vector with the indexes of the outputs of the given Node that are also Graph outputs. */
std::vector<int> GetNodeOutputsInGraphOutputs(const Node& node) const {
int output_idx = 0;
std::vector<int> indexes;
for (auto output_def : node.OutputDefs()) {
if (std::find(GetOutputs().cbegin(), GetOutputs().cend(), output_def) != GetOutputs().cend()) {
indexes.push_back(output_idx);
}
++output_idx;
}
return indexes;
}
/** Gets the NodeArgs that represent value_info instances in the Graph.
These are the values that are neither Graph inputs nor outputs.
@remarks Contains no nullptr values. */
const std::vector<const NodeArg*>& GetValueInfo() const noexcept { return value_info_; }
#if !defined(ORT_MINIMAL_BUILD)
void AddValueInfo(const NodeArg* new_value_info);
#endif
/** Gets the Node with the specified node index.
@returns Node instance if found. nullptr if node_index is invalid or node has been freed.
*/
const Node* GetNode(NodeIndex node_index) const { return NodeAtIndexImpl(node_index); }
/** Gets the mutable Node with the specified node index.
@returns Mutable Node instance if found. nullptr if node_index is invalid or node has been freed.
*/
Node* GetNode(NodeIndex node_index) { return NodeAtIndexImpl(node_index); }
/** Get a GraphNodes instance that provides mutable access to all valid Nodes in the Graph. */
GraphNodes& Nodes() noexcept { return iterable_nodes_; }
/** Get a GraphNodes instance that provides const access to all valid Nodes in the Graph. */
const GraphNodes& Nodes() const noexcept { return iterable_nodes_; }
/** Get a ConstGraphNodes instance that provides access to a filtered set of valid Nodes in the Graph.
@remarks We can't use GraphNodes as that would provide mutable access to the nodes by default, and we can't prevent
that by returning a const instance of GraphNodes as we're creating a new instance here due to the filter
being something we don't control (i.e. we have to return a new instance so it can't be const).
*/
ConstGraphNodes FilteredNodes(GraphNodes::NodeFilterFunc&& filter_func) const noexcept {
return ConstGraphNodes(nodes_, std::move(filter_func));
}
/** Gets the maximum NodeIndex value used in the Graph. */
int MaxNodeIndex() const noexcept { return static_cast<int>(nodes_.size()); } //assume the casting won't overflow
/** Gets the number of valid Nodes in the Graph.
@remarks This may be smaller than MaxNodeIndex(), as Nodes may be removed during optimization.
*/
int NumberOfNodes() const noexcept { return num_of_nodes_; }
/** Gets the mutable NodeArg with the provided name.
@returns Pointer to NodeArg if found, nullptr if not. */
NodeArg* GetNodeArg(const std::string& name) {
auto iter = node_args_.find(name);
if (iter != node_args_.end()) {
return iter->second.get();
}
return nullptr;
}
/** Gets the const NodeArg with the provided name.
@returns Pointer to const NodeArg if found, nullptr if not. */
const NodeArg* GetNodeArg(const std::string& name) const {
return const_cast<Graph*>(this)->GetNodeArg(name);
}
// search this and up through any parent_graph_ instance for a NodeArg
NodeArg* GetNodeArgIncludingParentGraphs(const std::string& node_arg_name);
/** Gets a mutable NodeArg by name. Creates a new NodeArg that is owned by this Graph if not found.
@param name The NodeArg name.
@param[in] p_arg_type Optional TypeProto to use if the NodeArg needs to be created.
@returns NodeArg reference.
*/
NodeArg& GetOrCreateNodeArg(const std::string& name, const ONNX_NAMESPACE::TypeProto* p_arg_type) {
auto iter = node_args_.find(name);
if (iter != node_args_.end()) {
return *(iter->second);
}
auto result = node_args_.insert(std::make_pair(name, onnxruntime::make_unique<NodeArg>(name, p_arg_type)));
return *(result.first->second);
}
#if !defined(ORT_MINIMAL_BUILD)
/** Generate a unique name in this Graph for a NodeArg */
std::string GenerateNodeArgName(const std::string& base_name);
/** Generate a unique name in this Graph for a Node */
std::string GenerateNodeName(const std::string& base_name);
/** Copy a Node and add it to this Graph.
@param other Node to copy
@returns Reference to the Node that was created and added to this Graph.
@remarks Do not call AddNode and Remove Node concurrently as they are not thread-safe.
*/
Node& AddNode(const Node& other);
#endif
#if !defined(ORT_MINIMAL_BUILD) || defined(ORT_EXTENDED_MINIMAL_BUILD)
/** Add a Node to this Graph.
@param name The Node name. Must be unique in this Graph.
@param op_type The operator type. e.g. ONNX operator name.
@param description Arbitrary description of the Node.
@param input_args The explicit inputs to this Node.
@param output_args The outputs from this Node.
@param attributes Optional NodeAttributes to add.
@param domain The domain for the op_type.
@returns Reference to the new Node.
@remarks Do not call AddNode and Remove Node concurrently as they are not thread-safe.
*/
Node& AddNode(const std::string& name,
const std::string& op_type,
const std::string& description,
const std::vector<NodeArg*>& input_args,
const std::vector<NodeArg*>& output_args,
const NodeAttributes* attributes = nullptr,
const std::string& domain = "");
/** Remove a Node from this Graph and free it.
The output edges of this specified node MUST have been removed before removing the node.
The input edges of this specified node is removed while removing the node. The process of
removing a node from a graph should be,
1. Remove out edges of this specified node.
2. Remove this specified node.
3. Add new input edges connected with all out nodes.
@returns true if the node_index was valid
@remarks Do not call AddNode and Remove Node concurrently as they are not thread-safe.
*/
bool RemoveNode(NodeIndex node_index);
/** Add an edge between two Nodes.
@param src_node_index NodeIndex of source Node that is providing output to the destination Node.
@param dst_node_index NodeIndex of destination Node that is receiving input from the source Node.
@param src_arg_index node arg index of source node.
@param dst_arg_index node arg index of destination node.
*/
void AddEdge(NodeIndex src_node_index, NodeIndex dst_node_index, int src_arg_index, int dst_arg_index);
/** Remove an edge between two Nodes.
@param src_node_index NodeIndex of source Node to remove an output edge from.
@param dst_node_index NodeIndex of destination Node to remove an input edge from.
@param src_arg_index node arg index of source node.
@param dst_arg_index node arg index of destination node.
*/
void RemoveEdge(NodeIndex src_node_index, NodeIndex dst_node_index, int src_arg_index, int dst_arg_index);
#endif
#if !defined(ORT_MINIMAL_BUILD)
/**
Add a control edge between two Nodes in this Graph.
The source Node does not produce output that is directly consumed by the destination Node, however the
destination Node must execute after the source node. The control edge allows this ordering to occur.
*/
bool AddControlEdge(NodeIndex src_node_index, NodeIndex dst_node_index);
#endif // !defined(ORT_MINIMAL_BUILD)
/** Mark the Graph as needing Resolve() to be called.
This should be done after modifying any aspect of the Graph that changes the Nodes or relationships between them. */
Graph& SetGraphResolveNeeded() noexcept {
graph_resolve_needed_ = true;
return *this;
}
/** Gets flag indicating whether Graph::Resolve needs to be called before using the Graph. */
bool GraphResolveNeeded() const noexcept {
return graph_resolve_needed_;
}
/** Sets flag that Graph::graph_proto_ needs to be updated to reflect changes in the Graph. */
Graph& SetGraphProtoSyncNeeded() noexcept {
graph_proto_sync_needed_ = true;
return *this;
}
/** Gets flag indicating whether Graph::graph_proto_ needs to be synchronized with this Graph instance. */
bool GraphProtoSyncNeeded() const noexcept {
return graph_proto_sync_needed_;
}
/** Performs a reverse depth-first search (DFS) traversal from a set of nodes, via their inputs,
up to their source node/s.
@param from NodeIndex values for a set of Nodes to traverse from.
@param enter Visit function that will be invoked on a node when it is visited but its parents haven't been.
@param leave Visit function invoked on the node after its parents have all been visited.
@param comp Comparison function to stabilize the traversal order by making Node ordering deterministic.
*/
void ReverseDFSFrom(const std::vector<NodeIndex>& from,
const std::function<void(const Node*)>& enter,
const std::function<void(const Node*)>& leave,
const std::function<bool(const Node*, const Node*)>& comp = {}) const;
/** Performs a reverse depth-first search (DFS) traversal from a set of nodes, via their inputs,
up to their source node/s.
@param from Set of Nodes to traverse from.
@param enter Visit function that will be invoked on a node when it is visited but its parents haven't been.
@param leave Visit function invoked on the node after its parents have all been visited.
@param comp Comparison function to stabilize the traversal order by making Node ordering deterministic.
*/
void ReverseDFSFrom(const std::vector<const Node*>& from,
const std::function<void(const Node*)>& enter,
const std::function<void(const Node*)>& leave,
const std::function<bool(const Node*, const Node*)>& comp = {}) const;
/** Performs a reverse depth-first search (DFS) traversal from a set of nodes, via their inputs,
up to their source node/s.
@param from Set of Nodes to traverse from.
@param enter Visit function that will be invoked on a node when it is visited but its parents haven't been.
@param leave Visit function invoked on the node after its parents have all been visited.
@param stop Stop traversal from node n to input node p if stop(n, p) is true.
@param comp Comparison function to stabilize the traversal order by making Node ordering deterministic.
*/
void ReverseDFSFrom(const std::vector<const Node*>& from,
const std::function<void(const Node*)>& enter,
const std::function<void(const Node*)>& leave,
const std::function<bool(const Node*, const Node*)>& comp,
const std::function<bool(const Node*, const Node*)>& stop) const;
#if !defined(ORT_MINIMAL_BUILD)
/** Performs topological sort with Kahn's algorithm on the graph/s.
@param enter Visit function that will be invoked on a node when it is visited.
@param comp Comparison function to stabilize the traversal order by making Node ordering deterministic.
*/
void KahnsTopologicalSort(const std::function<void(const Node*)>& enter,
const std::function<bool(const Node*, const Node*)>& comp) const;
#endif
/** Gets the map of operator domains to their opset versions. */
const std::unordered_map<std::string, int>& DomainToVersionMap() const noexcept {
return domain_to_version_;
}
#if !defined(ORT_MINIMAL_BUILD) || defined(ORT_EXTENDED_MINIMAL_BUILD)
/**
Create a single Node that will be the result of the a fusion of multiple nodes in this Graph.
@param sub_graph A IndexSubGraph instance with details of the nodes to fuse.
@param fused_node_name The name for the new Node.
@returns Node with fused subgraph.
@remarks As a new Graph instance for the fused nodes is not created, a GraphViewer can be constructed with the
IndexedSubGraph information to provide a view of the subgraph. The original nodes are left in place
while this is in use.
Call FinalizeFuseSubGraph to remove them once the fused replacement node is fully created.
*/
Node& BeginFuseSubGraph(const IndexedSubGraph& sub_graph, const std::string& fused_node_name);
/**
If we have BeginFuseSubGraph, but somehow hit errors, such as Compile of an EP failed on thesub_graph.
We can call CancelFuseSubGraph to undo the changes of BeginFuseSubGraph
@param fused_node The fused node and it's function body to be removed from the graph
*/
void CancelFuseSubGraph(const Node& fused_node);
void FinalizeFuseSubGraph(const IndexedSubGraph& sub_graph, Node& fused_node);
#endif
#if !defined(ORT_MINIMAL_BUILD)
/** Gets the GraphProto representation of this Graph. */
const ONNX_NAMESPACE::GraphProto& ToGraphProto();
ONNX_NAMESPACE::GraphProto ToGraphProto() const;
/** Gets the ISchemaRegistry instances being used with this Graph. */
IOnnxRuntimeOpSchemaCollectionPtr GetSchemaRegistry() const;
/**
Create a single Function based Node that is the result of the a fusion of multiple nodes in this Graph.
A new Graph instance will be created for the fused nodes.
@param sub_graph A IndexSubGraph instance with details of the nodes to fuse. Ownership is transferred to the new Node
@param fused_node_name The name for the new Node.
@returns Function based Node with fused subgraph. The Node body will contain a Function instance.
*/
Node& FuseSubGraph(const IndexedSubGraph& sub_graph, const std::string& fused_node_name);
/**
Directly insert the nodes in the function Node provided into this Graph.
@param node Node with Node::Type of Node::Type::Fused
@returns Status indicating success or providing an error message.
*/
Status InlineFunction(Node& node);
/** Initialize function body for the given node */
void InitFunctionBodyForNode(Node& node);
/** Mark a NodeArg name as coming from the outer scope when programmatically constructing a Graph that will
be used as a GraphProto attribute in another Node..
e.g. when creating a Graph instance that will be used as a subgraph in a control flow operator, it is necessary to
define placeholder NodeArgs for outer scope values. This prevents these values from becoming explicit graph inputs
when the Graph is resolved.
*/
void AddOuterScopeNodeArg(const std::string& name) {
ORT_IGNORE_RETURN_VALUE(outer_scope_node_arg_names_.insert(name));
}
/** Explicitly set graph inputs.
@param inputs NodeArgs that represent complete graph inputs which need to be explicitly ordered.
@remarks Note that the input order matters for subgraphs.
*/
void SetInputs(const std::vector<const NodeArg*>& inputs);
/** Explicitly set graph outputs.
@param outputs NodeArgs that represent complete graph outputs which need to be explicitly ordered.
@remarks Note that the output order matters for subgraphs.
*/
void SetOutputs(const std::vector<const NodeArg*>& outputs);
/** Sets the type of a NodeArg, replacing existing type/shape if any */
void SetNodeArgType(NodeArg& arg, const onnx::TypeProto& type_proto);
const Node* GetProducerNode(const std::string& node_arg_name) const {
return GetProducerNodeImpl(*this, node_arg_name);
}
Node* GetMutableProducerNode(const std::string& node_arg_name) {
return GetProducerNodeImpl(*this, node_arg_name);
}
void UpdateProducerNode(const std::string& node_arg_name, NodeIndex node_index) {
auto iter = node_arg_to_producer_node_.find(node_arg_name);
if (iter != node_arg_to_producer_node_.end()) {
iter->second = node_index;
} else {
node_arg_to_producer_node_[node_arg_name] = node_index;
}
}
std::vector<const Node*> GetConsumerNodes(const std::string& node_arg_name) const {
return GetConsumerNodesImpl(*this, node_arg_name);
}
std::vector<Node*> GetMutableConsumerNodes(const std::string& node_arg_name) {
return GetConsumerNodesImpl(*this, node_arg_name);
}
void UpdateConsumerNodes(const std::string& node_arg_name, const std::vector<Node*>& nodes) {
auto iter = node_arg_to_consumer_nodes_.find(node_arg_name);
if (iter != node_arg_to_consumer_nodes_.end()) {
node_arg_to_consumer_nodes_.erase(node_arg_name);
}
for (Node* node : nodes) {
node_arg_to_consumer_nodes_[node_arg_name].insert(node->Index());
}
}
/** During constant folding it may become possible to infer the shape for a node.
To avoid running a full Resolve allow an individual node to have the shape inferencing re-run.
*/
Status UpdateShapeInference(Node& node);
// Options to control Graph::Resolve.
struct ResolveOptions {
// Whether to override existing types with inferred types.
bool override_types = false;
// Names of initializers to keep even if unused (optional).
const std::unordered_set<std::string>* initializer_names_to_preserve = nullptr;
// Whether to set that no proto sync is required after resolving.
// Useful for resolving right after loading from a GraphProto.
bool no_proto_sync_required = false;
};
/**
Resolve this Graph to ensure it is completely valid, fully initialized, and able to be executed.
1. Run through all validation rules.
a. Node name and node output's names should be unique.
b. Attribute match between node and op definition.
c. Input/Output match between node and op definition.
d. Graph is acyclic and sort nodes in topological order.
2. Check & Setup inner nodes' dependency.
3. Cleanup function definition lists.
Note: the weights for training can't be cleaned during resolve.
@returns common::Status with success or error information.
*/
common::Status Resolve(const ResolveOptions& options);
common::Status Resolve() {
ResolveOptions default_options;
return Resolve(default_options);
}
common::Status SaveToOrtFormat(flatbuffers::FlatBufferBuilder& builder,
flatbuffers::Offset<onnxruntime::experimental::fbs::Graph>& fbs_graph) const;
#endif // !defined(ORT_MINIMAL_BUILD)
/** Returns the Node containing the GraphProto for this Graph instance if IsSubgraph is true */
const Node* ParentNode() const { return parent_node_; }
/** Returns true if the name is for a value that is coming from outer scope */
bool IsOuterScopeValue(const std::string& name) const {
if (!parent_node_) return false;
const auto& implicit_input_defs = parent_node_->ImplicitInputDefs();
return std::any_of(implicit_input_defs.cbegin(), implicit_input_defs.cend(),
[&name](const NodeArg* implicit_input) {
return implicit_input->Name() == name;
});
}
#if !defined(ORT_MINIMAL_BUILD)
/** Construct a Graph instance for a subgraph that is created from a GraphProto attribute in a Node.
Inherits some properties from the parent graph.
@param parent_graph The Graph containing the Node that has the GraphProto attribute.
@param parent_node The Node that has the GraphProto attribute.
@param subgraph_proto The GraphProto from the Node attribute.
*/
Graph(Graph& parent_graph, const Node& parent_node, ONNX_NAMESPACE::GraphProto& subgraph_proto);
#endif
virtual ~Graph();
#if defined(ENABLE_ORT_FORMAT_LOAD)
static common::Status LoadFromOrtFormat(
const onnxruntime::experimental::fbs::Graph& fbs_graph, const Model& owning_model,
const std::unordered_map<std::string, int>& domain_to_version,
#if !defined(ORT_MINIMAL_BUILD)
IOnnxRuntimeOpSchemaCollectionPtr schema_registry,
#endif
const logging::Logger& logger, std::unique_ptr<Graph>& graph);
// deserialize a subgraph
static Status LoadFromOrtFormat(const onnxruntime::experimental::fbs::Graph& fbs_graph,
Graph& parent_graph, const Node& parent_node,
const logging::Logger& logger, std::unique_ptr<Graph>& graph);
#endif
private:
ORT_DISALLOW_COPY_ASSIGNMENT_AND_MOVE(Graph);
// This friendship relationship should only be used to call Graph::Graph and
// Graph::LoadGraph All other access should be via the public API.
friend class Model;
Graph() = delete;
// Create empty Graph instance to re-create from ORT format serialized data.
Graph(const Model& owning_model,
const std::unordered_map<std::string, int>& domain_to_version,
#if !defined(ORT_MINIMAL_BUILD)
IOnnxRuntimeOpSchemaCollectionPtr schema_registry,
#endif
Graph* parent_graph, const Node* parent_node,
const logging::Logger& logger);
#if defined(ENABLE_ORT_FORMAT_LOAD)
// Populate Graph instance from ORT format serialized data.
common::Status LoadFromOrtFormat(const onnxruntime::experimental::fbs::Graph& fbs_graph);
#endif
#if !defined(ORT_MINIMAL_BUILD)
// Constructor: Given a <GraphProto> loaded from model file, construct
// a <Graph> object. Used by Model to create a Graph instance.
Graph(const Model& owning_model,
ONNX_NAMESPACE::GraphProto* graph_proto,
const std::unordered_map<std::string, int>& domain_to_version,
Version ir_version,
IOnnxRuntimeOpSchemaCollectionPtr schema_registry,
const logging::Logger& logger);
// internal use by the Graph class only
Graph(const Model& owning_model,
ONNX_NAMESPACE::GraphProto* graph_proto,
const std::unordered_map<std::string, int>& domain_to_version,
Version ir_version,
IOnnxRuntimeOpSchemaCollectionPtr schema_registry,
Graph* parent_graph,
const Node* parent_node,
const logging::Logger& logger);
void InitializeStateFromModelFileGraphProto();
// Add node with specified <node_proto>.
Node& AddNode(const ONNX_NAMESPACE::NodeProto& node_proto,
const ArgNameToTypeMap& name_to_type);
#endif
Version IrVersion() const noexcept {
return ir_version_;
}
Graph& GraphResolveNeeded(bool needed) noexcept {
graph_resolve_needed_ = needed;
return *this;
}
Graph& GraphProtoSyncNeeded(bool needed) noexcept {
graph_proto_sync_needed_ = needed;
return *this;
}
// During the Resolve of a Graph it is necessary to recursively descend into subgraphs (created from GraphProto
// Node attributes in the Graph) if present.
// The ResolveContext holds the collection of values for the current Graph instance, be it the main graph
// or a subgraph, so that the various operations that are part of the Resolve can work iteratively or
// recursively as needed.
struct ResolveContext {
ResolveContext() = default;
std::unordered_map<std::string, std::pair<Node*, int>> output_args;
std::unordered_set<std::string> inputs_and_initializers;
std::unordered_set<std::string> outer_scope_node_args;
std::unordered_map<std::string, NodeIndex> node_name_to_index;
std::unordered_set<Node*> nodes_with_subgraphs;
void Clear() {
output_args.clear();
inputs_and_initializers.clear();
outer_scope_node_args.clear();
node_name_to_index.clear();
nodes_with_subgraphs.clear();
}
private:
ORT_DISALLOW_COPY_ASSIGNMENT_AND_MOVE(ResolveContext);
};
// Initialize all the graph inputs, initializers and outputs
common::Status InitInputsInitializersOutputs();
// Initialize overridable initializers container
void ComputeOverridableInitializers();
#if !defined(ORT_MINIMAL_BUILD)
// Build and verify node connection (edges).
// Verify NodeArg name/type/shape matching correctly.
common::Status BuildConnections(std::unordered_set<std::string>& outer_scope_node_args_consumed);
common::Status VerifyNoDuplicateName();
// Check whether <*this> graph is acyclic while performing a topological sort.
// Depth-first going from bottom up through the graph and checking whether there are any back edges.
// NodesInTopologicalOrder is updated with the nodes' indexes in topological
// order if <Status> returned is "OK", otherwise it's undefined.
common::Status PerformTopologicalSortAndCheckIsAcyclic();
common::Status PerformTypeAndShapeInferencing(const ResolveOptions& options);
// Recursively find all subgraphs including nested subgraphs
void FindAllSubgraphs(std::vector<Graph*>& subgraphs);
// Iterate this Graph instance and all subgraphs, calling the provided function for each.
common::Status ForThisAndAllSubgraphs(const std::vector<Graph*>& subgraphs, std::function<Status(Graph&)> func);
common::Status InferAndVerifyTypeMatch(Node& node, const ONNX_NAMESPACE::OpSchema& op, const ResolveOptions& options);
// perform type and shape inferencing on the subgraph and Resolve to validate
static common::Status InferAndVerifySubgraphTypes(const Node& node, Graph& subgraph,
const std::vector<const ONNX_NAMESPACE::TypeProto*>& input_types,
std::vector<const ONNX_NAMESPACE::TypeProto*>& output_types,
const Graph::ResolveOptions& options);
// Apply type-inference and type-checking to all inputs and initializers:
common::Status TypeCheckInputsAndInitializers();
// Compute set of input and initializer names and checking for duplicate names
common::Status VerifyInputAndInitializerNames();
// Infer and set type information across <*this> graph if needed, and verify type/attribute
// information matches between node and op.
common::Status VerifyNodeAndOpMatch(const ResolveOptions& options);
// Set graph inputs/outputs when resolving a graph..
common::Status SetGraphInputsOutputs();
// recursively accumulate and set the outer scope node args in the resolve context for all subgraphs
// so they can be used to resolve outer scope dependencies when running BuildConnections for the subgraphs.
common::Status SetOuterScopeNodeArgs(const std::unordered_set<std::string>& outer_scope_node_args);
// Clear all unused initializers
void CleanUnusedInitializers(const std::unordered_set<std::string>* initializer_names_to_preserve = nullptr);
std::vector<NodeArg*> CreateNodeArgs(const google::protobuf::RepeatedPtrField<std::string>& names,
const ArgNameToTypeMap& name_to_type_map);
void ToGraphProtoInternal(ONNX_NAMESPACE::GraphProto& graph_proto) const;
template <typename TInstance>
static auto GetProducerNodeImpl(
TInstance& instance, const std::string& node_arg_name) -> decltype(instance.GetNode(0)) {
auto iter = instance.node_arg_to_producer_node_.find(node_arg_name);
if (iter != instance.node_arg_to_producer_node_.end()) {
auto node_index = iter->second;
return instance.GetNode(node_index);
}
return nullptr;
}
template <typename TInstance>
static auto GetConsumerNodesImpl(
TInstance& instance, const std::string& node_arg_name) -> std::vector<decltype(instance.GetNode(0))> {
std::vector<decltype(instance.GetNode(0))> results;
auto iter = instance.node_arg_to_consumer_nodes_.find(node_arg_name);
if (iter != instance.node_arg_to_consumer_nodes_.end()) {
results.reserve(iter->second.size());
for (auto node_index : iter->second) {
results.push_back(instance.GetNode(node_index));
}
}
return results;
}
#endif // !defined(ORT_MINIMAL_BUILD)
#if !defined(ORT_MINIMAL_BUILD) || defined(ORT_EXTENDED_MINIMAL_BUILD)
gsl::not_null<Node*> AllocateNode();
// Release the node.
// @returns false if node_index was invalid.
bool ReleaseNode(NodeIndex node_index);
Node& CreateFusedSubGraphNode(const IndexedSubGraph& sub_graph, const std::string& fused_node_name);
#endif
Node* NodeAtIndexImpl(NodeIndex node_index) const {
// if we are trying to access a node that doesn't exist there's (most
// likely) either a logic issue or a graph consistency/correctness issue.
// use ORT_ENFORCE to prove that or uncover scenarios where we actually
// expect attempts to retrieve a non-existent node.
ORT_ENFORCE(node_index < nodes_.size(), "Validating no unexpected access using an invalid node_index. Got:",
node_index, " Max:", nodes_.size());
return nodes_[node_index].get();
}
const Model& owning_model_;
// GraphProto to store name, version, initializer.
// When serializing <*this> Graph to a GraphProto, the nodes and
// functions in <Graph> will also be fed into <graph_proto_> so that
// it's consistent with <*this> graph.
// This pointer is owned by parent model.
ONNX_NAMESPACE::GraphProto* graph_proto_;
// GraphProto that provides storage for the ONNX proto types deserialized from a flexbuffer/flatbuffer
ONNX_NAMESPACE::GraphProto deserialized_proto_data_;
InitializedTensorSet name_to_initial_tensor_;
std::unordered_set<std::reference_wrapper<const std::string>,
std::hash<std::string>, std::equal_to<std::string>>
sparse_tensor_names_;
#if !defined(ORT_MINIMAL_BUILD)
IOnnxRuntimeOpSchemaCollectionPtr schema_registry_;
std::vector<std::unique_ptr<onnxruntime::Function>> function_container_;
#endif
// Graph nodes.
// Element in <nodes_> may be nullptr due to graph optimization.
std::vector<std::unique_ptr<Node>> nodes_;
// Wrapper of Graph nodes to provide iteration services that hide nullptr entries
GraphNodes iterable_nodes_{nodes_};
// Number of nodes.
// Normally this is smaller than the size of <m_nodes>, as some
// elements in <m_nodes> may be removed when doing graph optimization,
// or some elements may be merged, etc.
int num_of_nodes_ = 0;
// A flag indicates whether <*this> graph needs to be resolved.
bool graph_resolve_needed_ = false;
bool graph_proto_sync_needed_ = false;
// The topological order of node index used to do node and op match verification temporarily.
std::vector<NodeIndex> nodes_in_topological_order_;
// Full list of graph inputs. Matches number and order of inputs in the GraphProto.
std::vector<const NodeArg*> graph_inputs_including_initializers_;
bool graph_inputs_manually_set_ = false;
// Graph inputs excluding initializers.
std::vector<const NodeArg*> graph_inputs_excluding_initializers_;
// Overridable Initializers. The difference between graph_inputs_including_initializers_
// and graph_inputs_excluding_initializers_
std::vector<const NodeArg*> graph_overridable_initializers_;
// Graph outputs.
std::vector<const NodeArg*> graph_outputs_;
bool graph_outputs_manually_set_ = false;
// Graph value_info.
std::vector<const NodeArg*> value_info_;
// All node args owned by <*this> graph. Key is node arg name.
std::unordered_map<std::string, std::unique_ptr<NodeArg>> node_args_;
#if !defined(ORT_MINIMAL_BUILD)
int name_generator_ = 0;
// Strings which have been used as node names.
// New node name should not conflict with this set.
std::unordered_set<std::string> generated_node_names_;
// Strings which have been used as node_arg names.
// New node_arg name should not conflict this this set.
std::unordered_set<std::string> generated_node_arg_names_;
// node arg to its producer node
std::unordered_map<std::string, NodeIndex> node_arg_to_producer_node_;
// node arg to its consumer nodes
std::unordered_map<std::string, std::unordered_set<NodeIndex>> node_arg_to_consumer_nodes_;
#endif // !defined(ORT_MINIMAL_BUILD)
const std::unordered_map<std::string, int> domain_to_version_;
// Model IR version.
Version ir_version_{ONNX_NAMESPACE::Version::IR_VERSION};
// Is model using latest ONNX opset
bool using_latest_onnx_opset_{false};
ResolveContext resolve_context_;
// the parent graph if this is a subgraph.
Graph* parent_graph_;
// the node containing the graph if parent_graph_ is not nullptr
const Node* parent_node_;
// NodeArgs that come from outer scope. Used when building a graph so that
// these don't get recorded as graph inputs in the GraphProto.
std::unordered_set<std::string> outer_scope_node_arg_names_;
// number of times Resolve has run.
int num_resolves_ = 0;
const logging::Logger& logger_;
// distinguishes between graph loaded from model file and graph created from scratch
const bool is_loaded_from_model_file_;
};
#if !defined(ORT_MINIMAL_BUILD)
std::ostream& operator<<(std::ostream& out, const Graph& graph);
#endif
} // namespace onnxruntime