springboot WebMvcConfigurer和WebSecurityConfigurerAdapter同时在一个类继承和实现报循环依赖报错
时间: 2024-03-25 12:32:55 浏览: 87
在Spring Boot中,WebMvcConfigurer和WebSecurityConfigurerAdapter是两个常用的接口,用于配置Web应用程序的MVC和安全功能。然而,将这两个接口同时在一个类中继承和实现可能会导致循环依赖的错误。
循环依赖是指两个或多个类之间相互依赖,形成了一个闭环。在Spring框架中,循环依赖是不被允许的,因为它会导致无限递归调用,最终导致栈溢出错误。
要解决这个问题,可以通过以下两种方式之一来避免循环依赖:
1. 将WebMvcConfigurer和WebSecurityConfigurerAdapter分别放在不同的类中实现,并在需要的地方进行引用。这样可以避免两个接口之间的直接循环依赖。
2. 使用@Configuration注解将WebMvcConfigurer和WebSecurityConfigurerAdapter分别标记为独立的配置类,并在需要的地方进行引用。这样可以确保每个配置类都是独立的,并且不会发生循环依赖。
下面是一个示例代码,演示了如何避免WebMvcConfigurer和WebSecurityConfigurerAdapter之间的循环依赖:
```java
@Configuration
@EnableWebMvc
public class MvcConfig implements WebMvcConfigurer {
// 配置MVC相关的内容
// ...
}
@Configuration
@EnableWebSecurity
public class SecurityConfig extends WebSecurityConfigurerAdapter {
// 配置安全相关的内容
// ...
}
@SpringBootApplication
public class MyApp {
public static void main(String[] args) {
SpringApplication.run(MyApp.class, args);
}
}
```
请注意,上述示例中的`MvcConfig`和`SecurityConfig`分别实现了`WebMvcConfigurer`和`WebSecurityConfigurerAdapter`接口,并使用`@Configuration`注解进行标记。在`MyApp`类中,使用`@SpringBootApplication`注解启动应用程序。
阅读全文