我正在尝试使用Tomcat 7使用登录系统编写一个简单的JSF Web应用程序。
我有两个页面:index.xhtml和/restricted/welcome.xhtml。
“/ restricted / *”下面的页面只能由登录的用户访问。
直接浏览welcome.xhtml导致我的过滤器被执行,从index.xhtml转发到welcome.xhtml绕过过滤器。我无法想象为什么不执行过滤器。
RestrictedAreaFilter.java:
@WebFilter(value = { "/restricted/*" }, dispatcherTypes = { DispatcherType.FORWARD, DispatcherType.REQUEST, DispatcherType.ASYNC, DispatcherType.ERROR, DispatcherType.INCLUDE })
public class RestrictedAreaFilter implements Filter {
@Override
public void destroy() {
}
@Override
public void doFilter(ServletRequest request, ServletResponse response, FilterChain chain) throws IOException, ServletException {
HttpServletRequest httpReq = (HttpServletRequest) request;
User user = (User) httpReq.getSession().getAttribute("user");
if (user != null && user.isLoggedIn()) {
chain.doFilter(request, response);
} else {
httpReq.getRequestDispatcher("/access_denied.xhtml").forward(request, response);
}
}
@Override
public void init(FilterConfig arg0) throws ServletException {
}
}
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml"
xmlns:f="http://java.sun.com/jsf/core"
xmlns:h="http://java.sun.com/jsf/html">
<head>
<title>Login</title>
</head>
<body>
<h:form id="form">
<h:panelGrid id="grid" columns="2">
<h:outputLabel value="Benutzername" for="username" />
<h:inputText id="username" value="#{login.username}" />
<h:outputLabel value="Passwort:" for="password" />
<h:inputSecret id="password" value="#{login.password}">
<f:validateLength minimum="4" maximum="16" />
</h:inputSecret>
<h:message style="color: red" for="password" />
</h:panelGrid>
<h:commandButton id="login" value="Login" action="#{login.proceed}" />
</h:form>
</body>
</html>
@ManagedBean(name = "login")
@RequestScoped
public class LoginBean {
@ManagedProperty(value = "#{user}")
private User user;
private String username;
private String password;
public void setUser(User user) {
this.user = user;
}
public String getUsername() {
return username;
}
public void setUsername(String username) {
this.username = username;
}
public String getPassword() {
return password;
}
public void setPassword(String password) {
this.password = password;
}
public String proceed() {
user.setLoggedIn(true);
return "restricted/welcome.xhtml";
}
}
答案 0 :(得分:1)
FORWARD
调度程序仅在webapp代码中的某处调用RequestDispatcher#forward()
时触发。标准的JSF导航处理程序不会这样做。它只调用ViewHandler#createView()
并将其设置为FacesContext#setViewRoot()
的当前视图。
发送重定向:
public String proceed() {
user.setLoggedIn(true);
return "restricted/welcome.xhtml?faces-redirect=true";
}
这也是推荐的做法。现在它是一个可收藏的页面(URL更改现在反映在浏览器的地址栏中)和刷新/ F5页面不会导致POST被不必要地重新执行,按下后退按钮不会导致意外。
如果你真的坚持使用JSF调用FORWARD
调度程序,你总是可以使用ExternalContext#dispatch()
方法,但这是不是推荐的方法。
public void proceed() throws IOException {
user.setLoggedIn(true);
FacesContext.getCurrentInstance().getExternalContext().dispatch("restricted/welcome.xhtml")
}