如何将useEffect的异步返回值用作useState中的默认值?

时间:2018-11-14 10:59:15

标签: javascript reactjs react-hooks

我创建了一个简单的示例https://codesandbox.io/s/4zq852m7j0

如您所见,我正在从远程源中获取一些数据。我想将返回值用作文本字段中的值。

const useFetch = () => {
  const [value, setValue] = useState("");

  useEffect(
    async () => {
      const response = await fetch("https://httpbin.org/get?foo=bar");
      const data = await response.json();
      setValue(data.args.foo);
    },
    [value]
  );

  return value;
};

但是,不能使用useState函数内部的值。我认为useState仅在第一次渲染时使用默认值。首次渲染时,显然未设置该值,因为它是异步的。该文本字段应具有值bar,但为空。

function App() {
  const remoteName = useFetch();
  // i want to see the remote value inside my textfield
  const [name, setName] = useState(remoteName);

  const onChange = event => {
    setName(event.target.value);
  };

  return (
    <div className="App">
      <p>remote name: {remoteName}</p>
      <p>local name: {name}</p>
      <input onChange={onChange} value={name} />
    </div>
  );
}

从远程获取值后,我希望能够在本地更改它。

有什么想法吗?

3 个答案:

答案 0 :(得分:2)

现在useFetch返回一个异步可用的值,您需要在remoteValue可用时更新localState,为此您可以编写一个效果

const remoteName = useFetch();
  // i want to see the remote value inside my textfield
  const [name, setName] = useState(remoteName);
  useEffect(
    () => {
      console.log("inside effect");
      setName(remoteName);
    },
    [remoteName] // run when remoteName changes
  );

  const onChange = event => {
    setName(event.target.value);
  };

Working demo

答案 1 :(得分:0)

这与在类组件中异步设置初始状态完全相同:

state = {};

async componentDidMount() {
  const response = await fetch(...);
  ...
  this.setState(...);
}

在初始渲染期间,异步检索到的状态不可用。函数组件应使用与类组件相同的技术,即有条件地渲染依赖于状态的子代:

  return name && <div className="App">...</div>;

这样,useFetch没有理由拥有自己的状态,它可以与组件(example)保持公共状态:

const useFetch = () => {
  const [value, setValue] = useState("");

  useEffect(
    async () => {
      const response = await fetch("https://httpbin.org/get?foo=bar");
      const data = await response.json();
      setValue(data.args.foo);
    },
    [] // executed on component mount
  );

  return [value, setValue];
};

function App() {
  const [name, setName] = useFetch();

  const onChange = event => {
    setName(event.target.value);
  };

  return name && (
    <div className="App">
      <p>local name: {name}</p>
      <input onChange={onChange} value={name} />
    </div>
  );
}

答案 2 :(得分:0)

是否可以将初始状态作为异步函数传递?

 const [value, setValue] = useState(async () => fetch("https://httpbin.org/get?foo=bar").json().args.foo);