大家应该都了解Spring AOP有两种实现方式,Jdk Proxy和Cglib。默认情况下,如果类实现了接口,则用JDK动态代理;如果类没有实现接口,则用Cglib进行代理。z
具体实现代码在DefaultAopProxyFactory.class里:
@Override
public AopProxy createAopProxy(AdvisedSupport config) throws AopConfigException {
if (config.isOptimize() || config.isProxyTargetClass() || hasNoUserSuppliedProxyInterfaces(config)) {
Class<?> targetClass = config.getTargetClass();
if (targetClass == null) {
throw new AopConfigException("TargetSource cannot determine target class: " +
"Either an interface or a target is required for proxy creation.");
}
if (targetClass.isInterface() || Proxy.isProxyClass(targetClass)) {
return new JdkDynamicAopProxy(config);
}
return new ObjenesisCglibAopProxy(config);
}
else {
return new JdkDynamicAopProxy(config);
}
}
根据上面那个规则可能会有个问题,例如:
public interface Hello {
void say();
}
@Component
public class HelloImpl implements Hello {
@Cacheable
@Override
public void say() {
System.out.println("say time : " + System.currentTimeMillis());
}
}
@Component
public class Person {
@Autowired
private HelloImpl hello;
}
@EnableCaching
@Configuration
public class HelloConfiguration {
}
//运行结果:
Caused by: org.springframework.beans.factory.BeanNotOfRequiredTypeException: Bean named 'helloImpl' is expected to be of type 'com.alibaba.middleware.demo.HelloImpl' but was actually of type 'com.sun.proxy.$Proxy125'
HelloImpl.say()方法用了@Cacheable,会通过AOP对HelloImpl进行代理,对say方法进行增强。这次AOP判断HelloImpl实现接口Hello,所以会用JDK Proxy生成一个代理类$Proxy125,$Proxy125实现了Hello。
Person里通过@Autowired注解注入了HelloImpl,BeanFactory会根据注入bean类型去找同样类型的bean,根据查找规则
找到了$Proxy125,然后通过赋值给HelloImpl hello = $Proxy125发生了类型转换错误。
问题的原因
直接原因是,代理出来的对象$Proxy125只能转成它的实现接口的类型,HelloImpl不是它的接口。
深层次原因是,AOP在选择代理类型的时候出现了失误
,根据Autowired的类型,这个地方使用Cglib进行代理。Cglib是通过生成代类子类的方式,这里生成HelloImpl的子类,也能完美转成HelloImpl。
处理方式
处理办法有几种:
- 不注入HelloImpl,改成Hello。不现实。。
- 指定代理类型为Cglib
指定AOP类型的方式
- 在Bean声明是通过@Scope(proxyMode = ScopedProxyMode.TARGET_CLASS)指定Bean的代理类型为Cglib。这种方式有个限制,需要有修改Bean类的权限。
- 指定所有Bean的代理方式为Cglib。
- 通过修改BeanDefinition,设置Bean的代理类型为Cglib。
2具体实现,xml方式
<aop:aspectj-autoproxy proxy-target-class="true"/>
@EnableAspectJAutoProxy(proxyTargetClass=true)
3具体实现,在BeanFactoryPostProcessor对BeanDefinition进行设置,之后在Bean实例化的时候就会根据这个属性选择Cglib代理方式
BeanDefinition beanDefinition = beanFactory.getBeanDefinition(beanName);
beanDefinition.setAttribute(AutoProxyUtils.PRESERVE_TARGET_CLASS_ATTRIBUTE, Boolean.TRUE);