反应挂钩useState不使用onSubmit更新

时间:2019-04-25 17:35:36

标签: reactjs react-router react-hooks onsubmit reach-router

我当前遇到问题,将输入字段的值推到onSubmit状态。

codesandbox

我正在尝试将输入字段值设置为状态,以便在组件更新后可以使用该值将用户重定向到另一个页面。我手动测试了该路径,它可以工作,但是由于状态无法同步更新,因此重定向不起作用。我可以在页面上呈现输入值,但是如果尝试记录该输入值,则很长的时间(第一次)是未定义的,并且在第二次提交时处于先前的状态。

import React, { useRef, useState } from "react";
import { db } from "../firebase";
import { Redirect } from "@reach/router";

function CreateProject(props) {
  const [id, setID] = useState(null);
  const colorRef = useRef(null);
  const projectNameRef = useRef(null);

  const handleSubmit = e => {
    e.preventDefault();
    const project = {
      name: projectNameRef.current.value,
      colors: [colorRef.current.value],
      colorName: colorNameRef.current.value,
      createdAt: new Date()
    };
    setID(projectNameRef.current.value);

    db.collection("users")
      .doc(`${props.user}`)
      .collection("projects")
      .doc(`${projectNameRef.current.value}`)
      .set({ ...project });
    e.target.reset();
  };


  return id ? (
    <Redirect from="/projects/new" to={`projects/:${id}`} noThrow />
  ) : (
    <div>
      <div>
        <h1>Create new selection</h1>
        <form onSubmit={handleSubmit}>
          <label>Color</label>
          <input ref={colorNameRef} type="text" name="colorName" />
          <label>Project Name</label>
          <input ref={projectNameRef} type="text" name="projectName" required />
          <button type="submit">Submit</button>
        </form>
      </div>
    </div>
  );
}

export default CreateProject;

反应:16.8.6

2 个答案:

答案 0 :(得分:0)

这就是反应挂钩 useState 的工作方式,要在状态更改后执行某些操作,您应该在 useEffect 挂钩内执行它,如下所示:

useEffect(() => {
  if (id) {
    console.log(id);
    projectNameRef.current.value = ''
  }
}, [id])

每次id值更改时(以及在第一个渲染中),都会运行此效果,因此您可以在其中添加逻辑并根据状态更改执行所需的操作。

答案 1 :(得分:0)

我认为您在此处使用ref是不合适的,并且可能导致了问题。 我会这样重写您的函数。

function CreateProject() {
  const [id, setID] = useState(null);
  const [shouldRedirect, setShouldRedirect] = useState(false);

  const handleSubmit = e => {
    e.preventDefault();
    setShouldRedirect(true);
  };

  const handleChange = (e) => {
    setID(e.target.value);
  }

  return shouldRedirect ? (
    <Redirect from="/projects/new" to={`projects/:${id}`} noThrow />
  ) : (
    <div>
      <div>
        <h1>Create new selection</h1>
        <form onSubmit={handleSubmit}>
          <label>Project Name</label>
          <input onChange={handleChange} type="text" name="projectName" required />
          <button type="submit">Submit</button>
        </form>
      </div>
    </div>
  );

通过这种方式,您的状态总是在更新,因此您的重定向URL也是如此。 提交时,您只需告诉组件它现在应该使用当前ID提交即可。

You can see how this works from the React documentation.

您甚至可以使用history.pushwithRouter的功能调用来替换条件渲染。 See advice on this question.