React useState() 不会同步更新值

IT技术 html reactjs react-hooks
2021-05-25 06:02:25

如果在设置值后立即调用,React useState() 不会更新变量的值。

我读过 useEffect(),但不知道这对这个特定场景会有什么用处。

完整代码(请打开控制台选项卡查看变量状态)

更新

// hook
const [ error, setError ] = useState<boolean>();
const handleSubmit = (e: any): void => {
    e.preventDefault();
    if (email.length < 4) {
      setError(true);
    }
    if (password.length < 5) {
      setError(true);
    }
    console.log(error); // <== still false even after setting it to true
    if (!error) { 
      console.log("validation passed, creating token");
      setToken();
    } else {
      console.log("errors");
    }
  };
2个回答

让我们假设用户没有有效的凭据。问题在这里:

if (email.length < 4) {  // <== this gets executed
  setError(true);
}
if (password.length < 5) { // <== this gets executed
  setError(true);
}
console.log(error); // <== still false even after setting it to true
if (!error) { // <== this check runs before setError(true) is complete. error is still false.
  console.log("validation passed, creating token");
  setToken();
} else {
  console.log("errors");
}

您正在使用多个独立运行的 if 检查,而不是使用一个。您的代码执行所有 if 检查。在一项检查中,您setError(true)在满足其中一个条件时调用,但它setError()是异步的。该操作在下一次调用 if-check 之前不会完成,这就是为什么它看起来您的值从未被保存过。

您可以使用 if-else 和 useEffect 的组合更干净地执行此操作:https ://codesandbox.io/s/dazzling-pascal-78gqp

import * as React from "react";

const Login: React.FC = (props: any) => {
  const [email, setEmail] = React.useState("");
  const [password, setPassword] = React.useState("");
  const [error, setError] = React.useState(null);

  const handleEmailChange = (e: any): void => {
    const { value } = e.target;
    setEmail(value);
  };

  const handlePasswordChange = (e: any): void => {
    const { value } = e.target;
    setPassword(value);
  };

  const handleSubmit = (e: any): void => {
    e.preventDefault();
    if (email.length < 4 || password.length < 5) {
      setError(true);
    } else {
      setError(false);
    }
  };

  const setToken = () => {
    //token logic goes here
    console.log("setting token");
  };

  React.useEffect(() => {
    if (error === false) {
      setToken();
    }
  }, [error]); // <== will run when error value is changed.

  return (
    <div>
      <form onSubmit={handleSubmit}>
        <input
          type="text"
          placeholder="email@address.com"
          onChange={handleEmailChange}
        />
        <br />
        <input
          type="password"
          placeholder="password"
          onChange={handlePasswordChange}
        />
        <br />
        <input type="submit" value="submit" />
      </form>

      {error ? <h1>error true</h1> : <h1>error false</h1>}
    </div>
  );
};

export default Login;

就像setState,useState是异步的,并且倾向于一起批量更新以试图提高性能。您在正确的轨道上使用useEffect,这将允许您在状态更新后有效地执行回调。

文档中的示例

import React, { useState, useEffect } from 'react';

function Example() {
  const [count, setCount] = useState(0);

  // Similar to componentDidMount and componentDidUpdate:
  useEffect(() => {
    // Update the document title using the browser API
    document.title = `You clicked ${count} times`;
  });

  return (
    <div>
      <p>You clicked {count} times</p>
      <button onClick={() => setCount(count + 1)}>
        Click me
      </button>
    </div>
  );
}

虽然还建议如果您在请求更新状态后立即需要更新的值,您可能最好只在组件中使用一个变量。

更多关于同步使用状态

如果您熟悉 Redux 的减速器,则可以将其useReducer用作另一种选择。文档

当您具有涉及多个子值的复杂状态逻辑或下一个状态取决于前一个状态时,useReducer 通常比 useState 更可取。useReducer 还允许您优化触发深度更新的组件的性能,因为您可以向下传递调度而不是回调。