javascriptreactjsreact-querytanstackreact-query

Handling two cache keys for the same data in react-query


I have a Project type in my app. I need to be able to access it via two separate async function:

At the root of the page I use the URL to derive the slug and query for it using a useGetProductBySlugQuery hook (with a queryKey of [products, productSlug]) but everywhere else in component hierarchy where I need to access a project I use a useProductByIdQuery hook (with a queryKey of [products, productId]), and there are a variety of other hooks that update projects which all use this queryKey too.

Although storing the same data in the cache at two locations isn't in itself a problem, this also means the same resource is stored in two different locations in the cache. This is problematic because:

So far there appear to be two solutions to this problem:

  1. Manually update / invalidate both keys in each hook that uses either key. This involves a lot of duplicated logic, and is an obvious potential source of bugs.

  2. Create a special dependent query at the root that will be triggered only when the query using [projects, projectSlug] succeeds in returning a project. That way the only place there is a dependency on the slug query is at the root of the project, and the rest of the project and queries are completely oblivious to it, meaning there is no need to update the [projects, projectSlug] key at all.

Something like this:


const useCopyProjectToCacheQuery = (project: Project) => {
  const queryClient = useQueryClient()
  return useQuery({
    queryKey: projectKeyFactory.project(project?.id),
    queryFn: async () => {
      // Check the cache for data stored under the project's id
      const projectDataById = await queryClient.getQueryData(
        projectKeyFactory.project(project.id)
      )

      return isNil(projectDataById)
        ? // If the data isn't found, copy the data from the project's slug key
          await queryClient.getQueryData<ProjectWithRelations>(
            projectKeyFactory.project(project.id)
          )
        : // Otherwise get it from the server
          await findProjectByIdAction(project.id)
    },
    enabled: isNotNil(project),
  })
}

This will populate the [projects, projectId] key with the project from the [projects, projectSlug] key when it is first populated, then will run a normal query on subsequent calls.

The second option appears to be working fine (although I end up with a cache entry for the key [projects, null]created whileprojectis null), but this seems like a really clumsy way to solve the problem. My next through was to subscribe to the QueryCache and copy the data from each key to the other whenever one of the keys changes, however [the docs][1] forQueryCache.subscribe` state:

Out of scope mutations to the cache are not encouraged and will not fire subscription callbacks

So what is the correct way to deal with this situation?


Solution

  • a) update id when fetching slug (using onSuccess)

    Instead of relying on a separate dependent query (useCopyProjectToCacheQuery), you can synchronize the cache manually within onSuccess of useGetProductBySlugQuery. This ensures that when you fetch by slug, the data is also stored under the ID-based query key.

    const useGetProductBySlugQuery = (slug: string) => {
        const queryClient = useQueryClient();
    
        return useQuery({
            queryKey: projectKeyFactory.projectSlug(slug),
            queryFn: () => findProjectBySlugAction(slug),
            onSuccess: (data) => {
              if (data?.id) {
                queryClient.setQueryData(projectKeyFactory.project(data.id), data);
              }
            },
        });
    };
    

    b) update id when fetching slug (using single point of entry)

    unify the fetching function to allow both slug and ID to resolve to the same key (ie. prevent duplicate entries in the cache entirely because under the hood slugs are translated to IDs)

    const useGetProductQuery = (id?: string, slug?: string) => {
        const queryClient = useQueryClient();
    
        return useQuery({
            queryKey: id ? projectKeyFactory.project(id) : projectKeyFactory.projectSlug(slug),
            queryFn: async () => {
                if (id) return await findProjectByIdAction(id);
                if (slug) {
                    const project = await findProjectBySlugAction(slug);
                    if (project?.id) {
                        queryClient.setQueryData(projectKeyFactory.project(project.id), project);
                    }
                    return project;
                }
                throw new Error("Either id or slug must be provided");
            },
            enabled: Boolean(id || slug),
        });
    };
    

    c) bidirectional key synchronization (useEffect)

    ... if you really have to keep the dual keys as-is and want to dive into hell and memory is just money or you simply have too many existing hooks ...

    const useSyncProjectCache = () => {
        const queryClient = useQueryClient();
    
        useEffect(() => {
            const unsubscribe = queryClient.getQueryCache().subscribe((event) => {
                if (event?.type !== 'updated') return; // ignore fetch / remove
    
                const queryKey = event.query.queryKey;
                const updatedProject = event.query.state.data as Project | undefined;
    
                if (!updatedProject?.id || !updatedProject?.slug) return; // ignore early
    
                queryClient.batch(() => {
                    const currentById = queryClient.getQueryData<Project>(['products', updatedProject.id]);
                    const currentBySlug = queryClient.getQueryData<Project>(['products', updatedProject.slug]);
    
                    // Sync Slug -> ID
                    if (queryKey[1] === updatedProject.slug && !isEqual(currentById, updatedProject)) {
                        queryClient.setQueryData(['products', updatedProject.id], updatedProject);
                        queryClient.invalidateQueries(['products', updatedProject.id], { exact: true });
                    }
    
                    // Sync ID -> Slug
                    if (queryKey[1] === updatedProject.id && !isEqual(currentBySlug, updatedProject)) {
                        queryClient.setQueryData(['products', updatedProject.slug], updatedProject);
                        queryClient.invalidateQueries(['products', updatedProject.slug], { exact: true });
                    }
                });
            });
    
            return unsubscribe;
        }, [queryClient]);
    };