标签:日志
在java开发中日志的管理有很多种。我一般会使用过滤器,或者是Spring的拦截器进行日志的处理。如果是用过滤器比较简单,只要对所有的.do提交进行拦截,然后获取action的提交路径就可以获取对每个方法的调用。然后进行日志记录。使用过滤器的好处是可以自己选择性的对某一些方法进行过滤,记录日志。但是实现起来有点麻烦。
另外一种就是使用Spring的AOP了。这种方式实现起来非常简单,只要配置一下配置文件就可以了。可是这种方式会拦截下所有的对action的每个操作。使得效率比较低。不过想做详细日志这个方法还是非常好的。下面我就介绍一下使用Spring AOP进行日志记录的方式。
第一种。Spring AOP对普通类的拦截操作
首先我们要写一个普通类,此类作为日志记录类。 比如
-
package chen.hui.log
-
-
public classs MyLog{
-
-
public void before(){
-
System.out.println("被拦截方法调用之前调用此方法,输出此语句");
-
}
-
public void after(){
-
System.out.println("被拦截方法调用之后调用此方法,输出此语句");
-
}
-
}
其次我们在写一个类作为被拦截类(Spring的AOP就是拦截这个类里面的方法)
-
package chen.hui.log
-
-
public class Test{
-
public void test(){
-
Sytem.out.println("测试类的test方法被调用");
-
}
-
}
最后进行配置文件的编写。在Spring的配置文件中我们需要进行几句话的配置
-
<bean id="testLog" class="chen.hui.log.MyLog"></bean>
-
<aop:config>
-
<aop:aspect id="b" ref="testLog">
-
<aop:pointcut id="log" expression="execution(* chen.hui.log.*.*(..))"/>
-
<aop:before pointcut-ref="log" method="before"/>
-
<aop:after pointcut-ref="log" method="after"/>>
-
</aop:aspect>
-
</aop:config>
到此处整个程序完成,在MyLog类里面的before和after方法添加日志逻辑代码就可以完成日志的管理。以上是对普通类的管理,如果只想拦截某一个类。只要把倒数第二个 * 改成类名就可以了。
第二:使用Spring AOP对action做日志管理
如果是想拦截action对action做日志管理,基本和上面差不多,但是要注意。以下几点
首先还是要写一个普通类,不过此类中的方法需要传入参数。 比如
-
package chen.hui.log
-
-
import org.aspectj.lang.JoinPoint;
-
-
public classs MyLog{
-
-
-
-
-
-
public void before(JoinPoint joinpoint){
-
-
joinpoint.getArgs();
-
-
System.out.println("被拦截方法调用之前调用此方法,输出此语句");
-
}
-
public void after(JoinPoint joinpoint){
-
-
System.out.println("被拦截方法调用之后调用此方法,输出此语句");
-
}
-
}
其次我们在写一个action类作为被拦截类(Spring的AOP就是拦截这个类里面的方法)
-
package chen.hui.log
-
-
public class LoginAction{
-
public void test(){
-
Sytem.out.println("测试类的test方法被调用");
-
}
-
}
最后进行配置文件的编写。在Spring的配置文件中我们需要进行几句话的配置
-
<bean id="testLog" class="chen.hui.log.MyLog"></bean>
-
<aop:config>
-
<aop:aspect id="b" ref="testLog">
-
<aop:pointcut id="log" expression="execution(* chen.hui.log.*.*(..))"/>
-
<aop:before pointcut-ref="log" method="before"/>
-
<aop:after pointcut-ref="log" method="after"/>
-
</aop:aspect>
-
</aop:config>
除了参数外其他地方基本和普通类相似。
需要注意的是:普通类可以监控单一的类,而action在配置文件中只能到包名而不能到action的类名。不然会报错。就是说如果要记录日志就要记录所有的action而不能记录其中一个,这是我试了好久得出的结果
SpringAop进行日志管理。,布布扣,bubuko.com
SpringAop进行日志管理。
标签:日志
原文地址:http://blog.csdn.net/cjaver/article/details/38657257