The hard parts of React Query
Life without React Query
const Bookmarks = ({ category }) => {
const [data, setData] = useState([])
const [error, setError] = useState()
const [loading, setLoading] = useState(false)
useEffect(() => {
setLoading(true);
fetch(`${endpoint}/${category}`)
.then(res => res.json())
.then(d => {
setData(d)
setLoading(false)
})
.catch(e => setError(e))
}, [category])
if (loading) return 'Loading...'
if (error) return 'An error has occurred: ' + error.message
return (
<ul>
{data.map(item => (
<li key={item.id}>{item.name}</div>
))}
</ul>
)
}
data:image/s3,"s3://crabby-images/9de36/9de361b5a5e07b88ebf87f34bfd51a5fe269b82c" alt=""
Life without React Query
const Bookmarks = ({ category }) => {
const [data, setData] = useState([])
const [error, setError] = useState()
const [loading, setLoading] = useState(false)
useEffect(() => {
setLoading(true);
fetch(`${endpoint}/${category}`)
.then(res => res.json())
.then(d => {
setData(d)
setLoading(false)
})
.catch(e => setError(e))
}, [category])
if (loading) return 'Loading...'
if (error) return 'An error has occurred: ' + error.message
return (
<ul>
{data.map(item => (
<li key={item.id}>{item.name}</div>
))}
</ul>
)
}
- Race conditions
- Loading state
- Empty state
- Data & Error are not reset on category change
- Will fire twice in StrictMode
data:image/s3,"s3://crabby-images/2ecd0/2ecd0b15cb76278465745fb30e793afc8681f73e" alt=""
Life without React Query
const Bookmarks = ({ category }) => {
const [data, setData] = useState([])
const [error, setError] = useState()
const [loading, setLoading] = useState(false)
useEffect(() => {
let ignore = false
setIsLoading(true)
fetch(`${endpoint}/${category}`)
.then(res => {
if (!res.ok) {
throw new Error('Failed to fetch')
}
return res.json()
})
.then(d => {
if (!ignore) {
setData(d)
setError(undefined)
}
})
.catch(e => {
if (!ignore) {
setError(e)
setData(undefined)
}
})
.finally(() => {
if (!ignore) {
setIsLoading(false)
}
})
return () => {
ignore = true
}
}, [category])
if (loading) return 'Loading...'
if (error) return 'An error has occurred: ' + error.message
return (
<ul>
{data.map(item => (
<li key={item.id}>{item.name}</div>
))}
</ul>
)
}
Life without React Query
While making the actual fetch request can be a pretty trivial exercise, making that state available predictably in your application is certainly not.
data:image/s3,"s3://crabby-images/7aa1e/7aa1ee8b5aa1eaf7e8fc722d2c97c11ab6ff6b72" alt=""
- React Query docs
Life with(out) React Query
const Bookmarks = ({ category }) => {
const [data, setData] = useState([])
const [error, setError] = useState()
const [loading, setLoading] = useState(false)
useEffect(() => {
let ignore = false
setIsLoading(true)
fetch(`${endpoint}/${category}`)
.then(res => {
if (!res.ok) {
throw new Error('Failed to fetch')
}
return res.json()
})
.then(d => {
if (!ignore) {
setData(d)
setError(undefined)
}
})
.catch(e => {
if (!ignore) {
setError(e)
setData(undefined)
}
})
.finally(() => {
if (!ignore) {
setIsLoading(false)
}
})
return () => {
ignore = true
}
}, [category])
if (loading) return 'Loading...'
if (error) return 'An error has occurred: ' + error.message
return (
<ul>
{data.map(item => (
<li key={item.id}>{item.name}</div>
))}
</ul>
)
}
import { useQuery } from '@tanstack/react-query';
const Bookmarks = ({ category }) => {
const { isLoading, data, error } = useQuery({
queryKey: ['bookmarks', category],
queryFn: () =>
fetch(`${endpoint}/${category}`).then((res) => {
if (!res.ok) {
throw new Error('Failed to fetch')
}
return res.json()
}),
})
if (loading) return 'Loading...'
if (error) return 'An error has occurred: ' + error.message
return (
<ul>
{data.map(item => (
<li key={item.id}>{item.name}</div>
))}
</ul>
)
}
Life with(out) React Query
import { useIssues } from './useIssues';
const Bookmarks = ({ category }) => {
const { isLoading, data, error } = useIssues(category)
if (loading) return 'Loading...'
if (error) return 'An error has occurred: ' + error.message
return (
<ul>
{data.map(item => (
<li key={item.id}>{item.name}</div>
))}
</ul>
)
}
import { useQuery } from '@tanstack/react-query';
export const useIssues = (category) => {
return useQuery({
queryKey: ['bookmarks', category],
queryFn: ({ signal }) =>
fetch(`${endpoint}/${category}`, { signal }).then((res) => {
if (!res.ok) {
throw new Error('Failed to fetch')
}
return res.json()
}),
})
}
data:image/s3,"s3://crabby-images/c00af/c00af171b7b850d951cd5b469630e456251a861d" alt=""
data:image/s3,"s3://crabby-images/099d6/099d68a5be94a238c01e09c16cbd1965ff8fe090" alt=""
- Race conditions
- Loading state
- Empty state
- Data & Error are not reset on category change
- Will fire twice in StrictMode
- Error handling
import { useQuery } from '@tanstack/react-query';
const Bookmarks = ({ category }) => {
const { isLoading, data, error } = useQuery({
queryKey: ['bookmarks', category],
queryFn: () =>
fetch(`${endpoint}/${category}`).then((res) => {
if (!res.ok) {
throw new Error('Failed to fetch')
}
return res.json()
}),
})
if (loading) return 'Loading...'
if (error) return 'An error has occurred: ' + error.message
return (
<ul>
{data.map(item => (
<li key={item.id}>{item.name}</div>
))}
</ul>
)
}
Life with(out) React Query
Data Fetching is simple.
What comes afterwards is not.
Enter React Query
data:image/s3,"s3://crabby-images/a5a87/a5a87d1d3bec581b8201f717b11024cae5c7d8ce" alt=""
data:image/s3,"s3://crabby-images/4e627/4e627afda4d58639a3b6b3257c34793c4518b089" alt=""
Nikola Mitrović
Development Lead & Technical Architect
Vega IT
Novi Sad, Serbia
data:image/s3,"s3://crabby-images/704be/704be572709421081b3a7185a71e4a0486dcb2d6" alt=""
data:image/s3,"s3://crabby-images/d5a32/d5a327c3b7d9fc792d725f99efb1c89e167e33ac" alt=""
data:image/s3,"s3://crabby-images/7219f/7219f6b0f93f2ede77c93e712ef935f1065a8f9c" alt=""
Tech Speaker
data:image/s3,"s3://crabby-images/caee5/caee55083b1f6b6485d685685fc73c14fbb212cc" alt=""
What is React Query actually?
React Query is a data fetching library
Data fetching
useQuery({
queryKey: ['issues'],
queryFn: () => axios.get('/issues').then((response) => response.data),
})
data:image/s3,"s3://crabby-images/46b80/46b806009ab39dd2aa946d8ec171adddea80bcac" alt=""
Data fetching
useQuery({
queryKey: ['issues'],
queryFn: () =>
Promise.resolve([
{ id: '1', title: 'A Feature', status: 'closed' },
{ id: '2', title: 'A Nug', status: 'open' },
]),
})
How can I define a baseUrl with RQ?
How can I access response headers with RQ?
How can I make GraphQL requests with RQ?
Data fetching
React Query doesn't care.
Just return a Promise.
What is React Query actually?
React Query is an async state manager, declarative lib that help us with managing async/server state from the BE.
State Managers
function useIssues() {
return useSelector(state => state.issues)
}
function useIssues() {
return useStore(state => state.issues)
}
data:image/s3,"s3://crabby-images/ab6ee/ab6eef1d9213427515875ae8e6812adaa5b264ea" alt=""
data:image/s3,"s3://crabby-images/675c0/675c03c25d894e7d2842ab50e0b77292c10401e3" alt=""
React Query as State Manager
const useIssues = () =>
useQuery({
queryKey: ['issues'],
queryFn: () => axios.get('/issues').then((response) => response.data)
})
data:image/s3,"s3://crabby-images/f826a/f826a9b3220113f8f1e2974e20cfcedbd4e6c3eb" alt=""
data:image/s3,"s3://crabby-images/36de1/36de17e91a3469057b32f6108eeb9ee8afb7e77a" alt=""
React Query as State Manager
const useIssues = (select) =>
useQuery({
queryKey: ['issues'],
queryFn: () => axios.get('/issues').then((response) => response.data),
select
})
const useIssueCount = () {
return useIssue((issues) => issues.length)
}
React Query as State Manager
export const useIssues = () =>
useQuery({
queryKey: ['issues'],
queryFn: fetchTodos
})
function ComponentOne() {
const { data } = useIssues()
}
function ComponentTwo() {
// ✅ will get exactly the same data as ComponentOne
const { data } = useIssues()
}
const queryClient = new QueryClient()
function App() {
return (
<QueryClientProvider client={queryClient}>
<ComponentOne />
<ComponentTwo />
</QueryClientProvider>
)
}
data:image/s3,"s3://crabby-images/2e780/2e7807d36d14f2cde5ae75c8ab4b59b34d18a6d2" alt=""
React Query as State Manager
import { useDispatch } from 'react-redux';
const dispatch = useDispatch()
const { data } = useQuery({
queryKey: ['issues'],
queryFn: () => axios.get('/issues').then((response) => response.data),
})
React.useEffect(() => {
if (data) {
dispatch(setIssues(data))
}
}, [data])
const [issues, setIssues] = React.useState()
useQuery({
queryKey: ['issues'],
queryFn: () => axios.get('/issues').then((response) => response.data),
onSuccess: (data) => setIssues(data)
})
Client v.s. server state
data:image/s3,"s3://crabby-images/16f53/16f53b24ee5c57720330dffe85d3c3ff2f58e7bc" alt=""
Server state challenges
Caching
Deduping requests
Updating stale data
Background updates
03
02
04
01
Managing memory & GC
05
06
Performance opt.
Server state challenges
data:image/s3,"s3://crabby-images/2e780/2e7807d36d14f2cde5ae75c8ab4b59b34d18a6d2" alt=""
data:image/s3,"s3://crabby-images/5b6ad/5b6ad54c7f0ead236c60bcbb3b98483c82cc5fd0" alt=""
Async/server state triggers
- window focus -
- component mount -
- regain network -
- change
refetchOnWindowFocus
refetchOnMount
refetchOnReconnect
QueryKey
Async State triggers
React Query will refetch data on every async state trigger
data:image/s3,"s3://crabby-images/db4a4/db4a428d2698396d22c465d399ea22fde04c6d09" alt=""
Async/server state triggers
- window focus -
- component mount -
- regain network -
- change
refetchOnWindowFocus
refetchOnMount
QueryKey
refetchOnReconnect
Smart refetches
React Query will refetch data on every async state trigger only for stale data, and staleTime default is 0
Data synchronization tool
- What is correct stale time?
- Depends on your domain & use case
- React Query provides the means to synchronize our view with the actual data owner - the backend
- As long as data is fresh, it will always come from the cache only
data:image/s3,"s3://crabby-images/55da0/55da037f6ca00084de5e70475ae23e370c701499" alt=""
Stale time
const queryClient = new QueryClient({
defaultOptions: {
queries: {
staleTime: 2 * 60 * 1000 // 2 minutes
}
}
})
useQuery({
queryKey,
queryFn,
staleTime: 5 * 60 * 100 // 5 minutes
})
const queryClient = new QueryClient({
defaultOptions: {
queries: {
// ✅ globally default to 20 seconds
staleTime: 1000 * 20,
},
},
})
// 🚀 everything todo-related will have
// a 1 minute staleTime
queryClient.setQueryDefaults(
todoKeys.all,
{ staleTime: 1000 * 60 }
)
Stale time
const queryClient = new QueryClient({
defaultOptions: {
queries: {
refetchOnWindowFocus: false,
refetchOnMount: false,
refetchOnReconnect: false,
retryOnMount: false,
retry: 0,
refetchInterval: 0,
}
}
})
Async/server state triggers
- window focus -
- component mount -
- regain network -
- change
refetchOnWindowFocus
refetchOnMount
QueryKey
refetchOnReconnect
Query keys as dependency params
- Cached separately
- Avoid race conditions
- Automatic refetches
- Avoid stale closure problems
data:image/s3,"s3://crabby-images/fafbf/fafbf77fd33dc7a8242854b272c59fbaa06c29af" alt=""
const useIssues = (filters) =>
useQuery({
queryKey: ['issues', filters],
queryFn: () => axios
.get('/issues?filters=${filters}')
.then((response) => response.data),
})
Query keys
data:image/s3,"s3://crabby-images/08a94/08a94834fd464f1f9c71efa52e35225b9eb3769c" alt=""
Query keys
const useIssues = () => {
const filters = useSelector((state) => state.filters)
return useQuery({
queryKey: ['issues', filters],
queryFn: () => axios.get('/issues?filters=${filters}').then((response) => response.data),
})
}
data:image/s3,"s3://crabby-images/5fdec/5fdecf563051ed82ed8277138f5486a91f77f4bb" alt=""
data:image/s3,"s3://crabby-images/705f6/705f6779248b4735766f6e6667ab72dbe3dc113c" alt=""
Query keys
Query Key is "just" a string or serializable object
Colocate keys for better reuse
- src
- features
- Profile
- index.tsx
- services.ts
- queries.ts
- keys.ts
- Issues
- index.tsx
- services.ts
- queries.ts
- keys.ts
Use Query Key factories
const IssueKeys = {
all: () => ['issues'] as const,
lists: () => [...issueKeys.all, 'list'] as const,
list: (filters: string) => [...issueKeys.lists(), { filters }] as const,
details: () => [...issueKeys.all, 'detail'] as const,
detail: (id: number) => [...issueKeys.details(), id] as const,
}
export const IssuesService = {
getAllIssues: (filters) => {
return axios.get('/issues?filters=${filters}').then((response) => response.data)
}
}
import IssuesService from './services'
import IssueKeys from './keys'
const useIssues = (filters) => {
// 🚀 get list of issues
return useQuery({
queryKey: IssueKeys.list(filters),
queryFn: IssuesService.getIssues(filters),
})
}
data:image/s3,"s3://crabby-images/fb7a2/fb7a255b5aac6650714f75f98f4f80939b222d53" alt=""
data:image/s3,"s3://crabby-images/8ddf0/8ddf08ce8f212aa03d03fc21813f4b43ec120946" alt=""
data:image/s3,"s3://crabby-images/adf64/adf647ddb5d0928411c84c48d7b28bc6f2449b91" alt=""
Use Query Key factories
// 🕺 remove everything related
// to the issue feature
queryClient.removeQueries({
queryKey: IssueKeys.all()
})
// 🚀 invalidate all the lists
queryClient.invalidateQueries({
queryKey: IssueKeys.lists()
})
// 🙌 prefetch a single issue
queryClient.prefetchQueries({
queryKey: IssueKeys.detail(id),
queryFn: IssuesService.getIssue(id),
})
// 🙌 fetch a single issue
useQuery({
queryKey: IssueKeys.detail(id),
queryFn: IssuesService.getIssue(id),
})
- cache data correctly
- refetch automatically
- manual invalidation of cache
- unique per query
Query keys
const useIssues = (filters) => {
return useQuery({
queryKey: ['issues', filters],
queryFn: () => axios.get('/issues?filters=${filters}').then((response) => response.data),
})
}
const IssuesList = (filters) => {
const filters = useSelector((state) => state.filters)
const { data, refetch } = useIssues(filters)
const handleFilterChange = () => {
refetch()
}
return (
<ul>
{data.map(item => (
<li key={item.id}>{item.name}</div>
))}
</ul>
)
}
Query keys: Infinite queries
useQuery({
queryKey: ['issues'],
queryFn: fetchIssues,
})
// 🚨 this won't work
useInfiniteQuery({
queryKey: ['issues'],
queryFn: fetchInfiniteIssues,
})
// ✅ choose something else instead
useInfiniteQuery({
queryKey: ['infiniteIssues'],
queryFn: fetchInfiniteIssues,
})
Recap
Async State Manager
Data sync lib
Keys as factories
03
02
01
Resources
data:image/s3,"s3://crabby-images/7aa1e/7aa1ee8b5aa1eaf7e8fc722d2c97c11ab6ff6b72" alt=""
Questions
Thank you!
n.mitrovic@vegait.rs
You can find me at
Link to the slides
data:image/s3,"s3://crabby-images/caee5/caee55083b1f6b6485d685685fc73c14fbb212cc" alt=""
The hard parts of React Query
By nmitrovic
The hard parts of React Query
- 246