我有一个声明为Object a
类型的变量,它实际上引用了A
类型的实例。
在EL中,我可以直接使用以下表达式打印name
类型的A
属性:
${a.name}
它是如何运作的?
答案 0 :(得分:4)
EL在引擎盖下使用reflection,通常是javax.beans.Introspector
API。
这是它在${a.name}
的封面上的粗略内容。
// EL will breakdown the expression.
String base = "a";
String property = "name";
// Then EL will find the object and getter and invoke it.
Object object = pageContext.findAttribute(base);
String getter = "get" + property.substring(0, 1).toUpperCase() + property.substring(1);
Method method = object.getClass().getMethod(getter, new Class[0]);
Object result = method.invoke(object);
// Now EL will print it (only when not null).
out.println(result);
它不会以任何方式转换/转换类型。
答案 1 :(得分:3)