Merge "Add a new section about KeystonAuthRealm"
[docs.git] / docs / developer-guide / yang-tools.rst
1 YANG Tools Developer Guide
2 ==========================
3
4 Overview
5 --------
6
7 YANG Tools is set of libraries and tooling providing support for use
8 `YANG <https://tools.ietf.org/html/rfc6020>`__ for Java (or other
9 JVM-based language) projects and applications.
10
11 YANG Tools provides following features in OpenDaylight:
12
13 -  parsing of YANG sources and semantic inference of relationship across
14    YANG models as defined in
15    `RFC6020 <https://tools.ietf.org/html/rfc6020>`__
16
17 -  representation of YANG-modeled data in Java
18
19    -  **Normalized Node** representation - DOM-like tree model, which
20       uses conceptual meta-model more tailored to YANG and OpenDaylight
21       use-cases than a standard XML DOM model allows for.
22
23 -  serialization / deserialization of YANG-modeled data driven by YANG
24    models
25
26    -  XML - as defined in
27       `RFC6020 <https://tools.ietf.org/html/rfc6020>`__
28
29    -  JSON - as defined in
30       `draft-lhotka-netmod-yang-json-01 <https://tools.ietf.org/html/rfc6020>`__
31
32    -  support for third-party generators processing YANG models.
33
34 Architecture
35 ~~~~~~~~~~~~
36
37 YANG Tools project consists of following logical subsystems:
38
39 -  **Commons** - Set of general purpose code, which is not specific to
40    YANG, but is also useful outside YANG Tools implementation.
41
42 -  **YANG Model and Parser** - YANG semantic model and lexical and
43    semantic parser of YANG models, which creates in-memory
44    cross-referenced represenation of YANG models, which is used by other
45    components to determine their behaviour based on the model.
46
47 -  **YANG Data** - Definition of Normalized Node APIs and Data Tree
48    APIs, reference implementation of these APIs and implementation of
49    XML and JSON codecs for Normalized Nodes.
50
51 -  **YANG Maven Plugin** - Maven plugin which integrates YANG parser
52    into Maven build lifecycle and provides code-generation framework for
53    components, which wants to generate code or other artefacts based on
54    YANG model.
55
56 Concepts
57 ~~~~~~~~
58
59 Project defines base concepts and helper classes which are
60 project-agnostic and could be used outside of YANG Tools project scope.
61
62 Components
63 ~~~~~~~~~~
64
65 -  yang-common
66
67 -  yang-data-api
68
69 -  yang-data-codec-gson
70
71 -  yang-data-codec-xml
72
73 -  yang-data-impl
74
75 -  yang-data-jaxen
76
77 -  yang-data-transform
78
79 -  yang-data-util
80
81 -  yang-maven-plugin
82
83 -  yang-maven-plugin-it
84
85 -  yang-maven-plugin-spi
86
87 -  yang-model-api
88
89 -  yang-model-export
90
91 -  yang-model-util
92
93 -  yang-parser-api
94
95 -  yang-parser-impl
96
97 YANG Model API
98 ^^^^^^^^^^^^^^
99
100 Class diagram of yang model API
101
102 .. figure:: images/yang-model-api.png
103
104    YANG Model API
105
106 YANG Parser
107 ^^^^^^^^^^^
108
109 Yang Statement Parser works on the idea of statement concepts as defined
110 in RFC6020, section 6.3. We come up here with basic ModelStatement and
111 StatementDefinition, following RFC6020 idea of having sequence of
112 statements, where every statement contains keyword and zero or one
113 argument. ModelStatement is extended by DeclaredStatement (as it comes
114 from source, e.g. YANG source) and EffectiveStatement, which contains
115 other substatements and tends to represent result of semantic processing
116 of other statements (uses, augment for YANG). IdentifierNamespace
117 represents common superclass for YANG model namespaces.
118
119 Input of the Yang Statement Parser is a collection of
120 StatementStreamSource objects. StatementStreamSource interface is used
121 for inference of effective model and is required to emit its statements
122 using supplied StatementWriter. Each source (e.g. YANG source) has to be
123 processed in three steps in order to emit different statements for each
124 step. This package provides support for various namespaces used across
125 statement parser in order to map relations during declaration phase
126 process.
127
128 Currently, there are two implementations of StatementStreamSource in
129 Yangtools:
130
131 -  YangStatementSourceImpl - intended for yang sources
132
133 -  YinStatementSourceImpl - intended for yin sources
134
135 YANG Data API
136 ^^^^^^^^^^^^^
137
138 Class diagram of yang data API
139
140 .. figure:: images/yang-data-api.png
141
142    YANG Data API
143
144 YANG Data Codecs
145 ^^^^^^^^^^^^^^^^
146
147 Codecs which enable serialization of NormalizedNodes into YANG-modeled
148 data in XML or JSON format and deserialization of YANG-modeled data in
149 XML or JSON format into NormalizedNodes.
150
151 YANG Maven Plugin
152 ^^^^^^^^^^^^^^^^^
153
154 Maven plugin which integrates YANG parser into Maven build lifecycle and
155 provides code-generation framework for components, which wants to
156 generate code or other artefacts based on YANG model.
157
158 How to / Tutorials
159 ------------------
160
161 Working with YANG Model
162 ~~~~~~~~~~~~~~~~~~~~~~~
163
164 First thing you need to do if you want to work with YANG models is to
165 instantiate a SchemaContext object. This object type describes one or
166 more parsed YANG modules.
167
168 In order to create it you need to utilize YANG statement parser which
169 takes one or more StatementStreamSource objects as input and then
170 produces the SchemaContext object.
171
172 StatementStreamSource object contains the source file information. It
173 has two implementations, one for YANG sources - YangStatementSourceImpl,
174 and one for YIN sources - YinStatementSourceImpl.
175
176 Here is an example of creating StatementStreamSource objects for YANG
177 files, providing them to the YANG statement parser and building the
178 SchemaContext:
179
180 .. code:: java
181
182     StatementStreamSource yangModuleSource == new YangStatementSourceImpl("/example.yang", false);
183     StatementStreamSource yangModuleSource2 == new YangStatementSourceImpl("/example2.yang", false);
184
185     CrossSourceStatementReactor.BuildAction reactor == YangInferencePipeline.RFC6020_REACTOR.newBuild();
186     reactor.addSources(yangModuleSource, yangModuleSource2);
187
188     SchemaContext schemaContext == reactor.buildEffective();
189
190 First, StatementStreamSource objects with two constructor arguments
191 should be instantiated: path to the yang source file (which is a regular
192 String object) and a boolean which determines if the path is absolute or
193 relative.
194
195 Next comes the initiation of new yang parsing cycle - which is
196 represented by CrossSourceStatementReactor.BuildAction object. You can
197 get it by calling method newBuild() on CrossSourceStatementReactor
198 object (RFC6020\_REACTOR) in YangInferencePipeline class.
199
200 Then you should feed yang sources to it by calling method addSources()
201 that takes one or more StatementStreamSource objects as arguments.
202
203 Finally you call the method buildEffective() on the reactor object which
204 returns EffectiveSchemaContext (that is a concrete implementation of
205 SchemaContext). Now you are ready to work with contents of the added
206 yang sources.
207
208 Let us explain how to work with models contained in the newly created
209 SchemaContext. If you want to get all the modules in the schemaContext,
210 you have to call method getModules() which returns a Set of modules. If
211 you want to get all the data definitions in schemaContext, you need to
212 call method getDataDefinitions, etc.
213
214 .. code:: java
215
216     Set<Module> modules == schemaContext.getModules();
217     Set<DataSchemaNodes> dataSchemaNodes == schemaContext.getDataDefinitions();
218
219 Usually you want to access specific modules. Getting a concrete module
220 from SchemaContext is a matter of calling one of these methods:
221
222 -  findModuleByName(),
223
224 -  findModuleByNamespace(),
225
226 -  findModuleByNamespaceAndRevision().
227
228 In the first case, you need to provide module name as it is defined in
229 the yang source file and module revision date if it specified in the
230 yang source file (if it is not defined, you can just pass a null value).
231 In order to provide the revision date in proper format, you can use a
232 utility class named SimpleDateFormatUtil.
233
234 .. code:: java
235
236     Module exampleModule == schemaContext.findModuleByName("example-module", null);
237     // or
238     Date revisionDate == SimpleDateFormatUtil.getRevisionFormat().parse("2015-09-02");
239     Module exampleModule == schemaContext.findModuleByName("example-module", revisionDate);
240
241 In the second case, you have to provide module namespace in form of an
242 URI object.
243
244 .. code:: java
245
246     Module exampleModule == schema.findModuleByNamespace(new URI("opendaylight.org/example-module"));
247
248 In the third case, you provide both module namespace and revision date
249 as arguments.
250
251 Once you have a Module object, you can access its contents as they are
252 defined in YANG Model API. One way to do this is to use method like
253 getIdentities() or getRpcs() which will give you a Set of objects.
254 Otherwise you can access a DataSchemaNode directly via the method
255 getDataChildByName() which takes a QName object as its only argument.
256 Here are a few examples.
257
258 .. code:: java
259
260     Set<AugmentationSchema> augmentationSchemas == exampleModule.getAugmentations();
261     Set<ModuleImport> moduleImports == exampleModule.getImports();
262
263     ChoiceSchemaNode choiceSchemaNode == (ChoiceSchemaNode) exampleModule.getDataChildByName(QName.create(exampleModule.getQNameModule(), "example-choice"));
264
265     ContainerSchemaNode containerSchemaNode == (ContainerSchemaNode) exampleModule.getDataChildByName(QName.create(exampleModule.getQNameModule(), "example-container"));
266
267 The YANG statement parser can work in three modes:
268
269 -  default mode
270
271 -  mode with active resolution of if-feature statements
272
273 -  mode with active semantic version processing
274
275 The default mode is active when you initialize the parsing cycle as
276 usual by calling the method newBuild() without passing any arguments to
277 it. The second and third mode can be activated by invoking the
278 newBuild() with a special argument. You can either activate just one of
279 them or both by passing proper arguments. Let us explain how these modes
280 work.
281
282 Mode with active resolution of if-features makes yang statements
283 containing an if-feature statement conditional based on the supported
284 features. These features are provided in the form of a QName-based
285 java.util.Set object. In the example below, only two
286 features are supported: example-feature-1 and example-feature-2. The
287 Set which contains this information is passed to the method
288 newBuild() and the mode is activated.
289
290 .. code:: java
291
292     Set<QName> supportedFeatures = ImmutableSet.of(
293         QName.create("example-namespace", "2016-08-31", "example-feature-1"),
294         QName.create("example-namespace", "2016-08-31", "example-feature-2"));
295
296     CrossSourceStatementReactor.BuildAction reactor = YangInferencePipeline.RFC6020_REACTOR.newBuild(supportedFeatures);
297
298 In case when no features should be supported, you should provide an
299 empty Set<QName> object.
300
301 .. code:: java
302
303     Set<QName> supportedFeatures = ImmutableSet.of();
304
305     CrossSourceStatementReactor.BuildAction reactor = YangInferencePipeline.RFC6020_REACTOR.newBuild(supportedFeatures);
306
307 When this mode is not activated, all features in the processed YANG
308 sources are supported.
309
310 Mode with active semantic version processing changes the way how YANG
311 import statements work - each module import is processed based on the
312 specified semantic version statement and the revision-date statement is
313 ignored. In order to activate this mode, you have to provide
314 StatementParserMode.SEMVER\_MODE enum constant as argument to the method
315 newBuild().
316
317 .. code:: java
318
319     CrossSourceStatementReactor.BuildAction reactor == YangInferencePipeline.RFC6020_REACTOR.newBuild(StatementParserMode.SEMVER_MODE);
320
321 Before you use a semantic version statement in a YANG module, you need
322 to define an extension for it so that the YANG statement parser can
323 recognize it.
324
325 .. code:: yang
326
327     module semantic-version {
328         namespace "urn:opendaylight:yang:extension:semantic-version";
329         prefix sv;
330         yang-version 1;
331
332         revision 2016-02-02 {
333             description "Initial version";
334         }
335         sv:semantic-version "0.0.1";
336
337         extension semantic-version {
338             argument "semantic-version" {
339                 yin-element false;
340             }
341         }
342     }
343
344 In the example above, you see a YANG module which defines semantic
345 version as an extension. This extension can be imported to other modules
346 in which we want to utilize the semantic versioning concept.
347
348 Below is a simple example of the semantic versioning usage. With
349 semantic version processing mode being active, the foo module imports
350 the bar module based on its semantic version. Notice how both modules
351 import the module with the semantic-version extension.
352
353 .. code:: yang
354
355     module foo {
356         namespace foo;
357         prefix foo;
358         yang-version 1;
359
360         import semantic-version { prefix sv; revision-date 2016-02-02; sv:semantic-version "0.0.1"; }
361         import bar { prefix bar; sv:semantic-version "0.1.2";}
362
363         revision "2016-02-01" {
364             description "Initial version";
365         }
366         sv:semantic-version "0.1.1";
367
368         ...
369     }
370
371 .. code:: yang
372
373     module bar {
374         namespace bar;
375         prefix bar;
376         yang-version 1;
377
378         import semantic-version { prefix sv; revision-date 2016-02-02; sv:semantic-version "0.0.1"; }
379
380         revision "2016-01-01" {
381             description "Initial version";
382         }
383         sv:semantic-version "0.1.2";
384
385         ...
386     }
387
388 Every semantic version must have the following form: x.y.z. The x
389 corresponds to a major version, the y corresponds to a minor version and
390 the z corresponds to a patch version. If no semantic version is
391 specified in a module or an import statement, then the default one is
392 used - 0.0.0.
393
394 A major version number of 0 indicates that the model is still in
395 development and is subject to change.
396
397 Following a release of major version 1, all modules will increment major
398 version number when backwards incompatible changes to the model are
399 made.
400
401 The minor version is changed when features are added to the model that
402 do not impact current clients use of the model.
403
404 The patch version is incremented when non-feature changes (such as
405 bugfixes or clarifications of human-readable descriptions that do not
406 impact model functionality) are made that maintain backwards
407 compatibility.
408
409 When importing a module with activated semantic version processing mode,
410 only the module with the newest (highest) compatible semantic version is
411 imported. Two semantic versions are compatible when all of the following
412 conditions are met:
413
414 -  the major version in the import statement and major version in the
415    imported module are equal. For instance, 1.5.3 is compatible with
416    1.5.3, 1.5.4, 1.7.2, etc., but it is not compatible with 0.5.2 or
417    2.4.8, etc.
418
419 -  the combination of minor version and patch version in the import
420    statement is not higher than the one in the imported module. For
421    instance, 1.5.2 is compatible with 1.5.2, 1.5.4, 1.6.8 etc. In fact,
422    1.5.2 is also compatible with versions like 1.5.1, 1.4.9 or 1.3.7 as
423    they have equal major version. However, they will not be imported
424    because their minor and patch version are lower (older).
425
426 If the import statement does not specify a semantic version, then the
427 default one is chosen - 0.0.0. Thus, the module is imported only if it
428 has a semantic version compatible with the default one, for example
429 0.0.0, 0.1.3, 0.3.5 and so on.
430
431 Working with YANG Data
432 ~~~~~~~~~~~~~~~~~~~~~~
433
434 If you want to work with YANG Data you are going to need NormalizedNode
435 objects that are specified in the YANG Data API. NormalizedNode is an
436 interface at the top of the YANG Data hierarchy. It is extended through
437 sub-interfaces which define the behaviour of specific NormalizedNode
438 types like AnyXmlNode, ChoiceNode, LeafNode, ContainerNode, etc.
439 Concrete implemenations of these interfaces are defined in
440 yang-data-impl module. Once you have one or more NormalizedNode
441 instances, you can perform CRUD operations on YANG data tree which is an
442 in-memory database designed to store normalized nodes in a tree-like
443 structure.
444
445 In some cases it is clear which NormalizedNode type belongs to which
446 yang statement (e.g. AnyXmlNode, ChoiceNode, LeafNode). However, there
447 are some normalized nodes which are named differently from their yang
448 counterparts. They are listed below:
449
450 -  LeafSetNode - leaf-list
451
452 -  OrderedLeafSetNode - leaf-list that is ordered-by user
453
454 -  LeafSetEntryNode - concrete entry in a leaf-list
455
456 -  MapNode - keyed list
457
458 -  OrderedMapNode - keyed list that is ordered-by user
459
460 -  MapEntryNode - concrete entry in a keyed list
461
462 -  UnkeyedListNode - unkeyed list
463
464 -  UnkeyedListEntryNode - concrete entry in an unkeyed list
465
466 In order to create a concrete NormalizedNode object you can use the
467 utility class Builders or ImmutableNodes. These classes can be found in
468 yang-data-impl module and they provide methods for building each type of
469 normalized node. Here is a simple example of building a normalized node:
470
471 .. code:: java
472
473     \\ example 1
474     ContainerNode containerNode == Builders.containerBuilder().withNodeIdentifier(new YangInstanceIdentifier.NodeIdentifier(QName.create(moduleQName, "example-container")).build();
475
476     \\ example 2
477     ContainerNode containerNode2 == Builders.containerBuilder(containerSchemaNode).build();
478
479 Both examples produce the same result. NodeIdentifier is one of the four
480 types of YangInstanceIdentifier (these types are described in the
481 javadoc of YangInstanceIdentifier). The purpose of
482 YangInstanceIdentifier is to uniquely identify a particular node in the
483 data tree. In the first example, you have to add NodeIdentifier before
484 building the resulting node. In the second example it is also added
485 using the provided ContainerSchemaNode object.
486
487 ImmutableNodes class offers similar builder methods and also adds an
488 overloaded method called fromInstanceId() which allows you to create a
489 NormalizedNode object based on YangInstanceIdentifier and SchemaContext.
490 Below is an example which shows the use of this method.
491
492 .. code:: java
493
494     YangInstanceIdentifier.NodeIdentifier contId == new YangInstanceIdentifier.NodeIdentifier(QName.create(moduleQName, "example-container");
495
496     NormalizedNode<?, ?> contNode == ImmutableNodes.fromInstanceId(schemaContext, YangInstanceIdentifier.create(contId));
497
498 Let us show a more complex example of creating a NormalizedNode. First,
499 consider the following YANG module:
500
501 .. code:: yang
502
503     module example-module {
504         namespace "opendaylight.org/example-module";
505         prefix "example";
506
507         container parent-container {
508             container child-container {
509                 list parent-ordered-list {
510                     ordered-by user;
511
512                     key "parent-key-leaf";
513
514                     leaf parent-key-leaf {
515                         type string;
516                     }
517
518                     leaf parent-ordinary-leaf {
519                         type string;
520                     }
521
522                     list child-ordered-list {
523                         ordered-by user;
524
525                         key "child-key-leaf";
526
527                         leaf child-key-leaf {
528                             type string;
529                         }
530
531                         leaf child-ordinary-leaf {
532                             type string;
533                         }
534                     }
535                 }
536             }
537         }
538     }
539
540 In the following example, two normalized nodes based on the module above
541 are written to and read from the data tree.
542
543 .. code:: java
544
545     TipProducingDataTree inMemoryDataTree ==     InMemoryDataTreeFactory.getInstance().create(TreeType.OPERATIONAL);
546     inMemoryDataTree.setSchemaContext(schemaContext);
547
548     // first data tree modification
549     MapEntryNode parentOrderedListEntryNode == Builders.mapEntryBuilder().withNodeIdentifier(
550     new YangInstanceIdentifier.NodeIdentifierWithPredicates(
551     parentOrderedListQName, parentKeyLeafQName, "pkval1"))
552     .withChild(Builders.leafBuilder().withNodeIdentifier(
553     new YangInstanceIdentifier.NodeIdentifier(parentOrdinaryLeafQName))
554     .withValue("plfval1").build()).build();
555
556     OrderedMapNode parentOrderedListNode == Builders.orderedMapBuilder().withNodeIdentifier(
557     new YangInstanceIdentifier.NodeIdentifier(parentOrderedListQName))
558     .withChild(parentOrderedListEntryNode).build();
559
560     ContainerNode parentContainerNode == Builders.containerBuilder().withNodeIdentifier(
561     new YangInstanceIdentifier.NodeIdentifier(parentContainerQName))
562     .withChild(Builders.containerBuilder().withNodeIdentifier(
563     new NodeIdentifier(childContainerQName)).withChild(parentOrderedListNode).build()).build();
564
565     YangInstanceIdentifier path1 == YangInstanceIdentifier.of(parentContainerQName);
566
567     DataTreeModification treeModification == inMemoryDataTree.takeSnapshot().newModification();
568     treeModification.write(path1, parentContainerNode);
569
570     // second data tree modification
571     MapEntryNode childOrderedListEntryNode == Builders.mapEntryBuilder().withNodeIdentifier(
572     new YangInstanceIdentifier.NodeIdentifierWithPredicates(
573     childOrderedListQName, childKeyLeafQName, "chkval1"))
574     .withChild(Builders.leafBuilder().withNodeIdentifier(
575     new YangInstanceIdentifier.NodeIdentifier(childOrdinaryLeafQName))
576     .withValue("chlfval1").build()).build();
577
578     OrderedMapNode childOrderedListNode == Builders.orderedMapBuilder().withNodeIdentifier(
579     new YangInstanceIdentifier.NodeIdentifier(childOrderedListQName))
580     .withChild(childOrderedListEntryNode).build();
581
582     ImmutableMap.Builder<QName, Object> builder == ImmutableMap.builder();
583     ImmutableMap<QName, Object> keys == builder.put(parentKeyLeafQName, "pkval1").build();
584
585     YangInstanceIdentifier path2 == YangInstanceIdentifier.of(parentContainerQName).node(childContainerQName)
586     .node(parentOrderedListQName).node(new NodeIdentifierWithPredicates(parentOrderedListQName, keys)).node(childOrderedListQName);
587
588     treeModification.write(path2, childOrderedListNode);
589     treeModification.ready();
590     inMemoryDataTree.validate(treeModification);
591     inMemoryDataTree.commit(inMemoryDataTree.prepare(treeModification));
592
593     DataTreeSnapshot snapshotAfterCommits == inMemoryDataTree.takeSnapshot();
594     Optional<NormalizedNode<?, ?>> readNode == snapshotAfterCommits.readNode(path1);
595     Optional<NormalizedNode<?, ?>> readNode2 == snapshotAfterCommits.readNode(path2);
596
597 First comes the creation of in-memory data tree instance. The schema
598 context (containing the model mentioned above) of this tree is set.
599 After that, two normalized nodes are built. The first one consists of a
600 parent container, a child container and a parent ordered list which
601 contains a key leaf and an ordinary leaf. The second normalized node is
602 a child ordered list that also contains a key leaf and an ordinary leaf.
603
604 In order to add a child node to a node, method withChild() is used. It
605 takes a NormalizedNode as argument. When creating a list entry,
606 YangInstanceIdentifier.NodeIdentifierWithPredicates should be used as
607 its identifier. Its arguments are the QName of the list, QName of the
608 list key and the value of the key. Method withValue() specifies a value
609 for the ordinary leaf in the list.
610
611 Before writing a node to the data tree, a path (YangInstanceIdentifier)
612 which determines its place in the data tree needs to be defined. The
613 path of the first normalized node starts at the parent container. The
614 path of the second normalized node points to the child ordered list
615 contained in the parent ordered list entry specified by the key value
616 "pkval1".
617
618 Write operation is performed with both normalized nodes mentioned
619 earlier. It consist of several steps. The first step is to instantiate a
620 DataTreeModification object based on a DataTreeSnapshot.
621 DataTreeSnapshot gives you the current state of the data tree. Then
622 comes the write operation which writes a normalized node at the provided
623 path in the data tree. After doing both write operations, method ready()
624 has to be called, marking the modification as ready for application to
625 the data tree. No further operations within the modification are
626 allowed. The modification is then validated - checked whether it can be
627 applied to the data tree. Finally we commit it to the data tree.
628
629 Now you can access the written nodes. In order to do this, you have to
630 create a new DataTreeSnapshot instance and call the method readNode()
631 with path argument pointing to a particular node in the tree.
632
633 Serialization / deserialization of YANG Data
634 ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
635
636 If you want to deserialize YANG-modeled data which have the form of an
637 XML document, you can use the XML parser found in the module
638 yang-data-codec-xml. The parser walks through the XML document
639 containing YANG-modeled data based on the provided SchemaContext and
640 emits node events into a NormalizedNodeStreamWriter. The parser
641 disallows multiple instances of the same element except for leaf-list
642 and list entries. The parser also expects that the YANG-modeled data in
643 the XML source are wrapped in a root element. Otherwise it will not work
644 correctly.
645
646 Here is an example of using the XML parser.
647
648 .. code:: java
649
650     InputStream resourceAsStream == ExampleClass.class.getResourceAsStream("/example-module.yang");
651
652     XMLInputFactory factory == XMLInputFactory.newInstance();
653     XMLStreamReader reader == factory.createXMLStreamReader(resourceAsStream);
654
655     NormalizedNodeResult result == new NormalizedNodeResult();
656     NormalizedNodeStreamWriter streamWriter == ImmutableNormalizedNodeStreamWriter.from(result);
657
658     XmlParserStream xmlParser == XmlParserStream.create(streamWriter, schemaContext);
659     xmlParser.parse(reader);
660
661     NormalizedNode<?, ?> transformedInput == result.getResult();
662
663 The XML parser utilizes the javax.xml.stream.XMLStreamReader for parsing
664 an XML document. First, you should create an instance of this reader
665 using XMLInputFactory and then load an XML document (in the form of
666 InputStream object) into it.
667
668 In order to emit node events while parsing the data you need to
669 instantiate a NormalizedNodeStreamWriter. This writer is actually an
670 interface and therefore you need to use a concrete implementation of it.
671 In this example it is the ImmutableNormalizedNodeStreamWriter, which
672 constructs immutable instances of NormalizedNodes.
673
674 There are two ways how to create an instance of this writer using the
675 static overloaded method from(). One version of this method takes a
676 NormalizedNodeResult as argument. This object type is a result holder in
677 which the resulting NormalizedNode will be stored. The other version
678 takes a NormalizedNodeContainerBuilder as argument. All created nodes
679 will be written to this builder.
680
681 Next step is to create an instance of the XML parser. The parser itself
682 is represented by a class named XmlParserStream. You can use one of two
683 versions of the static overloaded method create() to construct this
684 object. One version accepts a NormalizedNodeStreamWriter and a
685 SchemaContext as arguments, the other version takes the same arguments
686 plus a SchemaNode. Node events are emitted to the writer. The
687 SchemaContext is used to check if the YANG data in the XML source comply
688 with the provided YANG model(s). The last argument, a SchemaNode object,
689 describes the node that is the parent of nodes defined in the XML data.
690 If you do not provide this argument, the parser sets the SchemaContext
691 as the parent node.
692
693 The parser is now ready to walk through the XML. Parsing is initiated by
694 calling the method parse() on the XmlParserStream object with
695 XMLStreamReader as its argument.
696
697 Finally you can access the result of parsing - a tree of NormalizedNodes
698 containg the data as they are defined in the parsed XML document - by
699 calling the method getResult() on the NormalizedNodeResult object.
700
701 Introducing schema source repositories
702 ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
703
704 Writing YANG driven generators
705 ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
706
707 Introducing specific extension support for YANG parser
708 ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
709
710 Diagnostics
711 ~~~~~~~~~~~
712