这是我的场景:我有一个spring webapp(使用webmvc),我刚刚添加了spring security。我有一个 CRUD 用户管理器页面,允许具有足够权限的用户添加用户。在服务器上,这是由 com.myapp.UserController 类处理的。我也有自己的 org.springframework.security.core.userdetails.UserDetailsService 实现,称为 com.myapp.UserDetailsServiceImpl。UserController 和我的 UserDetailsService impl 都使用 com.myapp.UserService 来跟踪 java.util.List 中的用户。
我发现,当我通过 Web 界面创建一个新用户,注销,然后尝试使用该新用户重新登录时,找不到该用户。仔细观察,这是因为 com.myapp.UserService 有两个不同的实例。UserController 使用的那个有新用户,但 UserDetailsServiceImpl 使用的那个没有。
我将原因归结为当我启动这个 webapp 时运行了两个不同的 spring 容器。一种用于 webmvc (myapp-servlet.xml),一种用于安全性 (myapp-security.xml)。每个都有自己的 UserService 实例。据我了解,这是使用安全配置 spring webmvc 的一个非常常见的场景:
<?xml version="1.0" encoding="UTF-8"?>
<web-app xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xmlns="http://java.sun.com/xml/ns/javaee" xmlns:web="http://java.sun.com/xml/ns/javaee/web-app_2_5.xsd"
xsi:schemaLocation="http://java.sun.com/xml/ns/javaee http://java.sun.com/xml/ns/javaee/web-app_2_5.xsd"
id="WebApp_ID" version="2.5">
<servlet>
<servlet-name>myapp</servlet-name>
<servlet-class>org.springframework.web.servlet.DispatcherServlet</servlet-class>
<load-on-startup>1</load-on-startup>
</servlet>
<servlet-mapping>
<servlet-name>myapp</servlet-name>
<url-pattern>*.html</url-pattern>
</servlet-mapping>
<listener>
<listener-class>org.springframework.web.context.ContextLoaderListener</listener-class>
</listener>
<context-param>
<param-name>contextConfigLocation</param-name>
<param-value>/WEB-INF/myapp-servlet.xml, /WEB-INF/myapp-security.xml</param-value>
</context-param>
<filter>
<filter-name>springSecurityFilterChain</filter-name>
<filter-class>org.springframework.web.filter.DelegatingFilterProxy</filter-class>
</filter>
<filter-mapping>
<filter-name>springSecurityFilterChain</filter-name>
<url-pattern>/*</url-pattern>
</filter-mapping>
</web-app>
在我的 myapp-servlet.xml 中,我正在进行组件扫描,它会获取 UserService,因为它使用 @Service 进行了注释:
<context:component-scan base-package="com.myapp" />
但是 Myapp-security.xml 也选择了 UserService,因为它被引用为我的身份验证管理器配置的一部分:
<authentication-manager>
<authentication-provider user-service-ref="userDetailsService" />
</authentication-manager>
为了完整性,这里是 com.myapp.UserDetailsServiceImpl 的相关部分:
@Service("userDetailsService")
public class UserDetailsServiceImpl implements UserDetailsService {
@Autowired
@Qualifier("testUserService")
private UserService userService;
...
}
我的用户控制器:
@Controller
@RequestMapping("/admin/users")
public class UserController {
@Autowired
@Qualifier("testUserService")
private UserService userService;
...
}
我的问题是:有没有办法将 webmvc 和安全性结合到一个弹簧容器中,这样我就不会创建重复的 UserService 实例?