对所有的业务记录日志;注意日志与业务的耦合问题
Aspect Oriented Programing,即面向方面(切面)编程。
列举两项,实际实现方式还有很多
Spring AOP
JDK动态代理
CGLib动态代理
import org.aspectj.lang.annotation
相关的全部标红;经过查询多方面的资料package com.nowcoder.community.aspect;
import org.aspectj.lang.ProceedingJoinPoint;
import org.aspectj.lang.annotation.*;
import org.springframework.stereotype.Component;
@Component //声明一个bean用容器去管理
@Aspect //定义这是一个切片aspect bean
public class AlphaAspect {//针对所有的service对象,而不用修改service
@Pointcut("execution(* com.nowcoder.community.service.*.*(..))")//定义切点,描述那些bean和方法,是要处理的目标
public void pointcut() {
}
//定义连接点实现的具体方式
//连接点开头时织入代码
@Before("pointcut()")
public void before() {
System.out.println("before");
}
//连接点之后时织入代码
@After("pointcut()")
public void after() {
System.out.println("after");
}
//有了返回值以后,处理一些逻辑
@AfterReturning("pointcut()")
public void afterRetuning() {
System.out.println("afterRetuning");
}
//在抛异常后的时候织入代码
@AfterThrowing("pointcut()")
public void afterThrowing() {
System.out.println("afterThrowing");
}
//连接点前后都织入逻辑,需要有返回值
@Around("pointcut()")
public Object around(ProceedingJoinPoint joinPoint) throws Throwable {
System.out.println("around before");
Object obj = joinPoint.proceed();//调(原始)目标组件的方法,被织入到代理对象
System.out.println("around after");
return obj;
}
}
处理正式的逻辑,记录日志(用户以ip地址表示)
ServiceLogAspect.java
package com.nowcoder.community.aspect;
import org.aspectj.lang.JoinPoint;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Before;
import org.aspectj.lang.annotation.Pointcut;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.stereotype.Component;
import org.springframework.web.context.request.RequestContextHolder;
import org.springframework.web.context.request.ServletRequestAttributes;
import javax.servlet.http.HttpServletRequest;
import java.text.SimpleDateFormat;
import java.util.Date;
@Component
@Aspect
public class ServiceLogAspect {
private static final Logger logger = LoggerFactory.getLogger(ServiceLogAspect.class);
@Pointcut("execution(* com.nowcoder.community.service.*.*(..))")
public void pointcut() {
}
@Before("pointcut()")//前置通知,在开头织入
public void before(JoinPoint joinPoint) {
// 用户[1.2.3.4],在[xxx],访问了[com.nowcoder.community.service.xxx()].
ServletRequestAttributes attributes = (ServletRequestAttributes) RequestContextHolder.getRequestAttributes();//获取用户ip,强制类型转换,转换为子类型,宏能多一点
HttpServletRequest request = attributes.getRequest();
String ip = request.getRemoteHost();//获取用户ip
String now = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss").format(new Date());//时间,指定格式
String target = joinPoint.getSignature().getDeclaringTypeName() + "." + joinPoint.getSignature().getName();//目标的类名和方法名
//那个类(joinPoint.getSignature().getDeclaringTypeName() )那个(joinPoint.getSignature().getName())方法
logger.info(String.format("用户[%s],在[%s],访问了[%s].", ip, now, target));//写入日志
}
}
重启项目验证即可!