我有一段时间试图了解执行此操作的最佳方式以及在何处处理此重定向。
我找到了一个创建ProtectedRoute
组件的示例,该组件设置如下
const ProtectedRoute = ({ component: Component, ...rest }) => {
return (
<Route {...rest} render={props => (rest.authenticatedUser ? (<Component {...props}/>) : (
<Redirect to={{
pathname: '/login',
state: { from: props.location }
}}/>
)
)}/>
);
};
并像这样使用
<ProtectedRoute path="/" component={HomePage} exact />
我使用redux-thunk
来确保我可以在我的操作中使用异步fetch
请求,并且这些请求设置为类似
export const loginSuccess = (user = {}) => ({
type: 'LOGIN_SUCCESS',
user
});
...
export const login = ({ userPhone = '', userPass = '' } = {}) => {
return (dispatch) => {
dispatch(loggingIn());
const request = new Request('***', {
method: 'post',
body: queryParams({ user_phone: userPhone, user_pass: userPass }),
headers: new Headers({
'Content-Type': 'application/x-www-form-urlencoded; charset=UTF-8'
})
});
fetch(request)
.then((response) => {
if (!response.ok) {
throw Error(response.statusText);
}
dispatch(loggingIn(false));
return response;
})
.then((response) => response.json())
.then((data) => dispatch(loginSuccess(data.user[0])))
.catch((data) => dispatch(loginError(data)));
};
};
export default (state = authenticationReducerDefaultState, action) => {
switch (action.type) {
...
case 'LOGIN_SUCCESS':
return {
...state,
authenticatedUser: action.user
};
default:
return state;
}
};
在重定向到登录页面之前,我将在何处以及如何处理重定向到我去的地方,我怎样才能确保这只会在登录获取承诺成功时发生?
答案 0 :(得分:4)
您的受保护路线很好。这将在未对用户进行身份验证时将您路由到登录路由。
在您的高级反应路由器<router>
中,您将需要嵌套:
<Route path="/login" component={Login}/>
创建登录路线。
然后在您的Login
路由组件中,您将呈现UI以允许用户登录。
class Login extends React.Component {
constructor(props) {
super(props);
this.state = {
userPhone: '',
userPass: ''
}
}
handleLogin() {
this.props.login({ userPhone, userPass })
}
handlePhoneChange(event) {
const { value } = event.currentTarget;
this.setState({ userPhone: value });
}
handlePasswordChange(event) {
const { value } = event.currentTarget;
this.setState({ userPass: value });
}
render() {
// this is where we get the old route - from the state of the redirect
const { from } = this.props.location.state || { from: { pathname: '/' } }
const { auth } = this.props
if (auth.redirectToReferrer) {
return (
<Redirect to={from}/>
)
}
return (
<div>
<input
value={this.state.userPhone}
onChange={this.handlePhoneChange.bind(this)}
/>
<input
type="password"
value={this.state.userPass}
onChange={this.handlePasswordChange.bind(this)}
/>
<button onClick={this.handleLogin.bind(this)}>Log in</button>
</div>
)
}
}
此组件将调用login action-creator函数(它将依次调用您的API)。
如果成功,这将改变redux状态。这将重新呈现Login组件,并在auth.redirectToReferrer
为真时执行重定向。 (参见上面的代码片段)
有关文档,请参阅https://reacttraining.com/react-router/web/example/auth-workflow
。