Skip to content

Migrating from @tanstack/vue-query to @pinia/colada ​

This guide will help you migrate from @tanstack/vue-query to @pinia/colada. The two libraries have similar function names and API options, so it should be mostly a matter of updating the imports and adjusting the function names but there are still a couple of differences to be aware of.

NOTE

This guide is a work in progress and may not cover all the differences between the two libraries. Please, help us improve it by contributing if you find any missing information.

Different status values ​

  • fetchStatus is named asyncStatus
  • asyncStatus values are idle and loading instead of idle and fetching
  • Mutations also have an asyncStatus property and they match the query status values instead of having two different conventions

Different defaults ​

Most of the sensible defaults from @tanstack/vue-query are kept in @pinia/colada, but there are a few differences to be aware of:

  • Default staleTime is 5 seconds instead of 0

Different option names ​

  • queryFn is named query
  • queryKey is named key
  • mutationFn is named mutation

API Differences ​

TanStack Vue Query EquivalentPinia ColadaComment
refetch({ cancelRefetch: false })refresh()See Refetching Queries
refetch({ throwOnError: true })refetch(true)Same for refresh()
useQuery({ select })noneUse a computed() or write the logic within query instead. See this discussion
useQuery({ refetchInterval })Auto Refetch pluginUse the @pinia/colada-plugin-auto-refetch
useQuery({ retry })Retry pluginUse the @pinia/colada-plugin-retry
useQuery().dataUpdatedAtCustom plugin or component codeCustom plugin

Using ref and computed in queryKey ​

In Pinia Colada, key cannot contain a computed or ref, instead, it expects the key to be of type MaybeRefOrGetter. In general, it simplifies keys handling and the function syntax is just so easy to use:

ts
useQuery({
  queryKey: ['todos', { page: computed(() => route.query.id) }], 
  key: () => ['todos', { page: route.query.page }], 
  // ...
})

Component-specific side effects in mutations ​

TanStack's mutate function allows passing the promise resolution callbacks as mutation hooks. In Pinia Colada, to avoid having multiple ways of doing the same thing, use the mutateAsync method to handle those effects:

ts
mutate(todo, { 
  onSuccess, 
  onError, 
  onSettled, 
})
mutateAsync(todo)
  .then((data) => {
    onSuccess(data)
    onSettled?.(data, null)
  })
  .catch((err) => {
    onError(err)
    onSettled?.(undefined, err)
  })

Differences in philosophy ​

These differences are a bit more subtle and span across multiple layers of the library.

Structural sharing ​

TanStack implements a few rendering optimizations that are crucial in React but unnecessary in Vue. Pinia Colada does not implement these optimizations and instead relies on Vue's great reactivity system. The most notable difference is Structural sharing which is explained in their React docs but barely mentioned in the Vue docs. In short, TanStack query partially updates parts of the object based on what is changed. This means that if your query returns the same data as before and you use a watcher on the data, it will not trigger the watcher. This is not the case in Pinia Colada as it uses Shallow Refs to store data to get the best performance and simply replaces the value after each successful query. In Vue apps, this is rarely a problem, but if it is, can still avoid the watcher code by comparing the values:

ts
const { data } = useQuery({
  key: ['todos'],
  query: fetchTodos,
})

watch(data, (newData, oldData) => {
  if (!isSameData(newData, oldData)) {
    // do something with the new data
  }
})

Missing utilities ​

Many utilities provided by TanStack are not included in Pinia Colada to let users get familiar with the Query Cache and implement their own utilities as needed. For example, there is no useIsFetching or useIsMutating composables, but you can easily implement them using the query cache (or mutation cache):

ts
import {
  
useMutationCache
,
useQueryCache
,
type
UseMutationEntryFilter
,
type
UseQueryEntryFilter
,
} from '@pinia/colada' import {
computed
, type
ComputedRef
} from 'vue'
/** * Returns a computed ref that indicates whether there are any ongoing queries * matching the provided filters. * @param filters - Optional filters to narrow down the queries to check. * @returns A computed ref that is true if there are ongoing queries, false otherwise. */ export function
useIsLoading
(
filters
?:
UseQueryEntryFilter
):
ComputedRef
<boolean> {
const
queryCache
=
useQueryCache
()
return
computed
(() =>
queryCache
.
getEntries
(
filters
).
some
((
entry
) =>
entry
.
asyncStatus
.
value
=== 'loading'),
) } /** * Returns a computed ref that indicates whether there are any ongoing mutations * matching the provided filters. * * @param filters - Optional filters to narrow down the mutations to check. * @returns A computed ref that is true if there are ongoing mutations, false otherwise. */ export function
useIsMutating
(
filters
?:
UseMutationEntryFilter
):
ComputedRef
<boolean> {
const
mutationCache
=
useMutationCache
()
return
computed
(() =>
mutationCache
.
getEntries
(
filters
).
some
((
entry
) =>
entry
.
asyncStatus
.
value
=== 'loading'),
) }

Given the agnostic nature of TanStack Query, these utilities are not straightforward to implement but Pinia Colada's tight integration with Vue makes them just workβ„’

Reusable queries ​

Pinia Colada sticks to Vue reactivity principles and encourages you to embrace them. Often, you will be able to pass a getter to options (often looks like () => myOption.value), this keeps reactivity working as expected. In TanStack Vue Query, you might use queryOptions, in Pinia Colada, there is a similar feature but it's even more encouraged to use, it's defineQueryOptions. There is also defineQuery which has no equivalent in TanStack Vue Query.

In its simplest form, you can reuse queries like this:

ts
export const todosQuery = queryOptions({ 
  queryKey: ['todos'], 
  queryFn: getList, 
})
export const todosQuery = defineQueryOptions({ 
  key: ['list'], 
  query: getList, 
})

Check the Organizing Queries section for more information, you will seed that there is dynamic version of defineQueryOptions that allows passing reactive parameters and that using key factories is also encouraged.

Released under the MIT License.