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