2

我正在使用 Vercel SWR 挂钩 usrSWR,我希望我可以在某个遥远的组件中获取存储在缓存中的数据,而不必使用上下文或其他一些全局状态管理器。

具体来说,我IndexPage使用initialData设置缓存数据,我可以看到data返回是正确的,但是当我尝试从数据中检索相同的数据时,OtherComponent返回为未定义。

我在这里有代码和框中的代码: https ://codesandbox.io/s/useswr-global-cache-example-forked-8qxh7 ?file=/pages/index.js

import useSWR from "swr";

export default function IndexPage({ speakersData }) {
  const { data } = useSWR("globalState", { initialData: speakersData });

  return (
    <div>
      This is the Index Page <br />
      data: {JSON.stringify(data)}
      <br />
      <OtherComponent></OtherComponent>
    </div>
  );
}

function OtherComponent() {
  const { data } = useSWR("globalState");
  return <div>I'm thinking this should get my global cache but it does not {JSON.stringify(data)}</div>;
}

export async function getServerSideProps() {
  const speakersData = [{ id: 101 }, { id: 102 }];
  return { props: { speakersData: speakersData } };
}
4

1 回答 1

0

恐怕您还需要将数据传递给子组件(或使用 React Context)来填充它initialData,否则它最初不会有任何数据 - 传递给initialData的数据不会存储在缓存中。

此外,除非您全局提供该fetcher方法,否则您应该将其传递给useSWR调用。

import useSWR from "swr";

const getData = async () => {
  return [{ id: 101 }, { id: 102 }];
};

export default function IndexPage({ speakersData }) {
    const { data } = useSWR("globalState", getData, { initialData: speakersData });

    return (
        <div>
            This is the Index Page <br />
            data: {JSON.stringify(data)}
            <br />
            <OtherComponent speakersData={speakersData}></OtherComponent>
        </div>
    );
}

function OtherComponent({ speakersData }) {
    const { data } = useSWR("globalState", getData, { initialData: speakersData });
    return <div>I'm thinking this should get my global cache but it does not {JSON.stringify(data)}</div>;
}

export async function getServerSideProps() {
    const speakersData = await getData();
    return { props: { speakersData } };
}
于 2021-03-28T17:24:29.943 回答