View Javadoc
1   /**
2    * Copyright 2005-2014 The Kuali Foundation
3    *
4    * Licensed under the Educational Community License, Version 2.0 (the "License");
5    * you may not use this file except in compliance with the License.
6    * You may obtain a copy of the License at
7    *
8    * http://www.opensource.org/licenses/ecl2.php
9    *
10   * Unless required by applicable law or agreed to in writing, software
11   * distributed under the License is distributed on an "AS IS" BASIS,
12   * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13   * See the License for the specific language governing permissions and
14   * limitations under the License.
15   */
16  package org.kuali.rice.krad.data.provider.util;
17  
18  import com.google.common.collect.Sets;
19  import org.apache.commons.collections.CollectionUtils;
20  import org.apache.commons.lang.ArrayUtils;
21  import org.apache.commons.lang.StringUtils;
22  import org.apache.commons.lang3.reflect.FieldUtils;
23  import org.kuali.rice.krad.data.DataObjectService;
24  import org.kuali.rice.krad.data.DataObjectWrapper;
25  import org.kuali.rice.krad.data.link.Link;
26  import org.kuali.rice.krad.data.metadata.DataObjectAttributeRelationship;
27  import org.kuali.rice.krad.data.metadata.DataObjectCollection;
28  import org.kuali.rice.krad.data.metadata.DataObjectMetadata;
29  import org.kuali.rice.krad.data.metadata.DataObjectRelationship;
30  import org.kuali.rice.krad.data.metadata.MetadataChild;
31  import org.slf4j.Logger;
32  import org.slf4j.LoggerFactory;
33  import org.springframework.beans.PropertyAccessor;
34  import org.springframework.beans.PropertyAccessorUtils;
35  import org.springframework.core.annotation.AnnotationUtils;
36  
37  import java.lang.reflect.Field;
38  import java.util.ArrayList;
39  import java.util.Arrays;
40  import java.util.HashMap;
41  import java.util.HashSet;
42  import java.util.List;
43  import java.util.Map;
44  import java.util.Set;
45  
46  /**
47   * The ReferenceLinker provides functionality that allows for ensuring that relationships and foreign key state are
48   * populated and kept in sync as changes are made to a data object.
49   *
50   * <p>This may include fetching relationships as keys are changed that would necessitate updating the object graph, and
51   * may also ensure that foreign key values are kept in sync in situations where a data object may have more than one
52   * field or object that stores the same foreign key.</p>
53   *
54   * <p>This class has a single method {@link #linkChanges(Object, java.util.Set)} which takes a data object and a list
55   * of property paths for fields which have been modified. It then uses this information determine how to link up
56   * relationships and foreign key fields, recursing through the object graph as needed.</p>
57   *
58   * <p>Linking occurs from the bottom up, such that this class will attempt to perform a post-order traversal to visit
59   * the modified objects furthest from the root first, and then backtracking and linking back to the root. The linking
60   * algorithm handles circular references as well to ensure that the linking process terminates successfully.</p>
61   *
62   * <p>The ReferenceLinker requires access to the {@link DataObjectService} so it must be injected using the
63   * provided {@link #setDataObjectService(org.kuali.rice.krad.data.DataObjectService)} method.</p>
64   *
65   * @author Kuali Rice Team (rice.collab@kuali.org)
66   */
67  public class ReferenceLinker {
68  
69      private static final Logger LOG = LoggerFactory.getLogger(ReferenceLinker.class);
70  
71      private DataObjectService dataObjectService;
72  
73      /**
74       * Returns the DataObjectService used by this class
75       *
76       * @return the DataObjectService used by this class
77       */
78      public DataObjectService getDataObjectService() {
79          return dataObjectService;
80      }
81  
82      /**
83       * Specify the DataObjectService to be used during linking.
84       *
85       * <p>The linker will use the DataObjectService to fetch relationships and query metadata.</p>
86       *
87       * @param dataObjectService the DataObjectService to inject
88       */
89      public void setDataObjectService(DataObjectService dataObjectService) {
90          this.dataObjectService = dataObjectService;
91      }
92  
93      /**
94       * Performs linking of references and keys for the given root object based on the given set of changed property
95       * paths that should be considered during the linking process.
96       *
97       * <p>The root object should be non-null and also a valid data object (such that
98       * {@link DataObjectService#supports(Class)} returns true for it). If neither of these conditions is true, this
99       * method will return immediately.</p>
100      *
101      * <p>See class-level documentation for specifics on how the linking algorithm functions.</p>
102      *
103      * @param rootObject the root object from which to perform the linking
104      * @param changedPropertyPaths the set of property paths relative to the root object that should be considered
105      * modified by the linking algorithm
106      */
107     public void linkChanges(Object rootObject, Set<String> changedPropertyPaths) {
108         if (rootObject == null || CollectionUtils.isEmpty(changedPropertyPaths)) {
109             return;
110         }
111         Class<?> type = rootObject.getClass();
112         if (!dataObjectService.supports(type)) {
113             LOG.info("Object supplied for linking is not a supported data object type: " + type);
114             return;
115         }
116         if (LOG.isInfoEnabled()) {
117             LOG.info("Performing linking on instance of " + type + " with the following changed property paths: " +
118                     Arrays.toString(changedPropertyPaths.toArray()));
119         }
120         Map<String, Set<String>> decomposedPaths = decomposePropertyPaths(changedPropertyPaths);
121         linkChangesInternal(rootObject, decomposedPaths, new HashSet<Object>());
122     }
123 
124     /**
125      * Internal implementation of link changes which is implemented to support recursion through the object graph.
126      *
127      * @param object the object from which to link
128      * @param changedPropertyPaths a decomposed property path map where the key of the map is a direct property path
129      * relative to the given object and the values are the remainder of the path relative to the parent path, see
130      * {@link #decomposePropertyPaths(java.util.Set)}
131      * @param linked a set containing objects which have already been linked, used to prevent infinite recursion due to
132      * circular references
133      */
134     protected void linkChangesInternal(Object object, Map<String, Set<String>> changedPropertyPaths,
135             Set<Object> linked) {
136         if (object == null || linked.contains(object) || !dataObjectService.supports(object.getClass()) ||
137                 changedPropertyPaths.isEmpty()) {
138             return;
139         }
140         linked.add(object);
141         DataObjectWrapper<?> wrapped = dataObjectService.wrap(object);
142 
143         // execute the linking
144         linkRelationshipChanges(wrapped, changedPropertyPaths, linked);
145         linkCollectionChanges(wrapped, changedPropertyPaths, linked);
146         cascadeLinkingAnnotations(wrapped, changedPropertyPaths, linked);
147     }
148 
149     /**
150      * Link changes for relationships on the given wrapped data object.
151      *
152      * @param wrapped the wrapped data object
153      * @param decomposedPaths the decomposed map of changed property paths
154      * @param linked a set containing objects which have already been linked
155      */
156     protected void linkRelationshipChanges(DataObjectWrapper<?> wrapped, Map<String, Set<String>> decomposedPaths,
157             Set<Object> linked) {
158         List<DataObjectRelationship> relationships = wrapped.getMetadata().getRelationships();
159         for (DataObjectRelationship relationship : relationships) {
160             String relationshipName = relationship.getName();
161 
162             // let's get the current value and recurse down if it's a relationship that is cascaded on save
163             if (relationship.isSavedWithParent() && decomposedPaths.containsKey(relationshipName)) {
164                 Object value = wrapped.getPropertyValue(relationshipName);
165                 Map<String, Set<String>> nextPropertyPaths =
166                         decomposePropertyPaths(decomposedPaths.get(relationshipName));
167                 linkChangesInternal(value, nextPropertyPaths, linked);
168             }
169 
170             // once we have linked from the bottom up,
171             // let's check if any FK attribute modifications have occurred for this relationship
172             List<DataObjectAttributeRelationship> attributeRelationships = relationship.getAttributeRelationships();
173             boolean modifiedAttributeRelationship = false;
174             for (DataObjectAttributeRelationship attributeRelationship : attributeRelationships) {
175                 if (decomposedPaths.containsKey(attributeRelationship.getParentAttributeName())) {
176                     modifiedAttributeRelationship = true;
177                     break;
178                 }
179             }
180             if (modifiedAttributeRelationship) {
181                 // use FK attributes and nullify dangling relationship
182                 wrapped.fetchRelationship(relationshipName, true, true);
183             } else if (decomposedPaths.containsKey(relationshipName)) {
184                 // check if any portion of the primary key has been modified
185                 Class<?> targetType = relationship.getRelatedType();
186                 DataObjectMetadata targetMetadata =
187                         dataObjectService.getMetadataRepository().getMetadata(targetType);
188                 Set<String> modifiedPropertyPaths = decomposedPaths.get(relationshipName);
189                 if (isPrimaryKeyModified(targetMetadata, modifiedPropertyPaths)) {
190                     // if the primary key is modified, fetch and replace the related object
191                     // this will also copy FK values back to the parent object if it has FK values
192                     wrapped.fetchRelationship(relationshipName, false, false);
193                 } else {
194                     // otherwise, we still want to backward copy keys on the relationship, since this relationship has
195                     // been explicity included in the set of changes, we pass false for onlyLinkReadyOnly because we
196                     // don't care if the FK field is read only or not, we want to copy back the value regardless
197                     wrapped.linkForeignKeys(relationshipName, false);
198                 }
199             }
200         }
201     }
202 
203     /**
204      * Link changes for collections on the given wrapped data object.
205      *
206      * @param wrapped the wrapped data object
207      * @param decomposedPaths the decomposed map of changed property paths
208      * @param linked a set containing objects which have already been linked
209      */
210     protected void linkCollectionChanges(DataObjectWrapper<?> wrapped, Map<String, Set<String>> decomposedPaths,
211             Set<Object> linked) {
212         List<DataObjectCollection> collections = wrapped.getMetadata().getCollections();
213         for (DataObjectCollection collectionMetadata : collections) {
214             // We only process collections if they are being saved with the parent
215             if (collectionMetadata.isSavedWithParent()) {
216                 Set<Integer> modifiedIndicies = extractModifiedIndicies(collectionMetadata, decomposedPaths);
217                 if (!modifiedIndicies.isEmpty()) {
218                     Object collectionValue = wrapped.getPropertyValue(collectionMetadata.getName());
219                     if (collectionValue instanceof Iterable<?>) {
220                         int index = 0;
221                         // loop over all elements in the collection
222                         for (Object element : (Iterable<?>)collectionValue) {
223                             // check if index is modified, or we use MAX_VALUE to indicate a modification to the
224                             // collection itself
225                             if (modifiedIndicies.contains(Integer.valueOf(Integer.MAX_VALUE)) ||
226                                     modifiedIndicies.contains(Integer.valueOf(index))) {
227                                 // recurse down and link the collection element
228                                 String pathKey = collectionMetadata.getName() + "[" + index + "]";
229                                 if (decomposedPaths.containsKey(pathKey)) {
230                                     Map<String, Set<String>> nextPropertyPaths =
231                                             decomposePropertyPaths(decomposedPaths.get(pathKey));
232                                     linkChangesInternal(element, nextPropertyPaths, linked);
233                                 }
234                                 if (dataObjectService.supports(element.getClass())) {
235                                     DataObjectWrapper<?> elementWrapper = dataObjectService.wrap(element);
236                                     linkBiDirectionalCollection(wrapped, elementWrapper, collectionMetadata);
237                                 }
238                             }
239                             index++;
240                         }
241                     }
242                 }
243             }
244         }
245     }
246 
247     /**
248      * Performs bi-directional collection linking, ensuring that for bi-directional collection relationships that both
249      * sides of the relationship are properly populated.
250      */
251     protected void linkBiDirectionalCollection(DataObjectWrapper<?> parentWrapper,
252             DataObjectWrapper<?> elementWrapper, DataObjectCollection collectionMetadata) {
253         MetadataChild inverseRelationship = collectionMetadata.getInverseRelationship();
254         if (inverseRelationship != null) {
255             // if there is an inverse relationship, make sure the element is the collection is pointing back to it's parent
256             elementWrapper.setPropertyValue(inverseRelationship.getName(), parentWrapper.getWrappedInstance());
257             // if there is a foreign key value to link, then link it, not that we pass false here, since we just set
258             // our reference to the relationship, we know that we want to copy the key back
259             elementWrapper.linkForeignKeys(inverseRelationship.getName(), false);
260         }
261     }
262 
263     /**
264      * Returns a set of indexes which have been modified in the given collection. If the returned set contains
265      * {@link java.lang.Integer#MAX_VALUE} then it means that it should be treated as if all items in the collection
266      * have been modified.
267      */
268     private Set<Integer> extractModifiedIndicies(DataObjectCollection collectionMetadata,
269             Map<String, Set<String>> decomposedPaths) {
270         String relationshipName = collectionMetadata.getName();
271         Set<Integer> modifiedIndicies = Sets.newHashSet();
272         // if it contains *exactly* the collection relationship name, then indicate that all items modified
273         if (decomposedPaths.containsKey(relationshipName)) {
274             modifiedIndicies.add(Integer.valueOf(Integer.MAX_VALUE));
275         }
276         for (String propertyName : decomposedPaths.keySet()) {
277             if (relationshipName.equals(PropertyAccessorUtils.getPropertyName(relationshipName))) {
278                 Integer index = extractIndex(propertyName);
279                 if (index != null) {
280                     modifiedIndicies.add(index);
281                 }
282             }
283         }
284         return modifiedIndicies;
285     }
286 
287     private Integer extractIndex(String propertyName) {
288         int firstIndex = propertyName.indexOf(PropertyAccessor.PROPERTY_KEY_PREFIX_CHAR);
289         int lastIndex = propertyName.lastIndexOf(PropertyAccessor.PROPERTY_KEY_SUFFIX_CHAR);
290         if (firstIndex != -1 && lastIndex != -1) {
291             String indexValue = propertyName.substring(firstIndex + 1, lastIndex);
292             try {
293                 int index = Integer.parseInt(indexValue);
294                 return Integer.valueOf(index);
295             } catch (NumberFormatException e) {
296                 // if we encounter this then it wasn't really an index, ignore
297             }
298         }
299         return null;
300     }
301 
302     protected boolean isPrimaryKeyModified(DataObjectMetadata metadata, Set<String> modifiedPropertyPaths) {
303         Set<String> primaryKeyAttributeNames = new HashSet<String>(metadata.getPrimaryKeyAttributeNames());
304         for (String modifiedPropertyPath : modifiedPropertyPaths) {
305             if (primaryKeyAttributeNames.contains(modifiedPropertyPath)) {
306                 return true;
307             }
308         }
309         return false;
310     }
311 
312     protected void cascadeLinkingAnnotations(DataObjectWrapper<?> wrapped, Map<String, Set<String>> decomposedPaths,
313             Set<Object> linked) {
314         Field[] fields = FieldUtils.getAllFields(wrapped.getWrappedClass());
315         Map<String, Field> modifiedFieldMap = new HashMap<String, Field>();
316         for (Field field : fields) {
317             if (decomposedPaths.containsKey(field.getName())) {
318                 modifiedFieldMap.put(field.getName(), field);
319             }
320         }
321         for (String modifiedFieldName : modifiedFieldMap.keySet()) {
322             Field modifiedField = modifiedFieldMap.get(modifiedFieldName);
323             Link link = modifiedField.getAnnotation(Link.class);
324             if (link == null) {
325                 // check if they have an @Link on the class itself
326                 link = AnnotationUtils.findAnnotation(modifiedField.getType(), Link.class);
327             }
328             if (link != null && link.cascade()) {
329                 List<String> linkingPaths = assembleLinkingPaths(link);
330                 for (String linkingPath : linkingPaths) {
331                     Map<String, Set<String>> decomposedLinkingPath =
332                             decomposePropertyPaths(decomposedPaths.get(modifiedFieldName), linkingPath);
333                     String valuePath = modifiedFieldName;
334                     if (StringUtils.isNotBlank(linkingPath)) {
335                         valuePath = valuePath + "." + link.path();
336                     }
337                     Object linkRootObject = wrapped.getPropertyValueNullSafe(valuePath);
338                     linkChangesInternal(linkRootObject, decomposedLinkingPath, linked);
339                 }
340             }
341         }
342     }
343 
344     protected List<String> assembleLinkingPaths(Link link) {
345         List<String> linkingPaths = new ArrayList<String>();
346         if (ArrayUtils.isEmpty(link.path())) {
347             linkingPaths.add("");
348         } else {
349             for (String path : link.path()) {
350                 linkingPaths.add(path);
351             }
352         }
353         return linkingPaths;
354     }
355 
356     protected Map<String, Set<String>> decomposePropertyPaths(Set<String> changedPropertyPaths) {
357         return decomposePropertyPaths(changedPropertyPaths, "");
358     }
359 
360     protected Map<String, Set<String>> decomposePropertyPaths(Set<String> changedPropertyPaths, String prefix) {
361         // strip the prefix off any changed properties
362         Set<String> processedProperties = new HashSet<String>();
363         if (StringUtils.isNotBlank(prefix) && changedPropertyPaths != null) {
364             for (String changedPropertyPath : changedPropertyPaths) {
365                 if (changedPropertyPath.startsWith(prefix)) {
366                     processedProperties.add(changedPropertyPath.substring(prefix.length() + 1));
367                 }
368             }
369         } else {
370             processedProperties = changedPropertyPaths;
371         }
372         Map<String, Set<String>> decomposedPropertyPaths = new HashMap<String, Set<String>>();
373         for (String changedPropertyPath : processedProperties) {
374             int index = PropertyAccessorUtils.getFirstNestedPropertySeparatorIndex(changedPropertyPath);
375             if (index == -1) {
376                 decomposedPropertyPaths.put(changedPropertyPath, new HashSet<String>());
377             } else {
378                 String pathEntry = changedPropertyPath.substring(0, index);
379                 Set<String> remainingPaths = decomposedPropertyPaths.get(pathEntry);
380                 if (remainingPaths == null) {
381                     remainingPaths = new HashSet<String>();
382                     decomposedPropertyPaths.put(pathEntry, remainingPaths);
383                 }
384                 String remainingPath = changedPropertyPath.substring(index + 1);
385                 remainingPaths.add(remainingPath);
386             }
387         }
388         return decomposedPropertyPaths;
389     }
390 
391 }