View Javadoc

1   /**
2    * Copyright 2005-2013 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.util;
17  
18  import org.apache.commons.beanutils.NestedNullException;
19  import org.apache.commons.beanutils.PropertyUtils;
20  import org.apache.commons.lang.StringUtils;
21  import org.apache.log4j.Logger;
22  import org.apache.ojb.broker.core.proxy.ProxyHelper;
23  import org.hibernate.collection.PersistentBag;
24  import org.hibernate.proxy.HibernateProxy;
25  import org.kuali.rice.core.api.CoreApiServiceLocator;
26  import org.kuali.rice.core.api.encryption.EncryptionService;
27  import org.kuali.rice.core.api.search.SearchOperator;
28  import org.kuali.rice.core.api.util.cache.CopiedObject;
29  import org.kuali.rice.core.web.format.CollectionFormatter;
30  import org.kuali.rice.core.web.format.FormatException;
31  import org.kuali.rice.core.web.format.Formatter;
32  import org.kuali.rice.krad.bo.BusinessObject;
33  import org.kuali.rice.krad.bo.ExternalizableBusinessObject;
34  import org.kuali.rice.krad.bo.PersistableBusinessObject;
35  import org.kuali.rice.krad.bo.PersistableBusinessObjectExtension;
36  import org.kuali.rice.krad.exception.ClassNotPersistableException;
37  import org.kuali.rice.krad.service.KRADServiceLocator;
38  import org.kuali.rice.krad.service.KRADServiceLocatorWeb;
39  import org.kuali.rice.krad.service.ModuleService;
40  import org.kuali.rice.krad.service.PersistenceStructureService;
41  
42  import javax.persistence.EntityNotFoundException;
43  import java.beans.PropertyDescriptor;
44  import java.io.ByteArrayInputStream;
45  import java.io.ByteArrayOutputStream;
46  import java.io.ObjectInputStream;
47  import java.io.ObjectOutputStream;
48  import java.io.Serializable;
49  import java.lang.reflect.Field;
50  import java.lang.reflect.InvocationTargetException;
51  import java.security.GeneralSecurityException;
52  import java.security.MessageDigest;
53  import java.util.Collection;
54  import java.util.Iterator;
55  import java.util.List;
56  import java.util.Map;
57  
58  /**
59   * Contains various Object, Proxy, and serialization utilities
60   *
61   * @author Kuali Rice Team (rice.collab@kuali.org)
62   */
63  public final class ObjectUtils {
64      private static final Logger LOG = Logger.getLogger(ObjectUtils.class);
65  
66      private ObjectUtils() {
67          throw new UnsupportedOperationException("do not call");
68      }
69  
70      /**
71       * Uses Serialization mechanism to create a deep copy of the given Object. As a special case, deepCopy of null
72       * returns null,
73       * just to make using this method simpler. For a detailed discussion see:
74       * http://www.javaworld.com/javaworld/javatips/jw-javatip76.html
75       *
76       * @param src
77       * @return deep copy of the given Serializable
78       */
79      public static Serializable deepCopy(Serializable src) {
80          CopiedObject co = deepCopyForCaching(src);
81          return co.getContent();
82      }
83  
84      /**
85       * Uses Serialization mechanism to create a deep copy of the given Object, and returns a CacheableObject instance
86       * containing the
87       * deepCopy and its size in bytes. As a special case, deepCopy of null returns a cacheableObject containing null and
88       * a size of
89       * 0, to make using this method simpler. For a detailed discussion see:
90       * http://www.javaworld.com/javaworld/javatips/jw-javatip76.html
91       *
92       * @param src
93       * @return CopiedObject containing a deep copy of the given Serializable and its size in bytes
94       */
95      public static CopiedObject deepCopyForCaching(Serializable src) {
96          CopiedObject co = new CopiedObject();
97  
98          co.setContent(src);
99  
100         return co;
101     }
102 
103     /**
104      * Converts the object to a byte array using the output stream.
105      *
106      * @param object
107      * @return byte array of the object
108      */
109     public static byte[] toByteArray(Object object) throws Exception {
110         ObjectOutputStream oos = null;
111         try {
112             ByteArrayOutputStream bos = new ByteArrayOutputStream(); // A
113             oos = new ObjectOutputStream(bos); // B
114             // serialize and pass the object
115             oos.writeObject(object); // C
116             // oos.flush(); // D
117             return bos.toByteArray();
118         } catch (Exception e) {
119             LOG.warn("Exception in ObjectUtil = " + e);
120             throw (e);
121         } finally {
122             if (oos != null) {
123                 oos.close();
124             }
125         }
126     }
127 
128     /**
129      * reconsitiutes the object that was converted into a byte array by toByteArray
130      *
131      * @param bytes
132      * @return
133      * @throws Exception
134      */
135     public static Object fromByteArray(byte[] bytes) throws Exception {
136         ObjectInputStream ois = null;
137         try {
138             ByteArrayInputStream bis = new ByteArrayInputStream(bytes);
139             ois = new ObjectInputStream(bis);
140             Object obj = ois.readObject();
141             return obj;
142         } catch (Exception e) {
143             LOG.warn("Exception in ObjectUtil = " + e);
144             throw (e);
145         } finally {
146             if (ois != null) {
147                 ois.close();
148             }
149         }
150     }
151 
152     /**
153      * use MD5 to create a one way hash of an object
154      *
155      * @param object
156      * @return
157      */
158     public static String getMD5Hash(Object object) throws Exception {
159         try {
160             MessageDigest md = MessageDigest.getInstance("MD5");
161             md.update(toByteArray(object));
162             return new String(md.digest());
163         } catch (Exception e) {
164             LOG.warn(e);
165             throw e;
166         }
167     }
168 
169     /**
170      * Creates a new instance of a given BusinessObject, copying fields specified in template from the given source BO.
171      * For example,
172      * this can be used to create an AccountChangeDetail based on a particular Account.
173      *
174      * @param template a map defining the relationships between the fields of the newly created BO, and the source BO.
175      * For each K (key), V (value)
176      * entry, the value of property V on the source BO will be assigned to the K property of the newly created BO
177      * @throws NoSuchMethodException
178      * @throws InvocationTargetException
179      * @throws IllegalAccessException
180      * @throws FormatException
181      * @see MaintenanceUtils
182      */
183 
184     public static BusinessObject createHybridBusinessObject(Class businessObjectClass, BusinessObject source,
185             Map<String, String> template) throws FormatException, IllegalAccessException, InvocationTargetException, NoSuchMethodException {
186         BusinessObject obj = null;
187         try {
188             ModuleService moduleService = KRADServiceLocatorWeb.getKualiModuleService().getResponsibleModuleService(
189                     businessObjectClass);
190             if (moduleService != null && moduleService.isExternalizable(businessObjectClass)) {
191                 obj = (BusinessObject) moduleService.createNewObjectFromExternalizableClass(businessObjectClass);
192             } else {
193                 obj = (BusinessObject) businessObjectClass.newInstance();
194             }
195         } catch (Exception e) {
196             throw new RuntimeException("Cannot instantiate " + businessObjectClass.getName(), e);
197         }
198 
199         createHybridBusinessObject(obj, source, template);
200 
201         return obj;
202     }
203 
204     public static void createHybridBusinessObject(BusinessObject businessObject, BusinessObject source,
205             Map<String, String> template) throws FormatException, IllegalAccessException, InvocationTargetException, NoSuchMethodException {
206         for (String name : template.keySet()) {
207             String sourcePropertyName = template.get(name);
208             setObjectProperty(businessObject, name, easyGetPropertyType(source, sourcePropertyName), getPropertyValue(
209                     source, sourcePropertyName));
210         }
211     }
212 
213     /**
214      * This method simply uses PojoPropertyUtilsBean logic to get the Class of a Class property.
215      * This method does not have any of the logic needed to obtain the Class of an element of a Collection specified in
216      * the DataDictionary.
217      *
218      * @param object An instance of the Class of which we're trying to get the property Class.
219      * @param propertyName The name of the property.
220      * @return
221      * @throws IllegalAccessException
222      * @throws NoSuchMethodException
223      * @throws InvocationTargetException
224      */
225     static public Class easyGetPropertyType(Object object,
226             String propertyName) throws IllegalAccessException, NoSuchMethodException, InvocationTargetException {
227 
228         // FIXME (laran) This dependence should be inverted. Instead of having a core class
229         // depend on PojoPropertyUtilsBean, which is in the web layer, the web layer
230         // should depend downward to the core.
231         return PropertyUtils.getPropertyType(object, propertyName);
232 
233     }
234 
235     /**
236      * Returns the type of the property in the object. This implementation is not smart enough to look through a
237      * Collection to get the property type
238      * of an attribute of an element in the collection.
239      * <p/>
240      * NOTE: A patch file attached to https://test.kuali.org/jira/browse/KULRNE-4435 contains a modified version of this
241      * method which IS smart enough
242      * to look through Collections. This patch is currently under review.
243      *
244      * @param object An instance of the Class for which we're trying to get the property type.
245      * @param propertyName The name of the property of the Class the Class of which we're trying to get. Dot notation is
246      * used to separate properties.
247      * TODO: The rules about this dot notation needs to be explained in Confluence using examples.
248      * @param persistenceStructureService Needed to get the type of elements in a Collection from OJB.
249      * @return Object will be null if any parent property for the given property is null.
250      */
251     public static Class getPropertyType(Object object, String propertyName,
252             PersistenceStructureService persistenceStructureService) {
253         if (object == null || propertyName == null) {
254             throw new RuntimeException("Business object and property name can not be null");
255         }
256 
257         Class propertyType = null;
258         try {
259             try {
260                 // Try to simply use the default or simple way of getting the property type.
261                 propertyType = PropertyUtils.getPropertyType(object, propertyName);
262             } catch (IllegalArgumentException ex) {
263                 // swallow the exception, propertyType stays null
264             } catch (NoSuchMethodException nsme) {
265                 // swallow the exception, propertyType stays null
266             }
267 
268             // if the property type as determined from the object is PersistableBusinessObject,
269             // then this must be an extension attribute -- attempt to get the property type from the
270             // persistence structure service
271             if (propertyType != null && propertyType.equals(PersistableBusinessObjectExtension.class)) {
272                 propertyType = persistenceStructureService.getBusinessObjectAttributeClass(ProxyHelper.getRealClass(
273                         object), propertyName);
274             }
275 
276             // If the easy way didn't work ...
277             if (null == propertyType && -1 != propertyName.indexOf('.')) {
278                 if (null == persistenceStructureService) {
279                     LOG.info(
280                             "PropertyType couldn't be determined simply and no PersistenceStructureService was given. If you pass in a PersistenceStructureService I can look in other places to try to determine the type of the property.");
281                 } else {
282                     String prePeriod = StringUtils.substringBefore(propertyName, ".");
283                     String postPeriod = StringUtils.substringAfter(propertyName, ".");
284 
285                     Class prePeriodClass = getPropertyType(object, prePeriod, persistenceStructureService);
286                     Object prePeriodClassInstance = prePeriodClass.newInstance();
287                     propertyType = getPropertyType(prePeriodClassInstance, postPeriod, persistenceStructureService);
288                 }
289 
290             } else if (Collection.class.isAssignableFrom(propertyType)) {
291                 Map<String, Class> map = persistenceStructureService.listCollectionObjectTypes(object.getClass());
292                 propertyType = map.get(propertyName);
293             }
294 
295         } catch (Exception e) {
296             LOG.debug("unable to get property type for " + propertyName + " " + e.getMessage());
297             // continue and return null for propertyType
298         }
299 
300         return propertyType;
301     }
302 
303     /**
304      * Returns the value of the property in the object.
305      *
306      * @param businessObject
307      * @param propertyName
308      * @return Object will be null if any parent property for the given property is null.
309      */
310     public static Object getPropertyValue(Object businessObject, String propertyName) {
311         if (businessObject == null || propertyName == null) {
312             throw new RuntimeException("Business object and property name can not be null");
313         }
314 
315         Object propertyValue = null;
316         try {
317             propertyValue = PropertyUtils.getProperty(businessObject, propertyName);
318         } catch (NestedNullException e) {
319             // continue and return null for propertyValue
320         } catch (IllegalAccessException e1) {
321             LOG.error("error getting property value for  " + businessObject.getClass() + "." + propertyName + " " + e1
322                     .getMessage());
323             throw new RuntimeException(
324                     "error getting property value for  " + businessObject.getClass() + "." + propertyName + " " + e1
325                             .getMessage(), e1);
326         } catch (InvocationTargetException e1) {
327             // continue and return null for propertyValue
328         } catch (NoSuchMethodException e1) {
329             LOG.error("error getting property value for  " + businessObject.getClass() + "." + propertyName + " " + e1
330                     .getMessage());
331             throw new RuntimeException(
332                     "error getting property value for  " + businessObject.getClass() + "." + propertyName + " " + e1
333                             .getMessage(), e1);
334         }
335 
336         return propertyValue;
337     }
338 
339     /**
340      * Gets the property value from the business object, then based on the value
341      * type select a formatter and format the value
342      *
343      * @param businessObject BusinessObject instance that contains the property
344      * @param propertyName Name of property in BusinessObject to get value for
345      * @param formatter Default formatter to use (or null)
346      * @return Formatted property value as String, or empty string if value is null
347      */
348     public static String getFormattedPropertyValue(BusinessObject businessObject, String propertyName,
349             Formatter formatter) {
350         String propValue = KRADConstants.EMPTY_STRING;
351 
352         Object prop = ObjectUtils.getPropertyValue(businessObject, propertyName);
353         if (formatter == null) {
354             propValue = formatPropertyValue(prop);
355         } else {
356             final Object formattedValue = formatter.format(prop);
357             if (formattedValue != null) {
358                 propValue = String.valueOf(formattedValue);
359             }
360         }
361 
362         return propValue;
363     }
364 
365     /**
366      * References the data dictionary to find any registered formatter class then if not found checks for associated
367      * formatter for the
368      * property type. Value is then formatted using the found Formatter
369      *
370      * @param businessObject BusinessObject instance that contains the property
371      * @param propertyName Name of property in BusinessObject to get value for
372      * @return Formatted property value as String, or empty string if value is null
373      */
374     public static String getFormattedPropertyValueUsingDataDictionary(BusinessObject businessObject,
375             String propertyName) {
376         Formatter formatter = getFormatterWithDataDictionary(businessObject, propertyName);
377 
378         return getFormattedPropertyValue(businessObject, propertyName, formatter);
379     }
380 
381     /**
382      * Based on the value type selects a formatter and returns the formatted
383      * value as a string
384      *
385      * @param propertyValue Object value to be formatted
386      * @return formatted value as a String
387      */
388     public static String formatPropertyValue(Object propertyValue) {
389         Object propValue = KRADConstants.EMPTY_STRING;
390 
391         Formatter formatter = null;
392         if (propertyValue != null) {
393             if (propertyValue instanceof Collection) {
394                 formatter = new CollectionFormatter();
395             } else {
396                 formatter = Formatter.getFormatter(propertyValue.getClass());
397             }
398 
399             propValue = formatter != null ? formatter.format(propertyValue) : propertyValue;
400         }
401 
402         return propValue != null ? String.valueOf(propValue) : KRADConstants.EMPTY_STRING;
403     }
404 
405     /**
406      * Sets the property of an object with the given value. Converts using the formatter of the type for the property.
407      * Note: propertyType does not need passed, is found by util method.
408      */
409     public static void setObjectProperty(Object bo, String propertyName,
410             Object propertyValue) throws FormatException, IllegalAccessException, InvocationTargetException, NoSuchMethodException {
411         Class propertyType = easyGetPropertyType(bo, propertyName);
412         setObjectProperty(bo, propertyName, propertyType, propertyValue);
413     }
414 
415     /**
416      * Sets the property of an object with the given value. Converts using the formatter of the given type if one is
417      * found.
418      *
419      * @param bo
420      * @param propertyName
421      * @param propertyType
422      * @param propertyValue
423      * @throws NoSuchMethodException
424      * @throws InvocationTargetException
425      * @throws IllegalAccessException
426      */
427     public static void setObjectProperty(Object bo, String propertyName, Class propertyType,
428             Object propertyValue) throws FormatException, IllegalAccessException, InvocationTargetException, NoSuchMethodException {
429         // reformat propertyValue, if necessary
430         boolean reformat = false;
431         if (propertyType != null) {
432             if (propertyValue != null && propertyType.isAssignableFrom(String.class)) {
433                 // always reformat if the destination is a String
434                 reformat = true;
435             } else if (propertyValue != null && !propertyType.isAssignableFrom(propertyValue.getClass())) {
436                 // otherwise, only reformat if the propertyValue can't be assigned into the property
437                 reformat = true;
438             }
439 
440             // attempting to set boolean fields to null throws an exception, set to false instead
441             if (boolean.class.isAssignableFrom(propertyType) && propertyValue == null) {
442                 propertyValue = false;
443             }
444         }
445 
446         Formatter formatter = getFormatterWithDataDictionary(bo, propertyName);
447         if (reformat && formatter != null) {
448             LOG.debug("reformatting propertyValue using Formatter " + formatter.getClass().getName());
449             propertyValue = formatter.convertFromPresentationFormat(propertyValue);
450         }
451 
452         // set property in the object
453         PropertyUtils.setNestedProperty(bo, propertyName, propertyValue);
454     }
455 
456     /**
457      * Sets the property of an object with the given value. Converts using the given formatter, if it isn't null.
458      *
459      * @param formatter
460      * @param bo
461      * @param propertyName
462      * @param type
463      * @param propertyValue
464      * @throws NoSuchMethodException
465      * @throws InvocationTargetException
466      * @throws IllegalAccessException
467      */
468     public static void setObjectProperty(Formatter formatter, Object bo, String propertyName, Class type,
469             Object propertyValue) throws FormatException, IllegalAccessException, InvocationTargetException, NoSuchMethodException {
470 
471         // convert value using formatter for type
472         if (formatter != null) {
473             propertyValue = formatter.convertFromPresentationFormat(propertyValue);
474         }
475 
476         // KULRICE-8412 Changes so that values passed back through via the URL such as
477         // lookups are decrypted where applicable
478         if (propertyValue instanceof String) {
479             String propVal = (String)propertyValue;
480             if (propVal.endsWith(EncryptionService.ENCRYPTION_POST_PREFIX)) {
481                 EncryptionService es = CoreApiServiceLocator.getEncryptionService();
482                 try {
483                     if(CoreApiServiceLocator.getEncryptionService().isEnabled()) {
484                         propertyValue = (Object) es.decrypt(StringUtils.removeEnd(propVal, EncryptionService.ENCRYPTION_POST_PREFIX));
485                     }
486                 } catch (GeneralSecurityException gse) {
487                     gse.printStackTrace();
488                 }
489             }
490         }
491         // set property in the object
492         PropertyUtils.setNestedProperty(bo, propertyName, propertyValue);
493     }
494 
495     /**
496      * Returns a Formatter instance for the given property name in the given given business object. First
497      * checks if a formatter is defined for the attribute in the data dictionary, is not found then returns
498      * the registered formatter for the property type in Formatter
499      *
500      * @param bo - business object instance with property to get formatter for
501      * @param propertyName - name of property to get formatter for
502      * @return Formatter instance
503      */
504     public static Formatter getFormatterWithDataDictionary(Object bo, String propertyName) {
505         Formatter formatter = null;
506 
507         Class boClass = bo.getClass();
508         String boPropertyName = propertyName;
509 
510         // for collections, formatter should come from property on the collection type
511         if (StringUtils.contains(propertyName, "]")) {
512             Object collectionParent = getNestedValue(bo, StringUtils.substringBeforeLast(propertyName, "].") + "]");
513             if (collectionParent != null) {
514                 boClass = collectionParent.getClass();
515                 boPropertyName = StringUtils.substringAfterLast(propertyName, "].");
516             }
517         }
518 
519         Class<? extends Formatter> formatterClass =
520                 KRADServiceLocatorWeb.getDataDictionaryService().getAttributeFormatter(boClass, boPropertyName);
521         if (formatterClass == null) {
522             try {
523                 formatterClass = Formatter.findFormatter(getPropertyType(boClass.newInstance(), boPropertyName,
524                         KRADServiceLocator.getPersistenceStructureService()));
525             } catch (InstantiationException e) {
526                 LOG.warn("Unable to find a formater for bo class " + boClass + " and property " + boPropertyName);
527                 // just swallow the exception and let formatter be null
528             } catch (IllegalAccessException e) {
529                 LOG.warn("Unable to find a formater for bo class " + boClass + " and property " + boPropertyName);
530                 // just swallow the exception and let formatter be null
531             }
532         }
533 
534         if (formatterClass != null) {
535             try {
536                 formatter = formatterClass.newInstance();
537             } catch (Exception e) {
538                 throw new RuntimeException("cannot create new instance of formatter class " + formatterClass.toString(),
539                         e);
540             }
541         }
542 
543         return formatter;
544     }
545 
546     /**
547      * Recursive; sets all occurences of the property in the object, its nested objects and its object lists with the
548      * given value.
549      *
550      * @param bo
551      * @param propertyName
552      * @param type
553      * @param propertyValue
554      * @throws NoSuchMethodException
555      * @throws InvocationTargetException
556      * @throws IllegalAccessException
557      */
558     public static void setObjectPropertyDeep(Object bo, String propertyName, Class type,
559             Object propertyValue) throws FormatException, IllegalAccessException, InvocationTargetException, NoSuchMethodException {
560 
561         // Base return cases to avoid null pointers & infinite loops
562         if (isNull(bo) || !PropertyUtils.isReadable(bo, propertyName) || (propertyValue != null && propertyValue.equals(
563                 getPropertyValue(bo, propertyName))) || (type != null && !type.equals(easyGetPropertyType(bo,
564                 propertyName)))) {
565             return;
566         }
567 
568         // need to materialize the updateable collections before resetting the property, because it may be used in the retrieval
569         materializeUpdateableCollections(bo);
570 
571         // Set the property in the BO
572         setObjectProperty(bo, propertyName, type, propertyValue);
573 
574         // Now drill down and check nested BOs and BO lists
575         PropertyDescriptor[] propertyDescriptors = PropertyUtils.getPropertyDescriptors(bo.getClass());
576         for (int i = 0; i < propertyDescriptors.length; i++) {
577 
578             PropertyDescriptor propertyDescriptor = propertyDescriptors[i];
579 
580             // Business Objects
581             if (propertyDescriptor.getPropertyType() != null && (BusinessObject.class).isAssignableFrom(
582                     propertyDescriptor.getPropertyType()) && PropertyUtils.isReadable(bo,
583                     propertyDescriptor.getName())) {
584                 Object nestedBo = getPropertyValue(bo, propertyDescriptor.getName());
585                 if (nestedBo instanceof BusinessObject) {
586                     setObjectPropertyDeep((BusinessObject) nestedBo, propertyName, type, propertyValue);
587                 }
588             }
589 
590             // Lists
591             else if (propertyDescriptor.getPropertyType() != null && (List.class).isAssignableFrom(
592                     propertyDescriptor.getPropertyType()) && getPropertyValue(bo, propertyDescriptor.getName())
593                     != null) {
594 
595                 List propertyList = (List) getPropertyValue(bo, propertyDescriptor.getName());
596                 for (Object listedBo : propertyList) {
597                     if (listedBo != null && listedBo instanceof BusinessObject) {
598                         setObjectPropertyDeep(listedBo, propertyName, type, propertyValue);
599                     }
600                 } // end for
601             }
602         } // end for
603     }
604 
605     /*
606     * Recursive up to a given depth; sets all occurences of the property in the object, its nested objects and its object lists with the given value.
607     */
608     public static void setObjectPropertyDeep(Object bo, String propertyName, Class type, Object propertyValue,
609             int depth) throws FormatException, IllegalAccessException, InvocationTargetException, NoSuchMethodException {
610         // Base return cases to avoid null pointers & infinite loops
611         if (depth == 0 || isNull(bo) || !PropertyUtils.isReadable(bo, propertyName)) {
612             return;
613         }
614 
615         // need to materialize the updateable collections before resetting the property, because it may be used in the retrieval
616         try {
617             materializeUpdateableCollections(bo);
618         } catch(ClassNotPersistableException ex){
619             //Not all classes will be persistable in a collection. For e.g. externalizable business objects.
620             LOG.info("Not persistable dataObjectClass: "+bo.getClass().getName()+", field: "+propertyName);
621         }
622 
623     // Set the property in the BO
624         setObjectProperty(bo, propertyName, type, propertyValue);
625 
626         // Now drill down and check nested BOs and BO lists
627         PropertyDescriptor[] propertyDescriptors = PropertyUtils.getPropertyDescriptors(bo.getClass());
628         for (int i = 0; i < propertyDescriptors.length; i++) {
629             PropertyDescriptor propertyDescriptor = propertyDescriptors[i];
630 
631             // Business Objects
632             if (propertyDescriptor.getPropertyType() != null && (BusinessObject.class).isAssignableFrom(
633                     propertyDescriptor.getPropertyType()) && PropertyUtils.isReadable(bo,
634                     propertyDescriptor.getName())) {
635                 Object nestedBo = getPropertyValue(bo, propertyDescriptor.getName());
636                 if (nestedBo instanceof BusinessObject) {
637                     setObjectPropertyDeep((BusinessObject) nestedBo, propertyName, type, propertyValue, depth - 1);
638                 }
639             }
640 
641             // Lists
642             else if (propertyDescriptor.getPropertyType() != null && (List.class).isAssignableFrom(
643                     propertyDescriptor.getPropertyType()) && getPropertyValue(bo, propertyDescriptor.getName())
644                     != null) {
645 
646                 List propertyList = (List) getPropertyValue(bo, propertyDescriptor.getName());
647 
648                 // Complete Hibernate Hack - fetches the proxied List into the PersistenceContext and sets it on the BO Copy.
649                 if (propertyList instanceof PersistentBag) {
650                     try {
651                         PersistentBag bag = (PersistentBag) propertyList;
652                         PersistableBusinessObject pbo =
653                                 (PersistableBusinessObject) KRADServiceLocator.getEntityManagerFactory()
654                                         .createEntityManager().find(bo.getClass(), bag.getKey());
655                         Field field1 = pbo.getClass().getDeclaredField(propertyDescriptor.getName());
656                         Field field2 = bo.getClass().getDeclaredField(propertyDescriptor.getName());
657                         field1.setAccessible(true);
658                         field2.setAccessible(true);
659                         field2.set(bo, field1.get(pbo));
660                         propertyList = (List) getPropertyValue(bo, propertyDescriptor.getName());
661                         ;
662                     } catch (Exception e) {
663                         LOG.error(e.getMessage(), e);
664                     }
665                 }
666                 // End Complete Hibernate Hack
667 
668                 for (Object listedBo : propertyList) {
669                     if (listedBo != null && listedBo instanceof BusinessObject) {
670                         setObjectPropertyDeep(listedBo, propertyName, type, propertyValue, depth - 1);
671                     }
672                 } // end for
673             }
674         } // end for
675     }
676 
677     /**
678      * This method checks for updateable collections on the business object provided and materializes the corresponding
679      * collection proxies
680      *
681      * @param bo The business object for which you want unpdateable, proxied collections materialized
682      * @throws FormatException
683      * @throws IllegalAccessException
684      * @throws InvocationTargetException
685      * @throws NoSuchMethodException
686      */
687     public static void materializeUpdateableCollections(
688             Object bo) throws FormatException, IllegalAccessException, InvocationTargetException, NoSuchMethodException {
689         if (isNotNull(bo)) {
690             PropertyDescriptor[] propertyDescriptors = PropertyUtils.getPropertyDescriptors(bo.getClass());
691             for (int i = 0; i < propertyDescriptors.length; i++) {
692                 if (KRADServiceLocator.getPersistenceStructureService().hasCollection(bo.getClass(),
693                         propertyDescriptors[i].getName()) && KRADServiceLocator.getPersistenceStructureService()
694                         .isCollectionUpdatable(bo.getClass(), propertyDescriptors[i].getName())) {
695                     Collection updateableCollection = (Collection) getPropertyValue(bo,
696                             propertyDescriptors[i].getName());
697                     if ((updateableCollection != null) && ProxyHelper.isCollectionProxy(updateableCollection)) {
698                         materializeObjects(updateableCollection);
699                     }
700                 }
701             }
702         }
703     }
704 
705     /**
706      * Removes all query characters from a string.
707      *
708      * @param string
709      * @return Cleaned string
710      */
711     public static String clean(String string) {
712         for (SearchOperator op : SearchOperator.QUERY_CHARACTERS) {
713             string = StringUtils.replace(string, op.op(), KRADConstants.EMPTY_STRING);
714         }
715         return string;
716     }
717 
718     /**
719      * Compares two {@link PersistableBusinessObject} instances for equality of type and key values.
720      *
721      * @param bo1
722      * @param bo2
723      * @return boolean indicating whether the two objects are equal.
724      */
725     public static boolean equalByKeys(PersistableBusinessObject bo1, PersistableBusinessObject bo2) {
726         boolean equal = true;
727 
728         if (bo1 == null && bo2 == null) {
729             equal = true;
730         } else if (bo1 == null || bo2 == null) {
731             equal = false;
732         } else if (!bo1.getClass().getName().equals(bo2.getClass().getName())) {
733             equal = false;
734         } else {
735             Map bo1Keys = KRADServiceLocator.getPersistenceService().getPrimaryKeyFieldValues(bo1);
736             Map bo2Keys = KRADServiceLocator.getPersistenceService().getPrimaryKeyFieldValues(bo2);
737             for (Iterator iter = bo1Keys.keySet().iterator(); iter.hasNext(); ) {
738                 String keyName = (String) iter.next();
739                 if (bo1Keys.get(keyName) != null && bo2Keys.get(keyName) != null) {
740                     if (!bo1Keys.get(keyName).toString().equals(bo2Keys.get(keyName).toString())) {
741                         equal = false;
742                     }
743                 } else {
744                     equal = false;
745                 }
746             }
747         }
748 
749         return equal;
750     }
751 
752     /**
753      * Compares a business object with a List of {@link PersistableBusinessObject}s to determine if an object with the
754      * same key as the BO exists in the list.
755      *
756      * @param controlList - The list of items to check
757      * @param bo - The BO whose keys we are looking for in the controlList
758      * @return boolean
759      */
760     public static boolean collectionContainsObjectWithIdentitcalKey(
761             Collection<? extends PersistableBusinessObject> controlList, PersistableBusinessObject bo) {
762         boolean objectExistsInList = false;
763 
764         for (Iterator i = controlList.iterator(); i.hasNext(); ) {
765             if (equalByKeys((PersistableBusinessObject) i.next(), bo)) {
766                 return true;
767             }
768         }
769 
770         return objectExistsInList;
771     }
772 
773     /**
774      * Compares a business object with a Collection of {@link PersistableBusinessObject}s to count how many have the
775      * same key as the BO.
776      *
777      * @param collection - The collection of items to check
778      * @param bo - The BO whose keys we are looking for in the collection
779      * @return how many have the same keys
780      */
781     public static int countObjectsWithIdentitcalKey(Collection<? extends PersistableBusinessObject> collection,
782             PersistableBusinessObject bo) {
783         // todo: genericize collectionContainsObjectWithIdentitcalKey() to leverage this method?
784         int n = 0;
785         for (PersistableBusinessObject item : collection) {
786             if (equalByKeys(item, bo)) {
787                 n++;
788             }
789         }
790         return n;
791     }
792 
793     /**
794      * Compares a business object with a List of {@link PersistableBusinessObject}s to determine if an object with the
795      * same key as the BO exists in the list. If it
796      * does, the item is removed from the List. This is functionally similar to List.remove() that operates only on Key
797      * values.
798      *
799      * @param controlList - The list of items to check
800      * @param bo - The BO whose keys we are looking for in the controlList
801      */
802 
803     public static void removeObjectWithIdentitcalKey(Collection<? extends PersistableBusinessObject> controlList,
804             PersistableBusinessObject bo) {
805         for (Iterator<? extends PersistableBusinessObject> i = controlList.iterator(); i.hasNext(); ) {
806             PersistableBusinessObject listBo = i.next();
807             if (equalByKeys(listBo, bo)) {
808                 i.remove();
809             }
810         }
811     }
812 
813     /**
814      * Compares a business object with a List of BOs to determine if an object with the same key as the BO exists in the
815      * list. If it
816      * does, the item is returned.
817      *
818      * @param controlList - The list of items to check
819      * @param bo - The BO whose keys we are looking for in the controlList
820      */
821 
822     public static BusinessObject retrieveObjectWithIdentitcalKey(
823             Collection<? extends PersistableBusinessObject> controlList, PersistableBusinessObject bo) {
824         BusinessObject returnBo = null;
825 
826         for (Iterator<? extends PersistableBusinessObject> i = controlList.iterator(); i.hasNext(); ) {
827             PersistableBusinessObject listBo = i.next();
828             if (equalByKeys(listBo, bo)) {
829                 returnBo = listBo;
830             }
831         }
832 
833         return returnBo;
834     }
835 
836     /**
837      * Determines if a given string could represent a nested attribute of an object.
838      *
839      * @param attributeName
840      * @return true if the attribute is nested
841      */
842     public static boolean isNestedAttribute(String attributeName) {
843         boolean isNested = false;
844 
845         if (StringUtils.contains(attributeName, ".")) {
846             isNested = true;
847         }
848 
849         return isNested;
850     }
851 
852     /**
853      * Returns the prefix of a nested attribute name, or the empty string if the attribute name is not nested.
854      *
855      * @param attributeName
856      * @return everything BEFORE the last "." character in attributeName
857      */
858     public static String getNestedAttributePrefix(String attributeName) {
859         String prefix = "";
860 
861         if (StringUtils.contains(attributeName, ".")) {
862             prefix = StringUtils.substringBeforeLast(attributeName, ".");
863         }
864 
865         return prefix;
866     }
867 
868     /**
869      * Returns the primitive part of an attribute name string.
870      *
871      * @param attributeName
872      * @return everything AFTER the last "." character in attributeName
873      */
874     public static String getNestedAttributePrimitive(String attributeName) {
875         String primitive = attributeName;
876 
877         if (StringUtils.contains(attributeName, ".")) {
878             primitive = StringUtils.substringAfterLast(attributeName, ".");
879         }
880 
881         return primitive;
882     }
883 
884     /**
885      * This method is a OJB Proxy-safe way to test for null on a proxied object that may or may not be materialized yet.
886      * It is safe
887      * to use on a proxy (materialized or non-materialized) or on a non-proxy (ie, regular object). Note that this will
888      * force a
889      * materialization of the proxy if the object is a proxy and unmaterialized.
890      *
891      * @param object - any object, proxied or not, materialized or not
892      * @return true if the object (or underlying materialized object) is null, false otherwise
893      */
894     public static boolean isNull(Object object) {
895 
896         // regardless, if its null, then its null
897         if (object == null) {
898             return true;
899         }
900 
901         // only try to materialize the object to see if its null if this is a
902         // proxy object
903         if (ProxyHelper.isProxy(object) || ProxyHelper.isCollectionProxy(object)) {
904             if (ProxyHelper.getRealObject(object) == null) {
905                 return true;
906             }
907         }
908 
909         // JPA does not provide a way to determine if an object is a proxy, instead we invoke
910         // the equals method and catch an EntityNotFoundException
911         try {
912             object.equals(null);
913         } catch (EntityNotFoundException e) {
914             return true;
915         }
916 
917         return false;
918     }
919 
920     /**
921      * This method is a OJB Proxy-safe way to test for notNull on a proxied object that may or may not be materialized
922      * yet. It is
923      * safe to use on a proxy (materialized or non-materialized) or on a non-proxy (ie, regular object). Note that this
924      * will force a
925      * materialization of the proxy if the object is a proxy and unmaterialized.
926      *
927      * @param object - any object, proxied or not, materialized or not
928      * @return true if the object (or underlying materialized object) is not null, true if its null
929      */
930     public static boolean isNotNull(Object object) {
931         return !ObjectUtils.isNull(object);
932     }
933 
934     /**
935      * Attempts to find the Class for the given potentially proxied object
936      *
937      * @param object the potentially proxied object to find the Class of
938      * @return the best Class which could be found for the given object
939      */
940     public static Class materializeClassForProxiedObject(Object object) {
941         if (object == null) {
942             return null;
943         }
944 
945         if (object instanceof HibernateProxy) {
946             final Class realClass = ((HibernateProxy) object).getHibernateLazyInitializer().getPersistentClass();
947             return realClass;
948         }
949 
950         if (ProxyHelper.isProxy(object) || ProxyHelper.isCollectionProxy(object)) {
951             return ProxyHelper.getRealClass(object);
952         }
953 
954         return object.getClass();
955     }
956 
957     /**
958      * This method runs the ObjectUtils.isNotNull() method for each item in a list of BOs. ObjectUtils.isNotNull() will
959      * materialize
960      * the objects if they are currently OJB proxies.
961      *
962      * @param possiblyProxiedObjects - a Collection of objects that may be proxies
963      */
964     public static void materializeObjects(Collection possiblyProxiedObjects) {
965         for (Iterator i = possiblyProxiedObjects.iterator(); i.hasNext(); ) {
966             ObjectUtils.isNotNull(i.next());
967         }
968     }
969 
970     /**
971      * This method attempts to materialize all of the proxied reference objects (ie, sub-objects) hanging off the
972      * passed-in BO
973      * object. It will do it down to the specified depth. An IllegalArgumentException will be thrown if the bo object
974      * passed in is
975      * itself a non-materialized proxy object. If the bo passed in has no proxied sub-objects, then the object will not
976      * be modified,
977      * and no errors will be thrown. WARNING: Be careful using depth any greater than 2. The number of DB hits, time,
978      * and memory
979      * consumed grows exponentially with each additional increment to depth. Make sure you really need that depth before
980      * doing so.
981      *
982      * @param bo A valid, populated BusinessObject containing (possibly) proxied sub-objects. This object will be
983      * modified in place.
984      * @param depth int Value 0-5 indicating how deep to recurse the materialization. If a zero (0) is passed in, then
985      * no work will
986      * be done.
987      */
988     public static void materializeSubObjectsToDepth(PersistableBusinessObject bo, int depth) {
989         if (bo == null) {
990             throw new IllegalArgumentException("The bo passed in was null.");
991         }
992         if (depth < 0 || depth > 5) {
993             throw new IllegalArgumentException("The depth passed in was out of bounds.  Only values "
994                     + "between 0 and 5, inclusively, are allowed.");
995         }
996 
997         // if depth is zero, then we're done recursing and can just exit
998         if (depth == 0) {
999             return;
1000         }
1001 
1002         // deal with the possibility that the bo passed in (ie, the parent object) is an un-materialized proxy
1003         if (ProxyHelper.isProxy(bo)) {
1004             if (!ProxyHelper.isMaterialized(bo)) {
1005                 throw new IllegalArgumentException("The bo passed in is an un-materialized proxy, and cannot be used.");
1006             }
1007         }
1008 
1009         // get the list of reference objects hanging off the parent BO
1010         if (KRADServiceLocator.getPersistenceStructureService().isPersistable(bo.getClass())) {
1011             Map<String, Class> references =
1012                     KRADServiceLocator.getPersistenceStructureService().listReferenceObjectFields(bo);
1013 
1014             // initialize our in-loop objects
1015             String referenceName = "";
1016             Class referenceClass = null;
1017             Object referenceValue = null;
1018             Object realReferenceValue = null;
1019 
1020             // for each reference object on the parent bo
1021             for (Iterator iter = references.keySet().iterator(); iter.hasNext(); ) {
1022                 referenceName = (String) iter.next();
1023                 referenceClass = references.get(referenceName);
1024 
1025                 // if its a proxy, replace it with a non-proxy
1026                 referenceValue = getPropertyValue(bo, referenceName);
1027                 if (referenceValue != null) {
1028                     if (ProxyHelper.isProxy(referenceValue)) {
1029                         realReferenceValue = ProxyHelper.getRealObject(referenceValue);
1030                         if (realReferenceValue != null) {
1031                             try {
1032                                 setObjectProperty(bo, referenceName, referenceClass, realReferenceValue);
1033                             } catch (FormatException e) {
1034                                 throw new RuntimeException(
1035                                         "FormatException: could not set the property '" + referenceName + "'.", e);
1036                             } catch (IllegalAccessException e) {
1037                                 throw new RuntimeException(
1038                                         "IllegalAccessException: could not set the property '" + referenceName + "'.",
1039                                         e);
1040                             } catch (InvocationTargetException e) {
1041                                 throw new RuntimeException("InvocationTargetException: could not set the property '"
1042                                         + referenceName
1043                                         + "'.", e);
1044                             } catch (NoSuchMethodException e) {
1045                                 throw new RuntimeException(
1046                                         "NoSuchMethodException: could not set the property '" + referenceName + "'.",
1047                                         e);
1048                             }
1049                         }
1050                     }
1051 
1052                     // recurse down through this reference object
1053                     if (realReferenceValue instanceof PersistableBusinessObject && depth > 1) {
1054                         materializeSubObjectsToDepth((PersistableBusinessObject) realReferenceValue, depth - 1);
1055                     }
1056                 }
1057 
1058             }
1059         }
1060     }
1061 
1062     /**
1063      * This method attempts to materialize all of the proxied reference objects (ie, sub-objects) hanging off the
1064      * passed-in BO
1065      * object. It will do it just three levels down. In other words, it will only materialize the objects that are
1066      * direct members of
1067      * the bo, objects that are direct members of those bos, that one more time, and no further down. An
1068      * IllegalArgumentException
1069      * will be thrown if the bo object passed in is itself a non-materialized proxy object. If the bo passed in has no
1070      * proxied
1071      * sub-objects, then the object will not be modified, and no errors will be thrown.
1072      *
1073      * @param bo A valid, populated BusinessObject containing (possibly) proxied sub-objects. This object will be
1074      * modified in place.
1075      */
1076     public static void materializeAllSubObjects(PersistableBusinessObject bo) {
1077         materializeSubObjectsToDepth(bo, 3);
1078     }
1079 
1080     /**
1081      * This method safely extracts either simple values OR nested values. For example, if the bo is SubAccount, and the
1082      * fieldName is
1083      * a21SubAccount.subAccountTypeCode, this thing makes sure it gets the value off the very end attribute, no matter
1084      * how deeply
1085      * nested it is. The code would be slightly simpler if this was done recursively, but this is safer, and consumes a
1086      * constant
1087      * amount of memory, no matter how deeply nested it goes.
1088      *
1089      * @param bo
1090      * @param fieldName
1091      * @return The field value if it exists. If it doesnt, and the name is invalid, and
1092      */
1093     public static Object getNestedValue(Object bo, String fieldName) {
1094 
1095         if (bo == null) {
1096             throw new IllegalArgumentException("The bo passed in was null.");
1097         }
1098         if (StringUtils.isBlank(fieldName)) {
1099             throw new IllegalArgumentException("The fieldName passed in was blank.");
1100         }
1101 
1102         // okay, this section of code is to handle sub-object values, like
1103         // SubAccount.a21SubAccount.subAccountTypeCode. it basically walks
1104         // through the period-delimited list of names, and ends up with the
1105         // final value.
1106         String[] fieldNameParts = fieldName.split("\\.");
1107         Object currentObject = null;
1108         Object priorObject = bo;
1109         for (int i = 0; i < fieldNameParts.length; i++) {
1110             String fieldNamePart = fieldNameParts[i];
1111 
1112             try {
1113                 if (fieldNamePart.indexOf("]") > 0) {
1114                     currentObject = PropertyUtils.getIndexedProperty(priorObject, fieldNamePart);
1115                 } else {
1116                     currentObject = PropertyUtils.getSimpleProperty(priorObject, fieldNamePart);
1117                 }
1118             } catch (IllegalAccessException e) {
1119                 throw new RuntimeException("Caller does not have access to the property accessor method.", e);
1120             } catch (InvocationTargetException e) {
1121                 throw new RuntimeException("Property accessor method threw an exception.", e);
1122             } catch (NoSuchMethodException e) {
1123                 throw new RuntimeException("The accessor method requested for this property cannot be found.", e);
1124             }
1125 
1126             // materialize the proxy, if it is a proxy
1127             if (ProxyHelper.isProxy(currentObject)) {
1128                 currentObject = ProxyHelper.getRealObject(currentObject);
1129             }
1130 
1131             // if a node or the leaf is null, then we're done, there's no need to
1132             // continue accessing null things
1133             if (currentObject == null) {
1134                 return currentObject;
1135             }
1136 
1137             priorObject = currentObject;
1138         }
1139         return currentObject;
1140     }
1141 
1142     /**
1143      * This method safely creates a object from a class
1144      * Convenience method to create new object and throw a runtime exception if it cannot
1145      * If the class is an {@link ExternalizableBusinessObject}, this method will determine the interface for the EBO and
1146      * query the
1147      * appropriate module service to create a new instance.
1148      *
1149      * @param clazz
1150      * @return a newInstance() of clazz
1151      */
1152     public static Object createNewObjectFromClass(Class clazz) {
1153         if (clazz == null) {
1154             throw new RuntimeException("BO class was passed in as null");
1155         }
1156         try {
1157             if (ExternalizableBusinessObject.class.isAssignableFrom(clazz)) {
1158                 Class eboInterface =
1159                         ExternalizableBusinessObjectUtils.determineExternalizableBusinessObjectSubInterface(clazz);
1160                 ModuleService moduleService = KRADServiceLocatorWeb.getKualiModuleService().getResponsibleModuleService(
1161                         eboInterface);
1162                 return moduleService.createNewObjectFromExternalizableClass(eboInterface);
1163             } else {
1164                 return clazz.newInstance();
1165             }
1166         } catch (Exception e) {
1167             throw new RuntimeException("Error occured while trying to create a new instance for class " + clazz, e);
1168         }
1169     }
1170 
1171     /**
1172      * Return whether or not an attribute is writeable. This method is aware that that Collections may be involved and
1173      * handles them
1174      * consistently with the way in which OJB handles specifying the attributes of elements of a Collection.
1175      *
1176      * @param object
1177      * @param property
1178      * @return
1179      * @throws IllegalArgumentException
1180      */
1181     public static boolean isWriteable(Object object, String property,
1182             PersistenceStructureService persistenceStructureService) throws IllegalArgumentException {
1183         if (null == object || null == property) {
1184             throw new IllegalArgumentException("Cannot check writeable status with null arguments.");
1185         }
1186 
1187     	// Try the easy way.
1188     	try {
1189     		if (!(PropertyUtils.isWriteable(object, property))) {
1190     			// If that fails lets try to be a bit smarter, understanding that Collections may be involved.
1191     			return isWriteableHelper(object, property, persistenceStructureService);
1192     		} else {
1193     			return true;
1194     		}
1195     	} catch (NestedNullException nestedNullException) {
1196     		// If a NestedNullException is thrown then the property has a null
1197     		// value.  Call the helper to find the class of the property and
1198     		// get a newInstance of it.
1199     		return isWriteableHelper(object, property, persistenceStructureService);
1200     	}
1201     }
1202 
1203     /**
1204      * This method handles the cases where PropertyUtils.isWriteable is not
1205      * sufficient.  It handles cases where the parameter in question is a
1206      * collection or if the parameter value is null.
1207      * @param object
1208      * @param property
1209      * @param persistenceStructureService
1210      * @return
1211      */
1212     private static boolean isWriteableHelper(Object object, String property, PersistenceStructureService persistenceStructureService) {
1213     	if (property.contains(".")) {
1214             String propertyName = StringUtils.substringBefore(property, ".");
1215 
1216             // Get the type of the attribute.
1217             Class<?> c = ObjectUtils.getPropertyType(object, propertyName, persistenceStructureService);
1218 
1219             if (c != null) {
1220                 Object i = null;
1221 
1222                 // If the next level is a Collection, look into the collection, to find out what type its elements are.
1223                 if (Collection.class.isAssignableFrom(c)) {
1224                     Map<String, Class> m = persistenceStructureService.listCollectionObjectTypes(object.getClass());
1225                     c = m.get(propertyName);
1226                 }
1227 
1228                 // Look into the attribute class to see if it is writeable.
1229                 try {
1230                     i = c.newInstance();
1231                     return isWriteable(i, StringUtils.substringAfter(property, "."), persistenceStructureService);
1232                 } catch (Exception ex) {
1233                     LOG.error("Skipping Criteria: " + property + " - Unable to instantiate class : " + c.getName(), ex);
1234                 }
1235             } else {
1236                 LOG.error("Skipping Criteria: " + property + " - Unable to determine class for object: "
1237                         + object.getClass().getName() + " - " + propertyName);
1238             }
1239         }
1240     	return false;
1241     }
1242 
1243     /**
1244      * Helper method for creating a new instance of the given class
1245      *
1246      * @param clazz - class of object to create
1247      * @return T object of type given by the clazz parameter
1248      */
1249     public static <T> T newInstance(Class<T> clazz) {
1250         T object = null;
1251         try {
1252             object = clazz.newInstance();
1253         } catch (InstantiationException e) {
1254             LOG.error("Unable to create new instance of class: " + clazz.getName());
1255             throw new RuntimeException(e);
1256         } catch (IllegalAccessException e) {
1257             LOG.error("Unable to create new instance of class: " + clazz.getName());
1258             throw new RuntimeException(e);
1259         }
1260 
1261         return object;
1262     }
1263 
1264     /**
1265      * Retrieves all fields including the inherited fields for a given class. The recursion stops if either  Object class is reached
1266      * or if stopAt is reached first.
1267      *
1268      * @param fields  List of fields (public, private and protected)
1269      * @param type   Class from which fields retrieval has to start
1270      * @param stopAt Parent class where the recursion should stop
1271      * @return
1272      */
1273     public static List<Field> getAllFields(List<Field> fields, Class<?> type, Class<?> stopAt) {
1274         for (Field field : type.getDeclaredFields()) {
1275             fields.add(field);
1276         }
1277 
1278         if (type.getSuperclass() != null && !type.getName().equals(stopAt.getName())) {
1279             fields = getAllFields(fields, type.getSuperclass(), stopAt);
1280         }
1281 
1282         return fields;
1283     }
1284 
1285 }