作为道具传递与提取缓存Apollo客户端Nextjs
我在apollo-client repo 中发布了这个,但我想我也会问 stackoverflow
你好!我是阿波罗(以及整个 graphql)的新手,并且对 SSR / SSG 有一些疑问。我从概念上知道 SSR/SSG 是什么以及它是如何工作的,但对 apollo-client 不太了解。
我已经尝试在网上搜索和搜索正确执行此操作的方法,并且看到了两个版本而几乎没有解释原因,所以我这篇文章的目标是有一个指向和去的地方“这就是为什么你做一个其他”。
做之间有什么好处/坏处
这是 TypeScript 和伪代码的混合体,请不要批评语法 kthx
// apolloClient.ts
const client = new ApolloClient({
link: new HttpLink({ uri: '/graphql' }),
cache: new InMemoryCache(),
});
// component.tsx
import client from '../apolloClient';
const Component: FunctionalComponent = ({ data }) => {
...
}
export const getServerSideProps: GetServerSideProps = async () => {
const { data } = client.query(...);
return {
props: { data }
}
}
// app.tsx
import client from './client';
const MyApp: NextComponentType<AppContext, AppInitialProps, AppProps> = ({ Component, pageProps }) => (
<ApolloProvider client={client}>
<Component {...pageProps} />
</ApolloProvider>
);
VS
// apolloClient.ts
const createClient = () => new ApolloClient({
link: new HttpLink({ uri: '/graphql' }),
cache: new InMemoryCache(),
ssrMode: typeof window === 'undefined',
});
let client: ApolloClient<NormalizedCacheObject>;
const initalizeApollo = (initalState?: NormalizedCacheObject) => {
const apolloClient = client ?? createClient();
if (initalState) {
apolloClient.cache.restore({
...apolloClient.cache.extract(),
...initalState,
});
}
if (typeof window === 'undefined') return apolloClient;
client ??= apolloClient;
return client;
}
const useApollo = (initalState?: NormalizedCacheObject) => useMemo(() => initalizeApollo(initalState), [initalState]);
// component.tsx
import { useQuery } from 'apollo-client';
import useApollo from '../apolloClient';
const Component = () => {
const { data } = useQuery(...);
}
export const getServerSideProps: GetServerSideProps = async () => {
const client = useApollo();
await client.query(...);
return {
props: { initalApolloState: client.cache.extract() }
}
}
// app.tsx
const MyApp: NextComponentType<AppContext, AppInitialProps, AppProps> = ({ Component, pageProps }) => {
const client = useApollo(pageProps.initalApolloState);
return (
<ApolloProvider client={client}>
<Component {...pageProps} />
</ApolloProvider>
)
};
这是本次讨论中我自己的“我不明白”部分
对我来说,似乎是第二种方式(使用 SSR?),您必须运行查询两次并编写大量额外代码才能获得相同的效果?这两种方法的性能/安全性/任何好处是什么。
谢谢!