Skip to content
TkDodo's blog
TwitterGithub

Using WebSockets with React Query

ReactJs, React Query, JavaScript, TypeScript4 min read

react query websockets
Photo by Maxim Hopman
  • 한국어
  • Español
  • 简体中文
  • Add translation

How to handle live data using WebSockets together with React Query has been one of the most asked questions lately, so I thought I'd give it a try, play around with it a bit and report my findings. That's what this post is about :)

What are WebSockets

Simply put, WebSockets allow push messages, or "live data", to be sent from the server to the client (browser). Usually with HTTP, the client makes a request to the server, specifying that they would like some data please, the server responds with that data or an error and then the connection closes.

Since the client is the one opening the connections and initiating the requests, that leaves no room for the server to push data to the client when the server knows that an update is available.

That's where WebSockets kick in.

Like with any other HTTP request, the browser initiates the connection, but indicates that they would like to upgrade the connection to a WebSocket. If the server accepts this, they will then switch the protocol. This connection will not terminate, but will stay open until either side decides to close it. Now, we have a fully functioning bi-directional connection open, where both sides can transmit data.

This has the main advantage that the server can now push selective updates to the client. This can come in very handy if you have multiple users viewing the same data, and one user makes an update. Usually, the other clients will not see that update until they actively refetch. WebSockets allow to instantly push those updates in real-time.

React Query integration

Since React Query is primarily a client side async state management library, I will not talk about how to set up WebSockets on the server. I've honestly never done it, and it also depends on which technology you are using in the backend.

React Query doesn't have anything built-in specifically for WebSockets. That doesn't mean that WebSockets are not supported or that they don't work well with the library. It's just that React Query is very agnostic when it comes to how you fetch your data: All it needs is a resolved or rejected Promise to work - the rest is up to you.

Step by Step

The general idea is to setup your queries as usual, as if you wouldn't be working with WebSockets. Most of the time, you will have your usual HTTP endpoints to query and mutate entities.

a-standard-query
1const usePosts = () =>
2 useQuery({ queryKey: ['posts', 'list'], queryFn: fetchPosts })
3
4const usePost = (id) =>
5 useQuery({
6 queryKey: ['posts', 'detail', id],
7 queryFn: () => fetchPost(id),
8 })

Additionally, you can setup an app-wide useEffect that connects you to your WebSocket endpoint. How that works totally depends on which technology you are using. I've seen people subscribe to live data from Hasura. There's a great article about connecting to Firebase. In my example, I will simply use the browser's native WebSocket API:

useReactQuerySubscription
1const useReactQuerySubscription = () => {
2 React.useEffect(() => {
3 const websocket = new WebSocket('wss://echo.websocket.org/')
4 websocket.onopen = () => {
5 console.log('connected')
6 }
7
8 return () => {
9 websocket.close()
10 }
11 }, [])
12}

Consuming data

After we've setup the connection, we will likely have some sort of callback that will be called when data comes in over the WebSocket. Again, what that data is depends entirely on how you'd like to set it up. Inspired by this message from Tanner Linsley, I like to send events from the backend instead of complete data objects:

event-based-subscriptions
1const useReactQuerySubscription = () => {
2 const queryClient = useQueryClient()
3 React.useEffect(() => {
4 const websocket = new WebSocket('wss://echo.websocket.org/')
5 websocket.onopen = () => {
6 console.log('connected')
7 }
8 websocket.onmessage = (event) => {
9 const data = JSON.parse(event.data)
10 const queryKey = [...data.entity, data.id].filter(Boolean)
11 queryClient.invalidateQueries({ queryKey })
12 }
13
14 return () => {
15 websocket.close()
16 }
17 }, [queryClient])
18}

That's really all you need to make list and detail views update when you receive an event.

  • { "entity": ["posts", "list"] } will invalidate the posts list
  • { "entity": ["posts", "detail"], id: 5 } will invalidate a single post
  • { "entity": ["posts"] } will invalidate everything post related

Query Invalidation plays really nice together with WebSockets. This approach avoids the problem of over pushing, because if we receive an event for an entity that we are not interested in at the moment, nothing will happen. For example, if we are currently on the Profile page, and we receive an update for Posts, invalidateQueries will make sure that the next time we get to our Posts page, it will be refetched. However, it will not refetch it right away, because we have no active observers. If we never go to that page again, the pushed update would be completely unnecessary.

Partial data updates

Of course, if you have big data sets that receive small, but frequent updates, you might still want to push partial data down the WebSocket.

Title of the post has changed? Just push the title. Number of likes have changed - push it down.

For these partial updates, you can use queryClient.setQueryData to directly update the query cache instead of just invalidating it.

This will be a bit more cumbersome if you have multiple query keys for the same data, e.g. if you have multiple filter criteria as part of the query key, or if you want to update list and detail view with the same message. queryClient.setQueriesData is a relatively new addition to the library that will allow you to tackle this use-case as well:

partial-updates
1const useReactQuerySubscription = () => {
2 const queryClient = useQueryClient()
3 React.useEffect(() => {
4 const websocket = new WebSocket('wss://echo.websocket.org/')
5 websocket.onopen = () => {
6 console.log('connected')
7 }
8 websocket.onmessage = (event) => {
9 const data = JSON.parse(event.data)
10 queryClient.setQueriesData(data.entity, (oldData) => {
11 const update = (entity) =>
12 entity.id === data.id
13 ? { ...entity, ...data.payload }
14 : entity
15 return Array.isArray(oldData)
16 ? oldData.map(update)
17 : update(oldData)
18 })
19 }
20
21 return () => {
22 websocket.close()
23 }
24 }, [queryClient])
25}

It's a bit too dynamic for my taste, doesn't handle addition or deletion, and TypeScript won't like it very much, so I'd personally rather stick to query invalidation.

Nevertheless, here is a codesandbox example where I'm handling both type of events: invalidation and partial updates. (Note: The custom hook is a bit more convoluted because in the example, I use the same WebSocket to simulate the server round trip. Don't worry about it if you have a real server).

Increasing StaleTime

React Query comes with a default staleTime of zero. This means that every query will be immediately considered as stale, which means it will refetch when a new subscriber mounts or when the user refocuses the window. It is aimed to keep your data as up-to-date as necessary.

This goal overlaps a lot with WebSockets, which update your data in real-time. Why would I need to refetch at all if I just manually invalidated because the server just told me to do so via a dedicated message?

So if you update all your data via websockets anyways, consider setting a high staleTime. In my example, I just used Infinity. This means the data will be fetched initially via useQuery, and then always come from the cache. Refetching only happens via the explicit query invalidation.

You can best achieve this by setting global query defaults when creating the QueryClient

infinite-stale-time
1const queryClient = new QueryClient({
2 defaultOptions: {
3 queries: {
4 staleTime: Infinity,
5 },
6 },
7})

That's it for today. Feel free to reach out to me on twitter if you have any questions, or just leave a comment below. ⬇️