0

我是 React 的新手,也许也是英语的新手。提交表单后如何重定向?

  function Test() {
  const { register, handleSubmit } = useForm()
  const onSubmit = data => {
    fetch(`http://localhost:4000/signup`)
    //Here i want to redirect after signup
  }
  return (
    <form onSubmit={handleSubmit(onSubmit)}>
      ....
    </form>
  );
}
4

1 回答 1

1

fetch 可以与回调或承诺一起使用,您需要在重定向之前等待异步请求完成。

这是一个简单的回调示例,它假设您不需要访问请求的响应体或不需要检查响应状态。

function Test() {
  const { register, handleSubmit } = useForm()
  const onSubmit = data => {
    fetch(`http://localhost:4000/signup`)
      .then(resp => {
        // Navigate here, either:
        // use browser (not nice if SPA)
        window.location = "http://www.url.com/path";
        // use connected react router
        // implementation specific
        // e.g. this.props.push("/path");
      });
  }
  return (
    <form onSubmit={handleSubmit(onSubmit)}>
      ....
    </form>
  );
}

如果你熟悉 Promises 和 async await,你可以使用以下

function Test() {
  const { register, handleSubmit } = useForm()
  const onSubmit = async (data) => {
    await fetch(`http://localhost:4000/signup`);
    // navigate here
  }
  return (
    <form onSubmit={handleSubmit(onSubmit)}>
      ....
    </form>
  );
}

理想情况下,您应该通过某种中间件来处理此类副作用,例如 Redux Thunk、Promise、Sagas 或 Observables。这从您的组件中删除了不必要的业务逻辑,允许更清晰的测试和更好的关注点分离。

于 2019-11-10T10:46:10.550 回答