AOP 允许你把遍布应用各处的功能分享出来形成可重用的组件。
实现系统关注点功能的代码将会重复出现在多个组件中,这意味着如果你要改变这些关注点的逻辑,必须修改各个模块中的相关实现,即使你把这些关注点抽象为一个独立的模块,其他模块只是调用它的方法,但方法的调用还是会重复出现在各个模块中。
新加一个 Minstrel 类:
package com.springinaction.knights;
import java.io.PrintStream;
/**
* Created by user on 2/20/17.
*/
public class Minstrel {
private PrintStream printStream;
public Minstrel(PrintStream stream){
this.printStream = stream;
}
public void singBeforeQuest(){
printStream.println("La la la, the knight is so brave !");
}
public void singAfterQuest(){
printStream.println("Hei hei hei, the brave knight did embark on a quest");
}
}
在 BraveKnight 输出那一段字之前和之后分别调用上面的两句话,要这么修改 knights.xml
<?xml version="1.0" encoding="UTF-8"?> <beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:aop="http://www.springframework.org/schema/aop" xsi:schemaLocation="http://www.springframework.org/schema/aop http://www.springframework.org/schema/aop/spring-aop-4.3.xsd http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans-4.3.xsd"> <bean id="knights" class="com.springinaction.knights.BraveKnight"> <constructor-arg ref="quest"/> </bean> <bean id="quest" class="com.springinaction.quest.SlayDragonQuest"> <constructor-arg value="#{T(System).out}"/> </bean> <bean id="minstrel" class="com.springinaction.knights.Minstrel"> <constructor-arg value="#{T(System).out}"/> </bean> <aop:config> <aop:aspect ref="minstrel"> <aop:pointcut id="embark" expression="execution(* *.embarkOnQuest(..))" /> <aop:before pointcut-ref="embark" method="singBeforeQuest" /><aop:after pointcut-ref="embark" method="singAfterQuest"/></aop:aspect> </aop:config></beans>
当去运行 KnightMain 时,并没有出现预期的结果,而是出现了下面这个错误:
org.springframework.beans.factory.BeanCreationException: Error creating bean with name '(inner bean)#1f28c152': Cannot resolve reference to bean 'embark' while setting constructor argument; nested exception is org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'embark': Instantiation of bean failed; nested exception is org.springframework.beans.BeanInstantiationException: Failed to instantiate [org.springframework.aop.aspectj.AspectJExpressionPointcut]: No default constructor found; nested exception is java.lang.NoClassDefFoundError: org/aspectj/weaver/reflect/ReflectionWorld$ReflectionWorldException
如果是因为没有添加默认的构造器的话,我后面把三个类的默认构造器都加上,还是会有出现『没有默认的构造器』。
当把下面的这两行代码注释掉后,就不出现上面的错误:
<aop:before pointcut-ref="embark" method="singBeforeQuest" />
<aop:after pointcut-ref="embark" method="singAfterQuest"/>
这个问题没有解决掉,是因为什么呢?
未完待续......
补充:
出现上面的原因在于,没有引入spring-aspects 的 jar 包,所以只需要在 pom.xml 里加入下面这个依赖就好了:
<!-- https://mvnrepository.com/artifact/org.springframework/spring-aspects --> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-aspects</artifactId> <version>4.3.6.RELEASE</version> </dependency>
所以这个时候再去运行 KnightMain 的时候就不会出错了,输出了正确的结果: