Add UniqueValidation
[yangtools.git] / yang / yang-data-impl / src / main / java / org / opendaylight / yangtools / yang / data / impl / schema / tree / AbstractNodeContainerModificationStrategy.java
1 /*
2  * Copyright (c) 2014 Cisco Systems, Inc. and others.  All rights reserved.
3  *
4  * This program and the accompanying materials are made available under the
5  * terms of the Eclipse Public License v1.0 which accompanies this distribution,
6  * and is available at http://www.eclipse.org/legal/epl-v10.html
7  */
8 package org.opendaylight.yangtools.yang.data.impl.schema.tree;
9
10 import static com.google.common.base.Preconditions.checkArgument;
11 import static java.util.Objects.requireNonNull;
12
13 import com.google.common.base.MoreObjects.ToStringHelper;
14 import com.google.common.base.Verify;
15 import java.util.Collection;
16 import java.util.Optional;
17 import org.eclipse.jdt.annotation.NonNull;
18 import org.eclipse.jdt.annotation.Nullable;
19 import org.opendaylight.yangtools.yang.data.api.YangInstanceIdentifier;
20 import org.opendaylight.yangtools.yang.data.api.YangInstanceIdentifier.PathArgument;
21 import org.opendaylight.yangtools.yang.data.api.schema.NormalizedNode;
22 import org.opendaylight.yangtools.yang.data.api.schema.NormalizedNodeContainer;
23 import org.opendaylight.yangtools.yang.data.api.schema.tree.ConflictingModificationAppliedException;
24 import org.opendaylight.yangtools.yang.data.api.schema.tree.DataTreeConfiguration;
25 import org.opendaylight.yangtools.yang.data.api.schema.tree.DataValidationFailedException;
26 import org.opendaylight.yangtools.yang.data.api.schema.tree.ModificationType;
27 import org.opendaylight.yangtools.yang.data.api.schema.tree.ModifiedNodeDoesNotExistException;
28 import org.opendaylight.yangtools.yang.data.api.schema.tree.TreeType;
29 import org.opendaylight.yangtools.yang.data.api.schema.tree.spi.MutableTreeNode;
30 import org.opendaylight.yangtools.yang.data.api.schema.tree.spi.TreeNode;
31 import org.opendaylight.yangtools.yang.data.api.schema.tree.spi.TreeNodeFactory;
32 import org.opendaylight.yangtools.yang.data.api.schema.tree.spi.Version;
33 import org.opendaylight.yangtools.yang.data.impl.schema.builder.api.NormalizedNodeContainerBuilder;
34 import org.opendaylight.yangtools.yang.model.api.DocumentedNode.WithStatus;
35
36 abstract class AbstractNodeContainerModificationStrategy<T extends WithStatus>
37         extends SchemaAwareApplyOperation<T> {
38     abstract static class Invisible<T extends WithStatus> extends AbstractNodeContainerModificationStrategy<T> {
39         private final @NonNull SchemaAwareApplyOperation<T> entryStrategy;
40
41         Invisible(final NormalizedNodeContainerSupport<?, ?> support, final DataTreeConfiguration treeConfig,
42                 final SchemaAwareApplyOperation<T> entryStrategy) {
43             super(support, treeConfig);
44             this.entryStrategy = requireNonNull(entryStrategy);
45         }
46
47         @Override
48         final T getSchema() {
49             return entryStrategy.getSchema();
50         }
51
52         final Optional<ModificationApplyOperation> entryStrategy() {
53             return Optional.of(entryStrategy);
54         }
55
56         @Override
57         ToStringHelper addToStringAttributes(final ToStringHelper helper) {
58             return super.addToStringAttributes(helper).add("entry", entryStrategy);
59         }
60     }
61
62     abstract static class Visible<T extends WithStatus> extends AbstractNodeContainerModificationStrategy<T> {
63         private final @NonNull T schema;
64
65         Visible(final NormalizedNodeContainerSupport<?, ?> support, final DataTreeConfiguration treeConfig,
66             final T schema) {
67             super(support, treeConfig);
68             this.schema = requireNonNull(schema);
69         }
70
71         @Override
72         final T getSchema() {
73             return schema;
74         }
75
76         @Override
77         ToStringHelper addToStringAttributes(final ToStringHelper helper) {
78             return super.addToStringAttributes(helper).add("schema", schema);
79         }
80     }
81
82     /**
83      * Fake TreeNode version used in
84      * {@link #checkTouchApplicable(ModificationPath, NodeModification, Optional, Version)}
85      * It is okay to use a global constant, as the delegate will ignore it anyway.
86      */
87     private static final Version FAKE_VERSION = Version.initial();
88
89     private final NormalizedNodeContainerSupport<?, ?> support;
90     private final boolean verifyChildrenStructure;
91
92     AbstractNodeContainerModificationStrategy(final NormalizedNodeContainerSupport<?, ?> support,
93             final DataTreeConfiguration treeConfig) {
94         this.support = requireNonNull(support);
95         this.verifyChildrenStructure = treeConfig.getTreeType() == TreeType.CONFIGURATION;
96     }
97
98     @Override
99     protected final ChildTrackingPolicy getChildPolicy() {
100         return support.childPolicy;
101     }
102
103     @Override
104     final void verifyValue(final NormalizedNode<?, ?> writtenValue) {
105         final Class<?> nodeClass = support.requiredClass;
106         checkArgument(nodeClass.isInstance(writtenValue), "Node %s is not of type %s", writtenValue, nodeClass);
107         checkArgument(writtenValue instanceof NormalizedNodeContainer);
108     }
109
110     @Override
111     final void verifyValueChildren(final NormalizedNode<?, ?> writtenValue) {
112         if (verifyChildrenStructure) {
113             final NormalizedNodeContainer<?, ?, ?> container = (NormalizedNodeContainer<?, ?, ?>) writtenValue;
114             for (final NormalizedNode<?, ?> child : container.getValue()) {
115                 final Optional<ModificationApplyOperation> childOp = getChild(child.getIdentifier());
116                 if (childOp.isPresent()) {
117                     childOp.get().fullVerifyStructure(child);
118                 } else {
119                     throw new SchemaValidationFailedException(String.format(
120                             "Node %s is not a valid child of %s according to the schema.",
121                             child.getIdentifier(), container.getIdentifier()));
122                 }
123             }
124
125             optionalVerifyValueChildren(writtenValue);
126         }
127         mandatoryVerifyValueChildren(writtenValue);
128     }
129
130     /**
131      * Perform additional verification on written value's child structure, like presence of mandatory children and
132      * exclusion. The default implementation does nothing and is not invoked for non-CONFIG data trees.
133      *
134      * @param writtenValue Effective written value
135      */
136     void optionalVerifyValueChildren(final NormalizedNode<?, ?> writtenValue) {
137         // Defaults to no-op
138     }
139
140     /**
141      * Perform additional verification on written value's child structure, like presence of mandatory children.
142      * The default implementation does nothing.
143      *
144      * @param writtenValue Effective written value
145      */
146     void mandatoryVerifyValueChildren(final NormalizedNode<?, ?> writtenValue) {
147         // Defaults to no-op
148     }
149
150     @Override
151     protected final void recursivelyVerifyStructure(final NormalizedNode<?, ?> value) {
152         final NormalizedNodeContainer<?, ?, ?> container = (NormalizedNodeContainer<?, ?, ?>) value;
153         for (final NormalizedNode<?, ?> child : container.getValue()) {
154             final Optional<ModificationApplyOperation> childOp = getChild(child.getIdentifier());
155             if (!childOp.isPresent()) {
156                 throw new SchemaValidationFailedException(
157                     String.format("Node %s is not a valid child of %s according to the schema.",
158                         child.getIdentifier(), container.getIdentifier()));
159             }
160
161             childOp.get().recursivelyVerifyStructure(child);
162         }
163     }
164
165     @Override
166     protected TreeNode applyWrite(final ModifiedNode modification, final NormalizedNode<?, ?> newValue,
167             final Optional<? extends TreeNode> currentMeta, final Version version) {
168         final TreeNode newValueMeta = TreeNodeFactory.createTreeNode(newValue, version);
169
170         if (modification.getChildren().isEmpty()) {
171             return newValueMeta;
172         }
173
174         /*
175          * This is where things get interesting. The user has performed a write and then she applied some more
176          * modifications to it. So we need to make sense of that and apply the operations on top of the written value.
177          *
178          * We could have done it during the write, but this operation is potentially expensive, so we have left it out
179          * of the fast path.
180          *
181          * As it turns out, once we materialize the written data, we can share the code path with the subtree change. So
182          * let's create an unsealed TreeNode and run the common parts on it -- which end with the node being sealed.
183          *
184          * FIXME: this code needs to be moved out from the prepare() path and into the read() and seal() paths. Merging
185          *        of writes needs to be charged to the code which originated this, not to the code which is attempting
186          *        to make it visible.
187          */
188         final MutableTreeNode mutable = newValueMeta.mutable();
189         mutable.setSubtreeVersion(version);
190
191         @SuppressWarnings("rawtypes")
192         final NormalizedNodeContainerBuilder dataBuilder = support.createBuilder(newValue);
193         final TreeNode result = mutateChildren(mutable, dataBuilder, version, modification.getChildren());
194
195         // We are good to go except one detail: this is a single logical write, but
196         // we have a result TreeNode which has been forced to materialized, e.g. it
197         // is larger than it needs to be. Create a new TreeNode to host the data.
198         return TreeNodeFactory.createTreeNode(result.getData(), version);
199     }
200
201     /**
202      * Applies write/remove diff operation for each modification child in modification subtree.
203      * Operation also sets the Data tree references for each Tree Node (Index Node) in meta (MutableTreeNode) structure.
204      *
205      * @param meta MutableTreeNode (IndexTreeNode)
206      * @param data DataBuilder
207      * @param nodeVersion Version of TreeNode
208      * @param modifications modification operations to apply
209      * @return Sealed immutable copy of TreeNode structure with all Data Node references set.
210      */
211     @SuppressWarnings({ "rawtypes", "unchecked" })
212     private TreeNode mutateChildren(final MutableTreeNode meta, final NormalizedNodeContainerBuilder data,
213             final Version nodeVersion, final Iterable<ModifiedNode> modifications) {
214
215         for (final ModifiedNode mod : modifications) {
216             final PathArgument id = mod.getIdentifier();
217             final Optional<? extends TreeNode> cm = meta.getChild(id);
218
219             final Optional<? extends TreeNode> result = resolveChildOperation(id).apply(mod, cm, nodeVersion);
220             if (result.isPresent()) {
221                 final TreeNode tn = result.get();
222                 meta.addChild(tn);
223                 data.addChild(tn.getData());
224             } else {
225                 meta.removeChild(id);
226                 data.removeChild(id);
227             }
228         }
229
230         meta.setData(data.build());
231         return meta.seal();
232     }
233
234     @Override
235     protected TreeNode applyMerge(final ModifiedNode modification, final TreeNode currentMeta, final Version version) {
236         /*
237          * The node which we are merging exists. We now need to expand any child operations implied by the value. Once
238          * we do that, ModifiedNode children will look like this node were a TOUCH and we will let applyTouch() do the
239          * heavy lifting of applying the children recursively (either through here or through applyWrite().
240          */
241         final NormalizedNode<?, ?> value = modification.getWrittenValue();
242
243         Verify.verify(value instanceof NormalizedNodeContainer, "Attempted to merge non-container %s", value);
244         for (final NormalizedNode<?, ?> c : ((NormalizedNodeContainer<?, ?, ?>) value).getValue()) {
245             final PathArgument id = c.getIdentifier();
246             modification.modifyChild(id, resolveChildOperation(id), version);
247         }
248         return applyTouch(modification, currentMeta, version);
249     }
250
251     private void mergeChildrenIntoModification(final ModifiedNode modification,
252             final Collection<? extends NormalizedNode<?, ?>> children, final Version version) {
253         for (final NormalizedNode<?, ?> c : children) {
254             final ModificationApplyOperation childOp = resolveChildOperation(c.getIdentifier());
255             final ModifiedNode childNode = modification.modifyChild(c.getIdentifier(), childOp, version);
256             childOp.mergeIntoModifiedNode(childNode, c, version);
257         }
258     }
259
260     @Override
261     final void mergeIntoModifiedNode(final ModifiedNode modification, final NormalizedNode<?, ?> value,
262             final Version version) {
263         final Collection<? extends NormalizedNode<?, ?>> children =
264                 ((NormalizedNodeContainer<?, ?, ?>)value).getValue();
265
266         switch (modification.getOperation()) {
267             case NONE:
268                 // Fresh node, just record a MERGE with a value
269                 recursivelyVerifyStructure(value);
270                 modification.updateValue(LogicalOperation.MERGE, value);
271                 return;
272             case TOUCH:
273
274                 mergeChildrenIntoModification(modification, children, version);
275                 // We record empty merge value, since real children merges are already expanded. This is needed to
276                 // satisfy non-null for merge original merge value can not be used since it mean different order of
277                 // operation - parent changes are always resolved before children ones, and having node in TOUCH means
278                 // children was modified before.
279                 modification.updateValue(LogicalOperation.MERGE, support.createEmptyValue(value));
280                 return;
281             case MERGE:
282                 // Merging into an existing node. Merge data children modifications (maybe recursively) and mark
283                 // as MERGE, invalidating cached snapshot
284                 mergeChildrenIntoModification(modification, children, version);
285                 modification.updateOperationType(LogicalOperation.MERGE);
286                 return;
287             case DELETE:
288                 // Delete performs a data dependency check on existence of the node. Performing a merge on DELETE means
289                 // we are really performing a write. One thing that ruins that are any child modifications. If there
290                 // are any, we will perform a read() to get the current state of affairs, turn this into into a WRITE
291                 // and then append any child entries.
292                 if (!modification.getChildren().isEmpty()) {
293                     // Version does not matter here as we'll throw it out
294                     final Optional<? extends TreeNode> current = apply(modification, modification.getOriginal(),
295                         Version.initial());
296                     if (current.isPresent()) {
297                         modification.updateValue(LogicalOperation.WRITE, current.get().getData());
298                         mergeChildrenIntoModification(modification, children, version);
299                         return;
300                     }
301                 }
302
303                 modification.updateValue(LogicalOperation.WRITE, value);
304                 return;
305             case WRITE:
306                 // We are augmenting a previous write. We'll just walk value's children, get the corresponding
307                 // ModifiedNode and run recursively on it
308                 mergeChildrenIntoModification(modification, children, version);
309                 modification.updateOperationType(LogicalOperation.WRITE);
310                 return;
311             default:
312                 throw new IllegalArgumentException("Unsupported operation " + modification.getOperation());
313         }
314     }
315
316     @Override
317     protected TreeNode applyTouch(final ModifiedNode modification, final TreeNode currentMeta, final Version version) {
318         /*
319          * The user may have issued an empty merge operation. In this case we:
320          * - do not perform a data tree mutation
321          * - do not pass GO, and
322          * - do not collect useless garbage.
323          * It also means the ModificationType is UNMODIFIED.
324          */
325         final Collection<ModifiedNode> children = modification.getChildren();
326         if (!children.isEmpty()) {
327             @SuppressWarnings("rawtypes")
328             final NormalizedNodeContainerBuilder dataBuilder = support.createBuilder(currentMeta.getData());
329             final MutableTreeNode newMeta = currentMeta.mutable();
330             newMeta.setSubtreeVersion(version);
331             final TreeNode ret = mutateChildren(newMeta, dataBuilder, version, children);
332
333             /*
334              * It is possible that the only modifications under this node were empty merges, which were turned into
335              * UNMODIFIED. If that is the case, we can turn this operation into UNMODIFIED, too, potentially cascading
336              * it up to root. This has the benefit of speeding up any users, who can skip processing child nodes.
337              *
338              * In order to do that, though, we have to check all child operations are UNMODIFIED.
339              *
340              * Let's do precisely that, stopping as soon we find a different result.
341              */
342             for (final ModifiedNode child : children) {
343                 if (child.getModificationType() != ModificationType.UNMODIFIED) {
344                     modification.resolveModificationType(ModificationType.SUBTREE_MODIFIED);
345                     return ret;
346                 }
347             }
348         }
349
350         // The merge operation did not have any children, or all of them turned out to be UNMODIFIED, hence do not
351         // replace the metadata node.
352         modification.resolveModificationType(ModificationType.UNMODIFIED);
353         return currentMeta;
354     }
355
356     @Override
357     protected final void checkTouchApplicable(final ModificationPath path, final NodeModification modification,
358             final Optional<? extends TreeNode> current, final Version version) throws DataValidationFailedException {
359         final TreeNode currentNode;
360         if (!current.isPresent()) {
361             currentNode = defaultTreeNode();
362             if (currentNode == null) {
363                 if (!modification.getOriginal().isPresent()) {
364                     final YangInstanceIdentifier id = path.toInstanceIdentifier();
365                     throw new ModifiedNodeDoesNotExistException(id,
366                         String.format("Node %s does not exist. Cannot apply modification to its children.", id));
367                 }
368
369                 throw new ConflictingModificationAppliedException(path.toInstanceIdentifier(),
370                     "Node was deleted by other transaction.");
371             }
372         } else {
373             currentNode = current.get();
374         }
375
376         checkChildPreconditions(path, modification, currentNode, version);
377     }
378
379     /**
380      * Return the default tree node. Default implementation does nothing, but can be overridden to call
381      * {@link #defaultTreeNode(NormalizedNode)}.
382      *
383      * @return Default empty tree node, or null if no default is available
384      */
385     @Nullable TreeNode defaultTreeNode() {
386         // Defaults to no recovery
387         return null;
388     }
389
390     static final TreeNode defaultTreeNode(final NormalizedNode<?, ?> emptyNode) {
391         return TreeNodeFactory.createTreeNode(emptyNode, FAKE_VERSION);
392     }
393
394     @Override
395     protected final void checkMergeApplicable(final ModificationPath path, final NodeModification modification,
396             final Optional<? extends TreeNode> current, final Version version) throws DataValidationFailedException {
397         if (current.isPresent()) {
398             checkChildPreconditions(path, modification, current.get(), version);
399         }
400     }
401
402     /**
403      * Recursively check child preconditions.
404      *
405      * @param path current node path
406      * @param modification current modification
407      * @param current Current data tree node.
408      */
409     private void checkChildPreconditions(final ModificationPath path, final NodeModification modification,
410             final TreeNode current, final Version version) throws DataValidationFailedException {
411         for (final NodeModification childMod : modification.getChildren()) {
412             final PathArgument childId = childMod.getIdentifier();
413             final Optional<? extends TreeNode> childMeta = current.getChild(childId);
414
415             path.push(childId);
416             try {
417                 resolveChildOperation(childId).checkApplicable(path, childMod, childMeta, version);
418             } finally {
419                 path.pop();
420             }
421         }
422     }
423
424     @Override
425     ToStringHelper addToStringAttributes(final ToStringHelper helper) {
426         return helper.add("support", support).add("verifyChildren", verifyChildrenStructure);
427     }
428 }