View Javadoc
1   /**
2    * Copyright 2005-2014 The Kuali Foundation
3    *
4    * Licensed under the Educational Community License, Version 2.0 (the "License");
5    * you may not use this file except in compliance with the License.
6    * You may obtain a copy of the License at
7    *
8    * http://www.opensource.org/licenses/ecl2.php
9    *
10   * Unless required by applicable law or agreed to in writing, software
11   * distributed under the License is distributed on an "AS IS" BASIS,
12   * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13   * See the License for the specific language governing permissions and
14   * limitations under the License.
15   */
16  package org.kuali.rice.krad.uif.util;
17  
18  import java.beans.BeanInfo;
19  import java.beans.IntrospectionException;
20  import java.beans.Introspector;
21  import java.beans.PropertyDescriptor;
22  import java.beans.PropertyEditorManager;
23  import java.lang.annotation.Annotation;
24  import java.lang.reflect.Field;
25  import java.lang.reflect.Method;
26  import java.lang.reflect.ParameterizedType;
27  import java.lang.reflect.Type;
28  import java.lang.reflect.WildcardType;
29  import java.util.ArrayList;
30  import java.util.Collection;
31  import java.util.Collections;
32  import java.util.LinkedHashMap;
33  import java.util.LinkedHashSet;
34  import java.util.LinkedList;
35  import java.util.List;
36  import java.util.Map;
37  import java.util.Map.Entry;
38  import java.util.Queue;
39  import java.util.Set;
40  import java.util.WeakHashMap;
41  import java.util.regex.Matcher;
42  import java.util.regex.Pattern;
43  
44  import org.apache.commons.lang.StringUtils;
45  import org.apache.log4j.Logger;
46  import org.kuali.rice.krad.uif.util.ObjectPathExpressionParser.PathEntry;
47  
48  /**
49   * Utility methods to get/set property values and working with objects.
50   * 
51   * @author Kuali Rice Team (rice.collab@kuali.org)
52   */
53  public final class ObjectPropertyUtils {
54  
55      private static final Logger LOG = Logger.getLogger(ObjectPropertyUtils.class);
56  
57      /**
58       * Internal metadata cache.
59       * 
60       * <p>
61       * NOTE: WeakHashMap is used as the internal cache representation. Since class objects are used
62       * as the keys, this allows property descriptors to stay in cache until the class loader is
63       * unloaded, but will not prevent the class loader itself from unloading. PropertyDescriptor
64       * instances do not hold hard references back to the classes they refer to, so weak value
65       * maintenance is not necessary.
66       * </p>
67       */
68      private static final Map<Class<?>, ObjectPropertyMetadata> METADATA_CACHE = Collections
69              .synchronizedMap(new WeakHashMap<Class<?>, ObjectPropertyMetadata>(2048));
70  
71      /**
72       * Get a mapping of property descriptors by property name for a bean class.
73       * 
74       * @param beanClass The bean class.
75       * @return A mapping of all property descriptors for the bean class, by property name.
76       */
77      public static Map<String, PropertyDescriptor> getPropertyDescriptors(Class<?> beanClass) {
78          return getMetadata(beanClass).propertyDescriptors;
79      }
80  
81      /**
82       * Get a property descriptor from a class by property name.
83       * 
84       * @param beanClass The bean class.
85       * @param propertyName The bean property name.
86       * @return The property descriptor named on the bean class.
87       */
88      public static PropertyDescriptor getPropertyDescriptor(Class<?> beanClass, String propertyName) {
89          if (propertyName == null) {
90              throw new IllegalArgumentException("Null property name");
91          }
92  
93          PropertyDescriptor propertyDescriptor = getPropertyDescriptors(beanClass).get(propertyName);
94          if (propertyDescriptor != null) {
95              return propertyDescriptor;
96          } else {
97              throw new IllegalArgumentException("Property " + propertyName
98                      + " not found for bean " + beanClass);
99          }
100     }
101 
102     /**
103      * Gets the names of all readable properties for the bean class.
104      * 
105      * @param beanClass The bean class.
106      * @return set of property names
107      */
108     public static Set<String> getReadablePropertyNames(Class<?> beanClass) {
109         return getMetadata(beanClass).readMethods.keySet();
110     }
111 
112     /**
113      * Get the read method for a specific property on a bean class.
114      * 
115      * @param beanClass The bean class.
116      * @param propertyName The property name.
117      * @return The read method for the property.
118      */
119     public static Method getReadMethod(Class<?> beanClass, String propertyName) {
120         return getMetadata(beanClass).readMethods.get(propertyName);
121     }
122 
123     /**
124      * Get the read method for a specific property on a bean class.
125      * 
126      * @param beanClass The bean class.
127      * @param propertyName The property name.
128      * @return The read method for the property.
129      */
130     public static Method getWriteMethod(Class<?> beanClass, String propertyName) {
131         return getMetadata(beanClass).writeMethods.get(propertyName);
132     }
133 
134     /**
135      * Copy properties from a string map to an object.
136      * 
137      * @param properties The string map. The keys of this map must be valid property path
138      *        expressions in the context of the target object. The values are the string
139      *        representations of the target bean properties.
140      * @param object The target object, to copy the property values to.
141      * @see ObjectPathExpressionParser
142      */
143     public static void copyPropertiesToObject(Map<String, String> properties, Object object) {
144         for (Map.Entry<String, String> property : properties.entrySet()) {
145             setPropertyValue(object, property.getKey(), property.getValue());
146         }
147     }
148 
149     /**
150      * Get the type of a bean property.
151      * 
152      * <p>
153      * Note that this method does not instantiate the bean class before performing introspection, so
154      * will not dynamic initialization behavior into account. When dynamic initialization is needed
155      * to accurate inspect the inferred property type, use {@link #getPropertyType(Object, String)}
156      * instead of this method. This method is, however, intended for use on the implementation
157      * class; to avoid instantiation simply to infer the property type, consider overriding the
158      * return type on the property read method.
159      * </p>
160      * 
161      * @param beanClass The bean class.
162      * @param propertyPath A valid property path expression in the context of the bean class.
163      * @return The property type referred to by the provided bean class and property path.
164      * @see ObjectPathExpressionParser
165      */
166     public static Class<?> getPropertyType(Class<?> beanClass, String propertyPath) {
167         try {
168             ObjectPropertyReference.setWarning(true);
169             return ObjectPropertyReference.resolvePath(null, beanClass, propertyPath, false).getPropertyType();
170         } finally {
171             ObjectPropertyReference.setWarning(false);
172         }
173     }
174 
175     /**
176      * Get the type of a bean property.
177      * 
178      * @param object The bean instance. Use {@link #getPropertyType(Class, String)} to look up
179      *        property types when an instance is not available.
180      * @param propertyPath A valid property path expression in the context of the bean.
181      * @return The property type referred to by the provided bean and property path.
182      * @see ObjectPathExpressionParser
183      */
184     public static Class<?> getPropertyType(Object object, String propertyPath) {
185         try {
186             ObjectPropertyReference.setWarning(true);
187             return ObjectPropertyReference.resolvePath(object, object.getClass(), propertyPath, false)
188                     .getPropertyType();
189         } finally {
190             ObjectPropertyReference.setWarning(false);
191         }
192     }
193 
194     /**
195      * Gets the property names by property type, based on the read methods.
196      * 
197      * @param bean The bean.
198      * @param propertyType The return type of the read method on the property.
199      * @return list of property names
200      */
201     public static Set<String> getReadablePropertyNamesByType(
202             Object bean, Class<?> propertyType) {
203         return getReadablePropertyNamesByType(bean.getClass(), propertyType);
204     }
205 
206     /**
207      * Gets the property names by property type, based on the read methods.
208      * 
209      * @param beanClass The bean class.
210      * @param propertyType The return type of the read method on the property.
211      * @return list of property names
212      */
213     public static Set<String> getReadablePropertyNamesByType(
214             Class<?> beanClass, Class<?> propertyType) {
215         return getMetadata(beanClass).getReadablePropertyNamesByType(propertyType);
216     }
217 
218     /**
219      * Gets the property names by annotation type, based on the read methods.
220      * 
221      * @param bean The bean.
222      * @param annotationType The type of an annotation on the return type.
223      * @return list of property names
224      */
225     public static Set<String> getReadablePropertyNamesByAnnotationType(
226             Object bean, Class<? extends Annotation> annotationType) {
227         return getReadablePropertyNamesByAnnotationType(bean.getClass(), annotationType);
228     }
229 
230     /**
231      * Gets the property names by annotation type, based on the read methods.
232      * 
233      * @param beanClass The bean class.
234      * @param annotationType The type of an annotation on the return type.
235      * @return list of property names
236      */
237     public static Set<String> getReadablePropertyNamesByAnnotationType(
238             Class<?> beanClass, Class<? extends Annotation> annotationType) {
239         return getMetadata(beanClass).getReadablePropertyNamesByAnnotationType(annotationType);
240     }
241 
242     /**
243      * Gets the property names by collection type, based on the read methods.
244      * 
245      * @param bean The bean.
246      * @param collectionType The type of elements in a collection or array.
247      * @return list of property names
248      */
249     public static Set<String> getReadablePropertyNamesByCollectionType(
250             Object bean, Class<?> collectionType) {
251         return getReadablePropertyNamesByCollectionType(bean.getClass(), collectionType);
252     }
253 
254     /**
255      * Gets the property names by collection type, based on the read methods.
256      * 
257      * @param beanClass The bean class.
258      * @param collectionType The type of elements in a collection or array.
259      * @return list of property names
260      */
261     public static Set<String> getReadablePropertyNamesByCollectionType(
262             Class<?> beanClass, Class<?> collectionType) {
263         return getMetadata(beanClass).getReadablePropertyNamesByCollectionType(collectionType);
264     }
265 
266     /**
267      * Look up a property value.
268      * 
269      * @param <T> property type
270      * @param object The bean instance to look up a property value for.
271      * @param propertyPath A valid property path expression in the context of the bean.
272      * @return The value of the property referred to by the provided bean and property path.
273      * @see ObjectPathExpressionParser
274      */
275     @SuppressWarnings("unchecked")
276     public static <T extends Object> T getPropertyValue(Object object, String propertyPath) {
277         boolean trace = ProcessLogger.isTraceActive() && object != null; 
278         if (trace) {
279             // May be uncommented for debugging high execution count
280             // ProcessLogger.ntrace(object.getClass().getSimpleName() + ":r:" + propertyPath, "", 1000);
281             ProcessLogger.countBegin("bean-property-read");
282         }
283 
284         try {
285             ObjectPropertyReference.setWarning(true);
286 
287             return (T) ObjectPropertyReference.resolvePath(object, object.getClass(), propertyPath, false).get();
288 
289         } catch (RuntimeException e) {
290             throw new IllegalArgumentException("Error getting property '" + propertyPath + "' from " + object, e);
291         } finally {
292             ObjectPropertyReference.setWarning(false);
293             if (trace) {
294                 ProcessLogger.countEnd("bean-property-read", object.getClass().getSimpleName() + ":" + propertyPath);
295             }
296         }
297 
298     }
299 
300     /**
301      * Initialize a property value.
302      * 
303      * <p>
304      * Upon returning from this method, the property referred to by the provided bean and property
305      * path will have been initialized with a default instance of the indicated property type.
306      * </p>
307      * 
308      * @param object The bean instance to initialize a property value for.
309      * @param propertyPath A valid property path expression in the context of the bean.
310      * @see #getPropertyType(Object, String)
311      * @see #setPropertyValue(Object, String, Object)
312      * @see ObjectPathExpressionParser
313      */
314     public static void initializeProperty(Object object, String propertyPath) {
315         Class<?> propertyType = getPropertyType(object, propertyPath);
316         try {
317             setPropertyValue(object, propertyPath, propertyType.newInstance());
318         } catch (InstantiationException e) {
319             // just set the value to null
320             setPropertyValue(object, propertyPath, null);
321         } catch (IllegalAccessException e) {
322             throw new IllegalArgumentException("Unable to set new instance for property: " + propertyPath, e);
323         }
324     }
325 
326     /**
327      * Modify a property value.
328      * 
329      * <p>
330      * Upon returning from this method, the property referred to by the provided bean and property
331      * path will have been populated with property value provided. If the propertyValue does not
332      * match the type of the indicated property, then type conversion will be attempted using
333      * {@link PropertyEditorManager}.
334      * </p>
335      * 
336      * @param object The bean instance to initialize a property value for.
337      * @param propertyPath A valid property path expression in the context of the bean.
338      * @param propertyValue The value to populate value in the property referred to by the provided
339      *        bean and property path.
340      * @see ObjectPathExpressionParser
341      * @throws RuntimeException If the property path is not valid in the context of the bean
342      *         provided.
343      */
344     public static void setPropertyValue(Object object, String propertyPath, Object propertyValue) {
345         if (ProcessLogger.isTraceActive() && object != null) {
346             // May be uncommented for debugging high execution count
347             // ProcessLogger.ntrace(object.getClass().getSimpleName() + ":w:" + propertyPath + ":", "", 1000);
348             ProcessLogger.countBegin("bean-property-write");
349         }
350 
351         try {
352             ObjectPropertyReference.setWarning(true);
353 
354             ObjectPropertyReference.resolvePath(object, object.getClass(), propertyPath, true).set(propertyValue);
355 
356         } catch (RuntimeException e) {
357             throw new IllegalArgumentException(
358                     "Error setting property '" + propertyPath + "' on " + object + " with " + propertyValue, e);
359         } finally {
360             ObjectPropertyReference.setWarning(false);
361 
362             if (ProcessLogger.isTraceActive() && object != null) {
363                 ProcessLogger.countEnd("bean-property-write", object.getClass().getSimpleName() + ":" + propertyPath);
364             }
365         }
366 
367     }
368 
369     /**
370      * Modify a property value.
371      * 
372      * <p>
373      * Upon returning from this method, the property referred to by the provided bean and property
374      * path will have been populated with property value provided. If the propertyValue does not
375      * match the type of the indicated property, then type conversion will be attempted using
376      * {@link PropertyEditorManager}.
377      * </p>
378      * 
379      * @param object The bean instance to initialize a property value for.
380      * @param propertyPath A property path expression in the context of the bean.
381      * @param propertyValue The value to populate value in the property referred to by the provided
382      *        bean and property path.
383      * @param ignoreUnknown True if invalid property values should be ignored, false to throw a
384      *        RuntimeException if the property reference is invalid.
385      * @see ObjectPathExpressionParser
386      */
387     public static void setPropertyValue(Object object, String propertyPath, Object propertyValue, boolean ignoreUnknown) {
388         try {
389             setPropertyValue(object, propertyPath, propertyValue);
390         } catch (RuntimeException e) {
391             // only throw exception if they have indicated to not ignore unknown
392             if (!ignoreUnknown) {
393                 throw e;
394             }
395             if (LOG.isTraceEnabled()) {
396                 LOG.trace("Ignoring exception thrown during setting of property '" + propertyPath + "': "
397                         + e.getLocalizedMessage());
398             }
399         }
400     }
401 
402     /**
403      * Determine if a property is readable.
404      * 
405      * @param object The bean instance to initialize a property value for.
406      * @param propertyPath A property path expression in the context of the bean.
407      * @return True if the path expression resolves to a valid readable property reference in the
408      *         context of the bean provided.
409      */
410     public static boolean isReadableProperty(Object object, String propertyPath) {
411         return ObjectPropertyReference.resolvePath(object, object.getClass(), propertyPath, false).canRead();
412     }
413 
414     /**
415      * Determine if a property is writable.
416      * 
417      * @param object The bean instance to initialize a property value for.
418      * @param propertyPath A property path expression in the context of the bean.
419      * @return True if the path expression resolves to a valid writable property reference in the
420      *         context of the bean provided.
421      */
422     public static boolean isWritableProperty(Object object, String propertyPath) {
423         return ObjectPropertyReference.resolvePath(object, object.getClass(), propertyPath, false).canWrite();
424     }
425 
426     /**
427      * Returns an List of {@code Field} objects reflecting all the fields
428      * declared by the class or interface represented by this
429      * {@code Class} object. This includes public, protected, default
430      * (package) access, and private fields, and includes inherited fields.
431      *
432      * @param fields A list of {@code Field} objects which gets returned.
433      * @param type Type of class or interface for which fields are returned.
434      * @param stopAt The Superclass upto which the inherited fields are to be included
435      * @return List of all fields
436      */
437     public static List<Field> getAllFields(List<Field> fields, Class<?> type, Class<?> stopAt) {
438         for (Field field : type.getDeclaredFields()) {
439             fields.add(field);
440         }
441 
442         if (type.getSuperclass() != null && !type.getName().equals(stopAt.getName())) {
443             fields = getAllFields(fields, type.getSuperclass(), stopAt);
444         }
445 
446         return fields;
447     }
448 
449     /**
450      * Get the best known component type for a generic type.
451      * 
452      * <p>
453      * When the type is not parameterized or has no explicitly defined parameters, {@link Object} is
454      * returned.
455      * </p>
456      * 
457      * <p>
458      * When the type has multiple parameters, the right-most parameter is considered the component
459      * type. This facilitates identifying the value type of a Map.
460      * </p>
461      * 
462      * @param type The generic collection or map type.
463      * @return component or value type, resolved from the generic type
464      */
465     public static Type getComponentType(Type type) {
466         if (!(type instanceof ParameterizedType)) {
467             return Object.class;
468         }
469 
470         ParameterizedType parameterizedType = (ParameterizedType) type;
471         Type[] params = parameterizedType.getActualTypeArguments();
472         if (params.length == 0) {
473             return Object.class;
474         }
475 
476         Type valueType = params[params.length - 1];
477         return valueType;
478     }
479 
480     /**
481      * Get the upper bound of a generic type.
482      * 
483      * <p>
484      * When the type is a class, the class is returned.
485      * </p>
486      * 
487      * <p>
488      * When the type is a wildcard, and the upper bound is a class, the upper bound of the wildcard
489      * is returned.
490      * </p>
491      * 
492      * <p>
493      * If the type has not been explicitly defined at compile time, {@link Object} is returned.
494      * </p>
495      * 
496      * @param valueType The generic collection or map type.
497      * @return component or value type, resolved from the generic type
498      */
499     public static Class<?> getUpperBound(Type valueType) {
500         if (valueType instanceof WildcardType) {
501             Type[] upperBounds = ((WildcardType) valueType).getUpperBounds();
502 
503             if (upperBounds.length >= 1) {
504                 valueType = upperBounds[0];
505             }
506         }
507 
508         if (valueType instanceof ParameterizedType) {
509             valueType = ((ParameterizedType) valueType).getRawType();
510         }
511 
512         if (valueType instanceof Class) {
513             return (Class<?>) valueType;
514         }
515 
516         return Object.class;
517     }
518 
519     /**
520      * Locate the generic type declaration for a given target class in the generic type hierarchy of
521      * the source class.
522      * 
523      * @param sourceClass The class representing the generic type hierarchy to scan.
524      * @param targetClass The class representing the generic type declaration to locate within the
525      *        source class' hierarchy.
526      * @return The generic type representing the target class within the source class' generic
527      *         hierarchy.
528      */
529     public static Type findGenericType(Class<?> sourceClass, Class<?> targetClass) {
530         if (!targetClass.isAssignableFrom(sourceClass)) {
531             throw new IllegalArgumentException(targetClass + " is not assignable from " + sourceClass);
532         }
533 
534         if (sourceClass.equals(targetClass)) {
535             return sourceClass;
536         }
537         
538         @SuppressWarnings("unchecked")
539         Queue<Type> typeQueue = RecycleUtils.getInstance(LinkedList.class);
540         typeQueue.offer(sourceClass);
541         while (!typeQueue.isEmpty()) {
542             Type type = typeQueue.poll();
543             
544             Class<?> upperBound = getUpperBound(type);
545             if (targetClass.equals(upperBound)) {
546                 return type;
547             }
548 
549             Type genericSuper = upperBound.getGenericSuperclass();
550             if (genericSuper != null) {
551                 typeQueue.offer(genericSuper);
552             }
553 
554             Type[] genericInterfaces = upperBound.getGenericInterfaces();
555             for (int i=0; i<genericInterfaces.length; i++) {
556                 if (genericInterfaces[i] != null) {
557                     typeQueue.offer(genericInterfaces[i]);
558                 }
559             }
560         }
561         
562         throw new IllegalStateException(targetClass + " is assignable from " + sourceClass
563                 + " but could not be found in the generic type hierarchy");
564     }
565 
566     /**
567      * Splits the given property path into a string of property names that make up the path.
568      *
569      * @param path property path to split
570      * @return string array of names, starting from the top parent
571      */
572     public static String[] splitPropertyPath(String path) {
573         // we must escape dots within map keys before doing the split
574         Pattern pattern = Pattern.compile("(\\[(?:\"|')?)((?:\\w+\\.)+)(\\w+(?:\"|')?\\])");
575         Matcher matcher = pattern.matcher(path);
576 
577         // replace dots in map keys with *, since that is not a valid character for paths
578         StringBuffer sb = new StringBuffer();
579         while (matcher.find()) {
580             matcher.appendReplacement(sb, matcher.group(0) + StringUtils.replace(matcher.group(1), ".", "*") + matcher
581                     .group(2));
582         }
583         matcher.appendTail(sb);
584 
585         String escapedPath = sb.toString();
586 
587         String[] paths = StringUtils.split(escapedPath, ".");
588 
589         // put back dots within maps keys
590         for (int i = 0; i < paths.length; i++) {
591             paths[i] = StringUtils.replace(paths[i], "*", ".");
592         }
593 
594         return paths;
595     }
596     
597     /**
598      * Private constructor - utility class only.
599      */
600     private ObjectPropertyUtils() {}
601 
602     /**
603      * Infer the read method based on method name.
604      * 
605      * @param beanClass The bean class.
606      * @param propertyName The property name.
607      * @return The read method for the property.
608      */
609     private static Method getReadMethodByName(Class<?> beanClass, String propertyName) {
610 
611         try {
612             return beanClass.getMethod("get" + Character.toUpperCase(propertyName.charAt(0))
613                     + propertyName.substring(1));
614         } catch (SecurityException e) {
615             // Ignore
616         } catch (NoSuchMethodException e) {
617             // Ignore
618         }
619 
620         try {
621             Method readMethod = beanClass.getMethod("is"
622                     + Character.toUpperCase(propertyName.charAt(0))
623                     + propertyName.substring(1));
624             
625             if (readMethod.getReturnType() == Boolean.class
626                     || readMethod.getReturnType() == Boolean.TYPE) {
627                 return readMethod;
628             }
629         } catch (SecurityException e) {
630             // Ignore
631         } catch (NoSuchMethodException e) {
632             // Ignore
633         }
634         
635         return null;
636     }
637     
638     /**
639      * Get the cached metadata for a bean class.
640      * 
641      * @param beanClass The bean class.
642      * @return cached metadata for beanClass
643      */
644     private static ObjectPropertyMetadata getMetadata(Class<?> beanClass) {
645         ObjectPropertyMetadata metadata = METADATA_CACHE.get(beanClass);
646 
647         if (metadata == null) {
648             metadata = new ObjectPropertyMetadata(beanClass);
649             METADATA_CACHE.put(beanClass, metadata);
650         }
651 
652         return metadata;
653     }
654     
655     /**
656      * Stores property metadata related to a bean class, for reducing introspection and reflection
657      * overhead.
658      * 
659      * @author Kuali Rice Team (rice.collab@kuali.org)
660      */
661     private static class ObjectPropertyMetadata {
662 
663         private final Map<String, PropertyDescriptor> propertyDescriptors;
664         private final Map<String, Method> readMethods;
665         private final Map<String, Method> writeMethods;
666         private final Map<Class<?>, Set<String>> readablePropertyNamesByPropertyType =
667                 Collections.synchronizedMap(new WeakHashMap<Class<?>, Set<String>>());
668         private final Map<Class<?>, Set<String>> readablePropertyNamesByAnnotationType =
669                 Collections.synchronizedMap(new WeakHashMap<Class<?>, Set<String>>());
670         private final Map<Class<?>, Set<String>> readablePropertyNamesByCollectionType =
671                 Collections.synchronizedMap(new WeakHashMap<Class<?>, Set<String>>());
672         
673         /**
674          * Gets the property names by type, based on the read methods.
675          * 
676          * @param propertyType The return type of the read method on the property.
677          * @return list of property names
678          */
679         private Set<String> getReadablePropertyNamesByType(Class<?> propertyType) {
680             Set<String> propertyNames = readablePropertyNamesByPropertyType.get(propertyType);
681             if (propertyNames != null) {
682                 return propertyNames;
683             }
684             
685             propertyNames = new LinkedHashSet<String>();
686             for (Entry<String, Method> readMethodEntry : readMethods.entrySet()) {
687                 Method readMethod = readMethodEntry.getValue();
688                 if (readMethod != null && propertyType.isAssignableFrom(readMethod.getReturnType())) {
689                     propertyNames.add(readMethodEntry.getKey());
690                 }
691             }
692             
693             propertyNames = Collections.unmodifiableSet(propertyNames);
694             readablePropertyNamesByPropertyType.put(propertyType, propertyNames);
695             
696             return propertyNames;
697         }
698 
699         /**
700          * Gets the property names by annotation type, based on the read methods.
701          * 
702          * @param annotationType The type of an annotation on the return type.
703          * @return list of property names
704          */
705         private Set<String> getReadablePropertyNamesByAnnotationType(
706                 Class<? extends Annotation> annotationType) {
707             Set<String> propertyNames = readablePropertyNamesByAnnotationType.get(annotationType);
708             if (propertyNames != null) {
709                 return propertyNames;
710             }
711             
712             propertyNames = new LinkedHashSet<String>();
713             for (Entry<String, Method> readMethodEntry : readMethods.entrySet()) {
714                 Method readMethod = readMethodEntry.getValue();
715                 if (readMethod != null && readMethod.isAnnotationPresent(annotationType)) {
716                     propertyNames.add(readMethodEntry.getKey());
717                 }
718             }
719             
720             propertyNames = Collections.unmodifiableSet(propertyNames);
721             readablePropertyNamesByPropertyType.put(annotationType, propertyNames);
722             
723             return propertyNames;
724         }
725 
726         /**
727          * Gets the property names by collection type, based on the read methods.
728          * 
729          * @param collectionType The type of elements in a collection or array.
730          * @return list of property names
731          */
732         private Set<String> getReadablePropertyNamesByCollectionType(Class<?> collectionType) {
733             Set<String> propertyNames = readablePropertyNamesByCollectionType.get(collectionType);
734             if (propertyNames != null) {
735                 return propertyNames;
736             }
737             
738             propertyNames = new LinkedHashSet<String>();
739             for (Entry<String, Method> readMethodEntry : readMethods.entrySet()) {
740                 Method readMethod = readMethodEntry.getValue();
741                 if (readMethod == null) {
742                     continue;
743                 }
744                 
745                 Class<?> propertyClass = readMethod.getReturnType();
746                 if (propertyClass.isArray() &&
747                         collectionType.isAssignableFrom(propertyClass.getComponentType())) {
748                     propertyNames.add(readMethodEntry.getKey());
749                     continue;
750                 }
751                 
752                 boolean isCollection = Collection.class.isAssignableFrom(propertyClass);
753                 boolean isMap = Map.class.isAssignableFrom(propertyClass);
754                 if (!isCollection && !isMap) {
755                     continue;
756                 }
757                 
758                 if (collectionType.equals(Object.class)) {
759                     propertyNames.add(readMethodEntry.getKey());
760                     continue;
761                 }
762                 
763                 Type propertyType = readMethodEntry.getValue().getGenericReturnType();
764                 if (propertyType instanceof ParameterizedType) {
765                     ParameterizedType parameterizedType = (ParameterizedType) propertyType;
766                     Type valueType = parameterizedType.getActualTypeArguments()[isCollection ? 0 : 1];
767 
768                     if (valueType instanceof WildcardType) {
769                         Type[] upperBounds = ((WildcardType) valueType).getUpperBounds(); 
770                         
771                         if (upperBounds.length >= 1) {
772                             valueType = upperBounds[0];
773                         }
774                     }
775                     
776                     if (valueType instanceof Class &&
777                             collectionType.isAssignableFrom((Class<?>) valueType)) {
778                         propertyNames.add(readMethodEntry.getKey());
779                     }
780                 }
781             }
782             
783             propertyNames = Collections.unmodifiableSet(propertyNames);
784             readablePropertyNamesByCollectionType.put(collectionType, propertyNames);
785             
786             return propertyNames;
787         }
788 
789         /**
790          * Creates a new metadata wrapper for a bean class.
791          * 
792          * @param beanClass The bean class.
793          */
794         private ObjectPropertyMetadata(Class<?> beanClass) {
795             BeanInfo beanInfo;
796             try {
797                 beanInfo = Introspector.getBeanInfo(beanClass);
798             } catch (IntrospectionException e) {
799                 LOG.warn(
800                         "Bean Info not found for bean " + beanClass, e);
801                 beanInfo = null;
802             }
803 
804             Map<String, PropertyDescriptor> mutablePropertyDescriptorMap = new LinkedHashMap<String, PropertyDescriptor>();
805             Map<String, Method> mutableReadMethodMap = new LinkedHashMap<String, Method>();
806             Map<String, Method> mutableWriteMethodMap = new LinkedHashMap<String, Method>();
807 
808             if (beanInfo != null) {
809                 for (PropertyDescriptor propertyDescriptor : beanInfo
810                         .getPropertyDescriptors()) {
811                     String propertyName = propertyDescriptor.getName();
812 
813                     mutablePropertyDescriptorMap.put(propertyName, propertyDescriptor);
814                     Method readMethod = propertyDescriptor.getReadMethod();
815                     if (readMethod == null) {
816                         readMethod = getReadMethodByName(beanClass, propertyName);
817                     }
818                     mutableReadMethodMap.put(propertyName, readMethod);
819 
820                     Method writeMethod = propertyDescriptor.getWriteMethod();
821                     assert writeMethod == null
822                             || (writeMethod.getParameterTypes().length == 1 && writeMethod.getParameterTypes()[0] != null) : writeMethod;
823                     mutableWriteMethodMap.put(propertyName, writeMethod);
824                 }
825             }
826 
827             propertyDescriptors = Collections.unmodifiableMap(mutablePropertyDescriptorMap);
828             readMethods = Collections.unmodifiableMap(mutableReadMethodMap);
829             writeMethods = Collections.unmodifiableMap(mutableWriteMethodMap);
830         }
831 
832     }
833     
834 }