useQuery
const {clear,data,error,failureCount,isError,isFetchedAfterMount,isFetching,isIdle,isLoading,isPreviousData,isStale,isSuccess,refetch,status,} = useQuery(queryKey, queryFn?, {cacheTime,enabled,forceFetchOnMount,initialData,initialStale,isDataEqual,keepPreviousData,notifyOnStatusChange,onError,onSettled,onSuccess,queryFnParamsFilter,queryKeySerializerFn,refetchInterval,refetchIntervalInBackground,refetchOnMount,refetchOnReconnect,refetchOnWindowFocus,retry,retryDelay,staleTime,structuralSharing,suspense,useErrorBoundary,})// or using the object syntaxconst queryInfo = useQuery({queryKey,queryFn,config,})
Options
queryKey: String | [String, ...any] | falsy
[String, ...any]
array is passed, each item will be serialized into a stable query key. See Query Keys for more information.enabled
is not set to false
).queryFn: Function(variables) => Promise(data/error)
enabled: Boolean | unknown
false
to disable this query from automatically running.retry: Boolean | Int | Function(failureCount, error) => shouldRetry | Boolean
false
, failed queries will not retry by default.true
, failed queries will retry infinitely.Int
, e.g. 3
, failed queries will retry until the failed query count meets that number.retryDelay: Function(retryAttempt: Int) => Int
retryAttempt
integer and returns the delay to apply before the next attempt in milliseconds.attempt => Math.min(attempt > 1 ? 2 ** attempt * 1000 : 1000, 30 * 1000)
applies exponential backoff.attempt => attempt * 1000
applies linear backoff.staleTime: Int | Infinity
Infinity
, query will never go stalecacheTime: Int | Infinity
Infinity
, will disable garbage collectionrefetchInterval: false | Integer
refetchIntervalInBackground: Boolean
true
, queries that are set to continuously refetch with a refetchInterval
will continue to refetch while their tab/window is in the backgroundrefetchOnWindowFocus: Boolean
true
or false
to enable/disable automatic refetching on window focus for this query.refetchOnReconnect: Boolean
true
or false
to enable/disable automatic refetching on reconnect for this query.notifyOnStatusChange: Boolean
false
to only re-render when there are changes to data
or error
.true
.onSuccess: Function(data) => data
onError: Function(err) => void
onSettled: Function(data, error) => data
suspense: Boolean
true
to enable suspense mode.true
, useQuery
will suspend when status === 'loading'
true
, useQuery
will throw runtime errors when status === 'error'
initialData: any | Function() => any
initialStale: Boolean | Function() => Boolean
initialData
provided as stale and will likely cause it to be refetched on mountinitialStale
value. This can be useful if your initialStale
value is costly to calculate.keepPreviousData: Boolean
false
data
will be kept when fetching new data because the query key changed.forceFetchOnMount: Boolean
false
true
to always fetch when the component mounts (regardless of staleness).refetchOnMount: Boolean
true
false
, will disable additional instances of a query to trigger background refetchesqueryFnParamsFilter: Function(args) => filteredArgs
queryFn
.queryFnParamsFilter: args => args.slice(1)
.structuralSharing: Boolean
true
false
, structural sharing between query results will be disabled.Returns
status: String
idle
if the query is idle. This only happens if a query is initialized with enabled: false
and no initial data is available.loading
if the query is in a "hard" loading state. This means there is no cached data and the query is currently fetching, eg isFetching === true
error
if the query attempt resulted in an error. The corresponding error
property has the error received from the attempted fetchsuccess
if the query has received a response with no errors and is ready to display its data. The corresponding data
property on the query is the data received from the successful fetch or if the query is in manual
mode and has not been fetched yet data
is the first initialData
supplied to the query on initialization.isIdle: Boolean
status
variable above, provided for convenience.isLoading: Boolean
status
variable above, provided for convenience.isSuccess: Boolean
status
variable above, provided for convenience.isError: Boolean
status
variable above, provided for convenience.data: Any
undefined
.error: null | Error
null
isStale: Boolean
true
if the cache data is stale.isPreviousData: Boolean
true
when keepPreviousData
is set and data from the previous query is returned.isFetchedAfterMount: Boolean
true
if the query has been fetched after the component mounted.isFetching: Boolean
true
so long as manual
is set to false
true
if the query is currently fetching, including background fetching.failureCount: Integer
0
when the query succeeds.refetch: Function({ force, throwOnError }) => void
force: true
option and refetch it regardless of it's freshnessthrowOnError: true
optionclear: Function() => void
usePaginatedQuery
const {data = undefined,resolvedData,latestData,...queryInfo} = usePaginatedQuery(queryKey, queryFn, options)
Options
The options for usePaginatedQuery
are identical to the useQuery
hook
Returns
The returned properties for usePaginatedQuery
are identical to the useQuery
hook, with the addition of the following:
data: undefined
data
property is not used for paginated queries and is replaced by the resolvedData
and latestData
options below.resolvedData: Any
undefined
.latestData: Any
undefined
.undefined
useInfiniteQuery
const queryFn = (...queryKey, fetchMoreVariable) // => Promiseconst {isFetchingMore,fetchMore,canFetchMore,...queryInfo} = useInfiniteQuery(queryKey, queryFn, {...queryOptions,getFetchMore: (lastPage, allPages) => fetchMoreVariable})
Options
The options for useInfiniteQuery
are identical to the useQuery
hook with the addition of the following:
getFetchMore: Function(lastPage, allPages) => fetchMoreVariable | Boolean
Returns
The returned properties for useInfiniteQuery
are identical to the useQuery
hook, with the addition of the following:
isFetchingMore: false | 'next' | 'previous'
paginated
mode, this will be true
when fetching more results using the fetchMore
function.fetchMore: Function(fetchMoreVariableOverride) => Promise
fetchMoreVariableOverride
allows you to optionally override the fetch more variable returned from your getFetchMore
option to your query function to retrieve the next page of results.canFetchMore: Boolean
paginated
mode, this will be true
if there is more data to be fetched (known via the required getFetchMore
option function).useMutation
const [mutate,{ status, isIdle, isLoading, isSuccess, isError, data, error, reset },] = useMutation(mutationFn, {onMutate,onSuccess,onError,onSettled,throwOnError,useErrorBoundary,})const promise = mutate(variables, {onSuccess,onSettled,onError,throwOnError,})
Options
mutationFn: Function(variables) => Promise
variables
is an object that mutate
will pass to your mutationFn
onMutate: Function(variables) => Promise | snapshotValue
onError
and onSettled
functions in the event of a mutation failure and can be useful for rolling back optimistic updates.onSuccess: Function(data, variables) => Promise | undefined
mutate
-level onSuccess
handler (if it is defined)onError: Function(err, variables, onMutateValue) => Promise | undefined
mutate
-level onError
handler (if it is defined)onSettled: Function(data, error, variables, onMutateValue) => Promise | undefined
mutate
-level onSettled
handler (if it is defined)throwOnError
false
true
if failed mutations should re-throw errors from the mutation function to the mutate
function.useErrorBoundary
useErrorBoundary
value, which is false
Returns
mutate: Function(variables, { onSuccess, onSettled, onError, throwOnError }) => Promise
variables: any
mutationFn
.useMutation
hook.useMutation
-level options.status: String
idle
initial status prior to the mutation function executing.loading
if the mutation is currently executing.error
if the last mutation attempt resulted in an error.success
if the last mutation attempt was successful.isIdle
, isLoading
, isSuccess
, isError
: boolean variables derived from status
data: undefined | Any
undefined
error: null | Error
reset: Function() => void
queryCache
The queryCache
instance is the backbone of React Query that manages all of the state, caching, lifecycle and magic of every query. It supports relatively unrestricted, but safe, access to manipulate query's as you need. Its available properties and methods are:
useQuery
usePaginatedQuery
useInfiniteQuery
useMutation
queryCache
queryCache.prefetchQuery
queryCache.getQueryData
queryCache.setQueryData
queryCache.invalidateQueries
queryCache.cancelQueries
queryCache.removeQueries
queryCache.getQuery
queryCache.getQueries
queryCache.isFetching
queryCache.subscribe
queryCache.clear
makeQueryCache
useQueryCache
useIsFetching
ReactQueryConfigProvider
ReactQueryCacheProvider
setConsole
hydration/dehydrate
hydration/hydrate
hydration/useHydrate
hydration/ReactQueryCacheProvider
queryCache.prefetchQuery
prefetchQuery
is an asynchronous function that can be used to fetch and cache a query response before it is needed or rendered with useQuery
and friends.
force: true
option in the options objectThe difference between using
prefetchQuery
andsetQueryData
is thatprefetchQuery
is async and will ensure that duplicate requests for this query are not created withuseQuery
instances for the same query are rendered while the data is fetching.
const data = await queryCache.prefetchQuery(queryKey, queryFn)
To pass options like force
or throwOnError
, use the fourth options object:
const data = await queryCache.prefetchQuery(queryKey, queryFn, config, {force: true,throwOnError: true,})
You can even use it with a default queryFn in your config!
const data = await queryCache.prefetchQuery(queryKey)
Options
The options for prefetchQuery
are exactly the same as those of useQuery
with the exception of the last options object:
force: Boolean
true
if you want prefetchQuery
to fetch the data even if the data exists and is NOT stale.throwOnError: Boolean
true
if you want prefetchQuery
to throw an error when it encounters errors.Returns
promise: Promise
throwOnError
option to true
.queryCache.getQueryData
getQueryData
is a synchronous function that can be used to get an existing query's cached data. If the query does not exist, undefined
will be returned.
import { queryCache } from 'react-query'const data = queryCache.getQueryData(queryKey)
Options
queryKey: QueryKey
Returns
data: any | undefined
undefined
if the query does not exist.queryCache.setQueryData
setQueryData
is a synchronous function that can be used to immediately update a query's cached data. If the query does not exist, it will be created and immediately be marked as stale. If the query is not utilized by a query hook in the default cacheTime
of 5 minutes, the query will be garbage collected.
The difference between using
setQueryData
andprefetchQuery
is thatsetQueryData
is sync and assumes that you already synchronously have the data available. If you need to fetch the data asynchronously, it's suggested that you either refetch the query key or useprefetchQuery
to handle the asynchronous fetch.
import { queryCache } from 'react-query'queryCache.setQueryData(queryKey, updater, config)
Options
queryKey: QueryKey
updater: Any | Function(oldData) => newData
config: object
useQuery
Using an updater value
setQueryData(queryKey, newData)
Using an updater function
For convenience in syntax, you can also pass an updater function which receives the current data value and returns the new one:
setQueryData(queryKey, oldData => newData)
queryCache.invalidateQueries
The invalidateQueries
method can be used to invalidate and refetch single or multiple queries in the cache based on their query keys or any other functionally accessible property/state of the query. By default, all matching queries are immediately marked as stale and active queries are refetched in the background.
refetchActive: false
option.refetchInactive: true
optionimport { queryCache } from 'react-query'const queries = queryCache.invalidateQueries(inclusiveQueryKeyOrPredicateFn, {exact,throwOnError,refetchActive = true,refetchInactive = false})
Options
queryKeyOrPredicateFn
can either be a Query Key or a function
queryKey: QueryKey
'todos'
, it would match queries with the todos
, ['todos']
, and ['todos', 5]
. See Query Keys for more information.Function(query) => Boolean
found
.exact
option has no effect with using a functionexact: Boolean
exact: true
option to return only the query with the exact query key you have passed. Remember to destructure it out of the array!throwOnError: Boolean
true
, this function will throw if any of the query refetch tasks fail.refetchActive: Boolean
true
false
, queries that match the refetch predicate and are actively being rendered via useQuery
and friends will NOT be refetched in the background, and only marked as stale.refetchInactive: Boolean
false
true
, queries that match the refetch predicate and are not being rendered via useQuery
and friends will be both marked as stale and also refetched in the backgroundReturns
This function returns a promise that will resolve when all of the queries are done being refetched. By default, it will not throw an error if any of those queries refetches fail, but this can be configured by setting the throwOnError
option to true
queryCache.cancelQueries
The cancelQueries
method can be used to cancel outgoing queries based on their query keys or any other functionally accessible property/state of the query.
This is most useful when performing optimistic updates since you will likely need to cancel any outgoing query refetches so they don't clobber your optimistic update when they resolve.
import { queryCache } from 'react-query'const queries = queryCache.cancelQueries(queryKeyOrPredicateFn, {exact,})
Options
queryKeyOrPredicateFn
can either be a Query Key or a function
queryKey
'todos'
, it would match queries with the todos
, ['todos']
, and ['todos', 5]
. See Query Keys for more information.Function(query) => Boolean
found
.exact
option has no effect with using a functionexact: Boolean
exact: true
option to return only the query with the exact query key you have passed. Remember to destructure it out of the array!Returns
This function does not return anything
queryCache.removeQueries
The removeQueries
method can be used to remove queries from the cache based on their query keys or any other functionally accessible property/state of the query.
import { queryCache } from 'react-query'const queries = queryCache.removeQueries(queryKeyOrPredicateFn, {exact,})
Options
queryKeyOrPredicateFn
can either be a Query Key or a function
queryKey
'todos'
, it would match queries with the todos
, ['todos']
, and ['todos', 5]
. See Query Keys for more information.Function(query) => Boolean
found
.exact
option has no effect with using a functionexact: Boolean
exact: true
option to return only the query with the exact query key you have passed. Remember to destructure it out of the array!Returns
This function does not return anything
queryCache.getQuery
getQuery
is a slightly more advanced synchronous function that can be used to get an existing query object from the cache. This object not only contains all the state for the query, but all of the instances, and underlying guts of the query as well. If the query does not exist, undefined
will be returned.
Note: This is not typically needed for most applications, but can come in handy when needing more information about a query in rare scenarios (eg. Looking at the query.state.updatedAt timestamp to decide whether a query is fresh enough to be used as an initial value)
import { queryCache } from 'react-query'const query = queryCache.getQuery(queryKey)
Options
queryKey: QueryKey
Returns
query: QueryObject
queryCache.getQueries
getQueries
is even more advanced synchronous function that can be used to get existing query objects from the cache that partially match query key. If queries do not exist, empty array will be returned.
Note: This is not typically needed for most applications, but can come in handy when needing more information about a query in rare scenarios
import { queryCache } from 'react-query'const queries = queryCache.getQueries(queryKey)
Options
queryKey: QueryKey
Returns
queries: QueryObject[]
queryCache.isFetching
This isFetching
property is an integer
representing how many queries, if any, in the cache are currently fetching (including background-fetching, loading new pages, or loading more infinite query results)
import { queryCache } from 'react-query'if (queryCache.isFetching) {console.log('At least one query is fetching!')}
React Query also exports a handy useIsFetching
hook that will let you subscribe to this state in your components without creating a manual subscription to the query cache.
queryCache.subscribe
The subscribe
method can be used to subscribe to the query cache as a whole and be informed of safe/known updates to the cache like query states changing or queries being updated, added or removed
import { queryCache } from 'react-query'const callback = (cache, query) => {}const unsubscribe = queryCache.subscribe(callback)
Options
callback: Function(queryCache, query?) => void
query.setState
, queryCache.removeQueries
, etc). Out of scope mutations to the queryCache are not encouraged and will not fire subscription callbacksquery
will be passed as the second argument to the callbackReturns
unsubscribe: Function => void
queryCache.clear
The clear
method can be used to clear the queryCache entirely and start fresh.
import { queryCache } from 'react-query'queryCache.clear()
Returns
queries: Array<Query>
makeQueryCache
makeQueryCache
creates an empty queryCache
manually. This is useful together with ReactQueryCacheProvider
to have multiple caches in your application.
As opposed to the global cache, caches created by makeQueryCache
caches data even on the server.
import { makeQueryCache } from 'react-query'const queryCache = makeQueryCache()
Returns
queryCache: QueryCache
queryCache
useQueryCache
The useQueryCache
hook returns the current queryCache instance.
import { useQueryCache } from 'react-query'const queryCache = useQueryCache()
If you are using the ReactQueryCacheProvider
to set a custom cache, you cannot simply import { queryCache }
any more. This hook will ensure you're getting the correct instance.
useIsFetching
useIsFetching
is an optional hook that returns the number
of the queries that your application is loading or fetching in the background (useful for app-wide loading indicators).
import { useIsFetching } from 'react-query'const isFetching = useIsFetching()
Returns
isFetching: Int
number
of the queries that your application is currently loading or fetching in the background.ReactQueryConfigProvider
ReactQueryConfigProvider
is an optional provider component and can be used to define defaults for all instances of useQuery
within it's sub-tree:
import { ReactQueryConfigProvider } from 'react-query'const queryConfig = {shared: {suspense: false,},queries: {suspense, // defaults to `shared.suspense`queryKeySerializerFn: defaultQueryKeySerializerFn,queryFn,enabled: true,retry: 3,retryDelay: attemptIndex => Math.min(1000 * 2 ** attemptIndex, 30000),staleTime: 0,cacheTime: 5 * 60 * 1000,refetchOnWindowFocus: true,refetchInterval: false,queryFnParamsFilter: identity,refetchOnMount: true,isDataEqual: deepEqual,onError: noop,onSuccess: noop,onSettled: noop,useErrorBoundary: false, // falls back to suspense},mutations: {suspense, // defaults to `shared.suspense`throwOnError: false,onMutate: noop,onError: noop,onSuccess: noop,onSettled: noop,useErrorBoundary: false, // falls back to suspense},}function App() {return (<ReactQueryConfigProvider config={queryConfig}>...</ReactQueryConfigProvider>)}
Options
config: Object
useQuery
hook and the useMutation
hook.ReactQueryCacheProvider
ReactQueryCacheProvider
is an optional provider component for explicitly setting the query cache used by React Query. This is useful for creating component-level caches that are not completely global, as well as making truly isolated unit tests.
import { ReactQueryCacheProvider, makeQueryCache } from 'react-query'const queryCache = makeQueryCache()function App() {return (<ReactQueryCacheProvider queryCache={queryCache}>...</ReactQueryCacheProvider>)}
Options
queryCache: QueryCache
makeQueryCache
factory to create this.setConsole
setConsole
is an optional utility function that allows you to replace the console
interface used to log errors. By default, the window.console
object is used. If no global console
object is found in the environment, nothing will be logged.
import { setConsole } from 'react-query'import { printLog, printWarn, printError } from 'custom-logger'setConsole({log: printLog,warn: printWarn,error: printError,})
Options
console: Object
log
, warn
, and error
methods.hydration/dehydrate
dehydrate
creates a frozen representation of a queryCache
that can later be hydrated with useHydrate
, hydrate
or Hydrate
. This is useful for passing prefetched queries from server to client or persisting queries to localstorage. It only includes currently successful queries by default.
import { dehydrate } from 'react-query/hydration'const dehydratedState = dehydrate(queryCache, {shouldDehydrate,})
Options
queryCache: QueryCache
queryCache
that should be dehydratedshouldDehydrate: Function(query: Query) => Boolean
true
to include this query in dehydration, or false
otherwiseshouldDehydrate: () => true
to include all queriesReturns
dehydratedState: DehydratedState
queryCache
at a later pointhydration/hydrate
hydrate
adds a previously dehydrated state into a queryCache
. If the queries included in dehydration already exist in the cache, hydrate
does not overwrite them.
import { hydrate } from 'react-query/hydration'hydrate(queryCache, dehydratedState)
Options
queryCache: QueryCache
queryCache
to hydrate the state intodehydratedState: DehydratedState
hydration/useHydrate
useHydrate
adds a previously dehydrated state into the queryCache
returned by useQueryCache
.
import { useHydrate } from 'react-query/hydration'useHydrate(dehydratedState)
Options
dehydratedState: DehydratedState
hydration/Hydrate
hydration/Hydrate
does the same thing as useHydrate
but exposed as a component.
import { Hydrate } from 'react-query/hydration'function App() {return <Hydrate state={dehydratedState}>...</Hydrate>}
Options
state: DehydratedState
The latest TanStack news, articles, and resources, sent to your inbox.