Source code: source/core/options.ts
Like fetch
stores the options in a Request
instance, Got does so in Options
.
It is made of getters and setters that provide fast option normalization and validation.
By default, Got will retry on failure. To disable this option, set options.retry
to {limit: 0}
.
When an option is already set, setting it again replaces it with a deep clone by default.
Otherwise the merge behavior is documented in the corresponding section for the option.
The constructor - new Options(url, options, defaults)
- takes the same arguments like the got
function.
import got, {Options} from 'got';
const options = new Options({
prefixUrl: 'https://httpbin.org',
headers: {
foo: 'foo'
}
});
options.headers.foo = 'bar';
// Note that `Options` stores normalized options, therefore it needs to be passed as the third argument.
const {headers} = await got('anything', undefined, options).json();
console.log(headers.foo);
//=> 'bar'
If a plain object is preferred, it can be used in the following way:
import got from 'got';
const options = {
prefixUrl: 'https://httpbin.org',
headers: {
foo: 'bar'
}
};
options.headers.foo = 'bar';
// Note that `options` is a plain object, therefore it needs to be passed as the second argument.
const {headers} = await got('anything', options).json();
console.log(headers.foo);
//=> 'bar'
Note that the constructor throws when an invalid option is provided, such as non-existing option or a typo.
In the second example, it would throw only when the promise is being executed.
For TypeScript users, got
exports a dedicated type called OptionsInit
.
It is a plain object that can store the same properties as Options
.
Performance-wise there is no difference which one is used, although the constructor may be preferred as it automatically validates the data.
The Options
approach may give a slight boost as it only clones the options, there is no normalization going on.
It is also useful for storing the base configuration of a custom Got client.
Unlike Got 11, explicitly specifying undefined
no longer keeps the parent value.
In order to keep the parent value, you must not set an option to undefined
.
Doing so will reset those values:
instance(…, {searchParams: undefined}});
instance(…, {cookieJar: undefined}});
instance(…, {responseType: undefined}});
instance(…, {prefixUrl: ''});
instance(…, {agent: {http: undefined, https: undefined, http2: undefined}});
instance(…, {context: {token: undefined, …}});
instance(…, {https: {rejectUnauthorized: undefined, …}});
instance(…, {cacheOptions: {immutableMinTimeToLive: undefined, …}});
instance(…, {headers: {'user-agent': undefined, …}});
instance(…, {timeout: {request: undefined, …}});
In order to reset hooks
, retry
and pagination
, another Got instance must be created:
const defaults = new Options();
const secondInstance = instance.extend({mutableDefaults: true});
secondInstance.defaults.options.hooks = defaults.hooks;
secondInstance.defaults.options.retry = defaults.retry;
secondInstance.defaults.options.pagination = defaults.pagination;
Type: string | URL
The URL to request. Usually the url
represents a WHATWG URL.
import got from 'got';
// This:
await got('https://httpbin.org/anything');
// is semantically the same as this:
await got(new URL('https://httpbin.org/anything'));
// as well as this:
await got({
url: 'https://httpbin.org/anything'
});
- Throws if no protocol specified.
- If
url
is a string, then thequery
string will not be parsed as search params.
This is in accordance to the specification.
If you want to pass search params instead, use thesearchParams
option below.
import got from 'got';
await got('https://httpbin.org/anything?query=a b'); //=> ?query=a%20b
await got('https://httpbin.org/anything', {searchParams: {query: 'a b'}}); //=> ?query=a+b
// The query string is overridden by `searchParams`
await got('https://httpbin.org/anything?query=a b', {searchParams: {query: 'a b'}}); //=> ?query=a+b
- Leading slashes are disallowed to enforce consistency and avoid confusion.
For example, when the prefix URL ishttps://example.com/foo
and the input is/bar
, there's ambiguity whether the resulting URL would becomehttps://example.com/foo/bar
orhttps://example.com/bar
. The latter is used by browsers.
Type: string | URLSearchParams | object<string, Primitive>
WHATWG URL Search Params to be added to the request URL.
import got from 'got';
const response = await got('https://httpbin.org/anything', {
searchParams: {
hello: 'world',
foo: 123
}
}).json();
console.log(response.args);
//=> {hello: 'world', foo: 123}
If you need to pass an array, you can do it using a URLSearchParams
instance:
import got from 'got';
const searchParams = new URLSearchParams([['key', 'a'], ['key', 'b']]);
await got('https://httpbin.org/anything', {searchParams});
console.log(searchParams.toString());
//=> 'key=a&key=b'
- This will override the
query
string inurl
.
null
values are not stringified, an empty string is used instead.undefined
values will clear the original keys.
- Overrides existing properties.
Type: string
Default: ''
The string to be prepended to url
.
The prefix can be any valid URL, either relative or absolute.
A trailing slash /
is optional - one will be added automatically.
import got from 'got';
// This:
const instance = got.extend({prefixUrl: 'https://httpbin.org'});
await instance('anything');
// is semantically the same as this:
await got('https://httpbin.org/anything');
- Changing
prefixUrl
also updates theurl
option if set.
- If you're passing an absolute URL as
url
, you need to setprefixUrl
to an empty string.
Type: AbortSignal
You can abort the request
using AbortController
.
import got from 'got';
const abortController = new AbortController();
const request = got('https://httpbin.org/anything', {
signal: abortController.signal
});
setTimeout(() => {
abortController.abort();
}, 100);
Type: string
Default: GET
The HTTP method used to make the request.
The most common methods are: GET
, HEAD
, POST
, PUT
, DELETE
.
import got from 'got';
const {method} = await got('https://httpbin.org/anything', {
method: 'POST'
}).json();
console.log(method);
// => 'POST'
Type: object<string, string>
Default: {}
The HTTP headers to be sent. Headers set to undefined
will be omitted.
import got from 'got';
const {headers} = await got.post('https://httpbin.org/anything', {
headers: {
hello: 'world'
}
}).json();
console.log(headers);
// => {hello: 'world'}
- Overrides existing properties.
Type: boolean
Default: false
Whether the got
function should return a Request
duplex stream or a Promise<Response>
.
import got from 'got';
// This:
const stream = got('https://httpbin.org/anything', {isStream: true});
// is semantically the same as this:
const stream = got.stream('https://httpbin.org/anything');
stream.setEncoding('utf8');
stream.on('data', console.log);
Type: string | Buffer | stream.Readable | Generator | AsyncGenerator | FormData
or form-data
instance
The payload to send.
For string
and Buffer
types, the content-length
header is automatically set if the content-length
and transfer-encoding
headers are missing.
Since Got 12, the content-length
header is not automatically set when body
is an instance of fs.createReadStream()
.
import got from 'got';
const {data} = await got.post('https://httpbin.org/anything', {
body: 'Hello, world!'
}).json();
console.log(data);
//=> 'Hello, world!'
Since Got 12, you can use spec-compliant FormData
objects as request body, such as formdata-node
or formdata-polyfill
:
import got from 'got';
import {FormData} from 'formdata-node'; // or:
// import {FormData} from 'formdata-polyfill/esm.min.js';
const form = new FormData();
form.set('greeting', 'Hello, world!');
const data = await got.post('https://httpbin.org/post', {
body: form
}).json();
console.log(data.form.greeting);
//=> 'Hello, world!'
- If
body
is specified, then thejson
orform
option cannot be used.
- If you use this option,
got.stream()
will be read-only.
- Passing
body
withGET
will throw unless theallowGetBody
option is set totrue
.
- This option is not enumerable and will not be merged with the instance defaults.
Type: JSON-serializable values
JSON body. If set, the content-type
header defaults to application/json
.
import got from 'got';
const {data} = await got.post('https://httpbin.org/anything', {
json: {
hello: 'world'
}
}).json();
console.log(data);
//=> `{hello: 'world'}`
Type: object<string, Primitive>
The form body is converted to a query string using (new URLSearchParams(form)).toString()
.
If set, the content-type
header defaults to application/x-www-form-urlencoded
.
import got from 'got';
const {data} = await got.post('https://httpbin.org/anything', {
form: {
hello: 'world'
}
}).json();
console.log(data);
//=> 'hello=world'
Type: (text: string) => unknown
Default: (text: string) => JSON.parse(text)
The function used to parse JSON responses.
import got from 'got';
import Bourne from '@hapi/bourne';
// Preventing prototype pollution by using Bourne
const parsed = await got('https://example.com', {
parseJson: text => Bourne.parse(text)
}).json();
console.log(parsed);
Type: (object: unknown) => string
Default: (object: unknown) => JSON.stringify(object)
The function used to stringify the body of JSON requests.
Example: ignore all properties starting with an underscore
import got from 'got';
await got.post('https://example.com', {
stringifyJson: object => JSON.stringify(object, (key, value) => {
if (key.startsWith('_')) {
return;
}
return value;
}),
json: {
some: 'payload',
_ignoreMe: 1234
}
});
Example: all numbers as strings
import got from 'got';
await got.post('https://example.com', {
stringifyJson: object => JSON.stringify(object, (key, value) => {
if (typeof value === 'number') {
return value.toString();
}
return value;
}),
json: {
some: 'payload',
number: 1
}
});
Type: boolean
Default: false
Set this to true
to allow sending body for the GET
method.
However, the HTTP/2 specification says:
An HTTP GET request includes request header fields and no payload body
Therefore this option has no effect when using HTTP/2.
- This option is only meant to interact with non-compliant servers when you have no other choice.
- The RFC 7231 doesn't specify any particular behavior for the GET method having a payload, therefore it's considered an anti-pattern.
Type: object
See the Timeout API.
- Overrides existing properties.
Type: object
See the Retry API.
- Overrides existing properties.
Type: object
See the Hooks API.
- Merges arrays via
[...hooksArray, ...next]
Type: string
Default: 'utf8'
Encoding to be used on setEncoding
of the response data.
To get a Buffer
, you need to set responseType
to 'buffer'
instead. Don't set this option to null
.
import got from 'got';
const response = await got('https://httpbin.org/anything', {
encoding: 'base64'
}).text();
console.log(response);
//=> base64 string
- This option does not affect streams! Instead, do:
import got from 'got';
const stream = got.stream('https://httpbin.org/anything');
stream.setEncoding('base64');
stream.on('data', console.log);
Type: 'text' | 'json' | 'buffer'
Default: 'text'
The parsing method.
The promise also has .text()
, .json()
and .buffer()
methods which return another Got promise for the parsed body.
It's like setting the options to {responseType: 'json', resolveBodyOnly: true}
but without affecting the main Got promise.
import got from 'got';
const responsePromise = got('https://httpbin.org/anything');
const bufferPromise = responsePromise.buffer();
const jsonPromise = responsePromise.json();
const [response, buffer, json] = await Promise.all([responsePromise, bufferPromise, jsonPromise]);
// `response` is an instance of Got Response
// `buffer` is an instance of Buffer
// `json` is an object
- When using streams, this option is ignored.
'buffer'
will return the raw body buffer. Any modifications will also alter the result of.text()
and.json()
. Before overwriting the buffer, please copy it first viaBuffer.from(buffer)
.
See nodejs/node#27080
Type: boolean
Default: false
If true
, the promise will return the Response body instead of the Response object.
import got from 'got';
const url = 'https://httpbin.org/anything';
// This:
const body = await got(url).json();
// is semantically the same as this:
const body = await got(url, {responseType: 'json', resolveBodyOnly: true});
Type: object<string, unknown>
Default: {}
Note:
- Non-enumerable properties inside are not merged.
Contains user data. It's very useful for storing auth tokens:
import got from 'got';
const instance = got.extend({
hooks: {
beforeRequest: [
options => {
if (typeof options.context.token !== 'string') {
throw new Error('Token required');
}
options.headers.token = options.context.token;
}
]
}
});
const context = {
token: 'secret'
};
const {headers} = await instance('https://httpbin.org/headers', {context}).json();
console.log(headers);
//=> {token: 'secret', …}
This option is enumerable. In order to define non-enumerable properties inside, do the following:
import got from 'got';
const context = {};
Object.defineProperties(context, {
token: {
value: 'secret',
enumerable: false,
configurable: true,
writable: true
}
});
const instance = got.extend({context});
console.log(instance.defaults.options.context);
//=> {}
- Overrides existing properties.
Type: object | tough.cookieJar
- Setting this option will result in the
cookie
header being overwritten.
Cookie support. Handles parsing and storing automatically.
import got from 'got';
import {CookieJar} from 'tough-cookie';
const cookieJar = new CookieJar();
await cookieJar.setCookie('foo=bar', 'https://example.com');
await got('https://example.com', {cookieJar});
Type: (rawCookie: string, url: string) => void | Promise<void>
See ToughCookie API for more information.
Type: (currentUrl: string) => string | Promise<string>
See ToughCookie API for more information.
Type: boolean
Default: false
Ignore invalid cookies instead of throwing an error.
Only useful when the cookieJar
option has been set.
- This is not recommended! Use at your own risk.
Type: boolean | (response: PlainResponse) => boolean
Default: true
Whether redirect responses should be followed automatically.
Optionally, pass a function to dynamically decide based on the response object.
- If a
303
is sent by the server in response to any request type (POST, DELETE, etc.), Got will request the resource pointed to in the location header via GET.
This is in accordance with the specification. You can optionally turn on this behavior also for other redirect codes - seemethodRewriting
.
import got from 'got';
const instance = got.extend({followRedirect: false});
const response = await instance('http://google.com');
console.log(response.headers.location);
//=> 'https://google.com'
Type: number
Default: 10
If exceeded, the request will be aborted and a MaxRedirectsError
will be thrown.
import got from 'got';
const instance = got.extend({maxRedirects: 3});
try {
await instance('https://nghttp2.org/httpbin/absolute-redirect/5');
} catch (error) {
//=> 'Redirected 3 times. Aborting.'
console.log(error.message);
}
Type: boolean
Default: true
Decompress the response automatically. This will set the accept-encoding
header to gzip, deflate, br
.
If disabled, a compressed response is returned as a Buffer
. This may be useful if you want to handle decompression yourself.
import got from 'got';
const response = await got('https://google.com');
console.log(response.headers['content-encoding']);
//=> 'gzip'
Type: Function
Default: dns.lookup
Custom DNS resolution logic.
The function signature is the same as dns.lookup
.
Type: CacheableLookup | false
An instance of CacheableLookup
used for making DNS lookups.
Useful when making lots of requests to different public hostnames.
Note:
- This should stay disabled when making requests to internal hostnames such as localhost, database.local etc.
- CacheableLookup uses
dns.resolver4(…)
anddns.resolver6(…)
under the hood and falls back todns.lookup(…)
when the first two fail, which may lead to additional delay.
Type: 4 | 6
Default: undefined
The IP version to use. Specifying undefined
will use the default configuration.
Type: Function<ClientRequest | IncomingMessage> | AsyncFunction<ClientRequest | IncomingMessage>
Default: http.request | https.request
(depending on the protocol)
Custom request function.
The main purpose of this is to support HTTP/2 using a wrapper.
Type: object | false
Default: false
Cache adapter instance for storing cached response data.
Type: object
Default: {}
Cache options used for the specified request.
Type: boolean
Default: false
Note:
- This option requires Node.js 15.10.0 or newer as HTTP/2 support on older Node.js versions is very buggy.
If true
, the request
option will default to http2wrapper.auto
and the entire agent
object will be passed.
Note:
- ALPN negotiation will have place in order to determine if the server actually supports HTTP/2. If it doesn't, HTTP/1.1 will be used.
Note:
- Setting the
request
option tohttps.request
will disable HTTP/2 usage. It is required to usehttp2wrapper.auto
.
Note:
- There is no direct
h2c
support. However, you can provide ah2session
option in abeforeRequest
hook. See an example.
import got from 'got';
const {headers} = await got(
'https://httpbin.org/anything',
{
http2: true
}
);
console.log(headers[':status']);
//=> 200
Note:
- The current Got version may use an older version of
http2-wrapper
.
If you prefer to use the newest one, set bothrequest
tohttp2wrapper.auto
andhttp2
totrue
.
import http2wrapper from 'http2-wrapper';
import got from 'got';
const {headers} = await got(
'https://httpbin.org/anything',
{
http2: true,
request: http2wrapper.auto
}
);
console.log(headers[':status']);
//=> 200
See the http2-wrapper
docs to learn more about Agent and Proxy support.
Type: object
Default: {}
An object with http
, https
and http2
properties.
Got will automatically resolve the protocol and use the corresponding agent. It defaults to:
{
http: http.globalAgent,
https: https.globalAgent,
http2: http2.globalAgent
}
Note:
The HTTP/2
Agent
must be an instance ofhttp2wrapper.Agent
Type: boolean
Default: true
If true
, it will throw when the status code is not 2xx
/ 3xx
.
If this is disabled, requests that encounter an error status code will be resolved with the response instead of throwing. This may be useful if you are checking for resource availability and are expecting error responses.
Type: string
Default: ''
The username
used for Basic authentication.
Type: string
Default: ''
The password
used for Basic authentication.
Type: string | undefined
Default: undefined
The local IP address used to make the request.
Type: Function | undefined
Default: undefined
The function used to retrieve a net.Socket
instance when the agent
option is not used.
Type: object
See Advanced HTTPS API.
Type: object
See Pagination API.
Type: boolean
Default: true
Specifies whether or not to automatically add the Host
header.
Type: number | undefined
Default: undefined
Optionally overrides the value of --max-http-header-size
(default 16KB: 16384
).
Type: boolean
Default: false
Specifies if the HTTP request method should be rewritten as GET
on redirects.
As the specification prefers to rewrite the HTTP method only on 303
responses, this is Got's default behavior. Setting methodRewriting
to true
will also rewrite 301
and 302
responses, as allowed by the spec. This is the behavior followed by curl
and browsers.
Note:
- Got never performs method rewriting on
307
and308
responses, as this is explicitly prohibited by the specification.
Type: boolean
Default: false
When enabled, requests can also be sent via UNIX Domain Sockets.
Warning Make sure you do your own URL sanitizing if you accept untrusted user input for the URL.
Use the following URL scheme: PROTOCOL://unix:SOCKET:PATH
PROTOCOL
-http
orhttps
SOCKET
- Absolute path to a UNIX domain socket, for example:/var/run/docker.sock
PATH
- Request path, for example:/v2/keys
import got from 'got';
await got('http://unix:/var/run/docker.sock:/containers/json', {enableUnixSockets: true});
// Or without protocol (HTTP by default)
await got('unix:/var/run/docker.sock:/containers/json', {enableUnixSockets: true});
// Enable Unix sockets for the whole instance.
const gotWithUnixSockets = got.extend({enableUnixSockets: true});
await gotWithUnixSockets('http://unix:/var/run/docker.sock:/containers/json');
Merges other
into the current instance.
If you look at the source code, you will notice that internally there is a this._merging
property.
Setters work a bit differently when it's true
.
Returns a new plain object that can be stored as JSON.
Creates a new object for native Node.js HTTP request options.
In other words, this translates Got options into Node.js options.
Note:
- Some other stuff, such as timeouts, is handled internally by Got.
Returns a http.request
-like function used to make the request.
Makes the entire Options
instance read-only.