写一个springaop的代码
时间: 2023-11-03 07:06:03 浏览: 97
springAOP的代码
好的,以下是一个基本的 Spring AOP 代码示例:
首先,定义一个切面类,该类将包含要在目标方法执行前或执行后执行的通知:
```java
package com.example.demo.aspect;
import org.aspectj.lang.JoinPoint;
import org.aspectj.lang.annotation.After;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Before;
import org.springframework.stereotype.Component;
@Aspect
@Component
public class LoggingAspect {
@Before("execution(* com.example.demo.service.*.*(..))")
public void logBefore(JoinPoint joinPoint) {
System.out.println("Before executing " + joinPoint.getSignature().getName() + " method");
}
@After("execution(* com.example.demo.service.*.*(..))")
public void logAfter(JoinPoint joinPoint) {
System.out.println("After executing " + joinPoint.getSignature().getName() + " method");
}
}
```
在上面的代码中,我们使用 `@Aspect` 注释将该类标记为切面类,并使用 `@Before` 和 `@After` 注释定义了两个通知方法。这些通知方法将在匹配 `com.example.demo.service` 包下的所有方法执行前和执行后执行。
接下来,我们需要在 Spring 配置文件中配置 AOP:
```xml
<aop:aspectj-autoproxy />
<context:component-scan base-package="com.example.demo" />
```
在上面的代码中,我们启用了 AspectJ 自动代理,并使用 `component-scan` 元素扫描了 `com.example.demo` 包,以便 Spring 能够识别并实例化我们的切面类。
最后,我们需要在目标类中添加一些方法,以便我们可以测试我们的切面:
```java
package com.example.demo.service;
import org.springframework.stereotype.Service;
@Service
public class UserService {
public void createUser(String username) {
System.out.println("Creating user: " + username);
}
public void deleteUser(String username) {
System.out.println("Deleting user: " + username);
}
}
```
现在,我们可以使用以下代码测试我们的切面:
```java
package com.example.demo;
import com.example.demo.service.UserService;
import org.springframework.context.annotation.AnnotationConfigApplicationContext;
public class Application {
public static void main(String[] args) {
AnnotationConfigApplicationContext context =
new AnnotationConfigApplicationContext(Application.class);
UserService userService = context.getBean(UserService.class);
userService.createUser("testuser");
userService.deleteUser("testuser");
context.close();
}
}
```
当我们运行上面的代码时,我们应该看到类似以下的输出:
```
Before executing createUser method
Creating user: testuser
After executing createUser method
Before executing deleteUser method
Deleting user: testuser
After executing deleteUser method
```
这表明我们的切面已经成功地拦截了目标方法,并在执行前和执行后执行了通知。
阅读全文