- Introduction
- Getting started
- Philosophy
- Comparison
- Limitations
- Debugging runbook
- FAQ
- Basics
- Concepts
- Network behavior
- Integrations
- API
- CLI
- Best practices
- Recipes
Query parameters
Read and write request query parameters.
To read the intercepted request’s URL query parameters, first construct a URL
instance out of the request.url
string. The URL
instance provides you with the URLSearchParams
that you can use to read the query parameters.
Although you can use URLSearchParams
to modify query parameters, it will
have no effect because by the time request reaches your handler it has already
happened and cannot be modified.
Do not confuse query parameters with path parameters of the request:
- Query parameters:
?a=1&b=2
; - Path parameters:
GET /user/:id
, whereid
is a path parameter.
Read a single parameter
export const handlers = [
http.get('/product', ({ request }) => {
// Construct a URL instance out of the intercepted request.
const url = new URL(request.url)
// Read the "id" URL query parameter using the "URLSearchParams" API.
// Given "/product?id=1", "productId" will equal "1".
const productId = url.searchParams.get('id')
// Note that query parameters are potentially undefined.
// Make sure to account for that in your handlers.
if (!productId) {
return new HttpResponse(null, { status: 404 })
}
return HttpResponse.json({ productId })
}),
]
Read multi-value parameter
Use the URLSearchParams.prototype.getAll()
function to get a list of values for multi-value query parameters.
export const handlers = [
http.get('/products', ({ request }) => {
const url = new URL(request.url)
// Given "/products?id=1&id=2&id=3",
// "productIds" will equal ["1", "2", "3"].
const productIds = url.searchParams.getAll('id')
return HttpResponse.json({ productIds })
}),
]
Write query parameters
The request
instance you get in the response resolver represents a request that has already happened. While you can use the .set()
and .append()
methods on its query parameters, that will have no effect on the request.
You can, however, construct a new request with modified query paramers in scenarios like proxying.
export const handlers = [
http.get('/user', ({ request }) => {
const url = new URL(request.url)
url.searchParams.set('debug', 'true')
// Construct a proxy request based on the intercepted request
// but provide a new URL that contains modified query parameters.
const proxyRequest = new Request(url, request)
}),
]
Learn more about performing proxy requests and patching responses in this recipe:
Response patching
Augment original responses