{ "type": "module", "source": "doc/api/http.md", "modules": [ { "textRaw": "HTTP", "name": "http", "introduced_in": "v0.10.0", "stability": 2, "stabilityText": "Stable", "desc": "

Source Code: lib/http.js

\n

To use the HTTP server and client one must require('http').

\n

The HTTP interfaces in Node.js are designed to support many features\nof the protocol which have been traditionally difficult to use.\nIn particular, large, possibly chunk-encoded, messages. The interface is\ncareful to never buffer entire requests or responses, so the\nuser is able to stream data.

\n

HTTP message headers are represented by an object like this:

\n\n
{ 'content-length': '123',\n  'content-type': 'text/plain',\n  'connection': 'keep-alive',\n  'host': 'mysite.com',\n  'accept': '*/*' }\n
\n

Keys are lowercased. Values are not modified.

\n

In order to support the full spectrum of possible HTTP applications, the Node.js\nHTTP API is very low-level. It deals with stream handling and message\nparsing only. It parses a message into headers and body but it does not\nparse the actual headers or the body.

\n

See message.headers for details on how duplicate headers are handled.

\n

The raw headers as they were received are retained in the rawHeaders\nproperty, which is an array of [key, value, key2, value2, ...]. For\nexample, the previous message header object might have a rawHeaders\nlist like the following:

\n\n
[ 'ConTent-Length', '123456',\n  'content-LENGTH', '123',\n  'content-type', 'text/plain',\n  'CONNECTION', 'keep-alive',\n  'Host', 'mysite.com',\n  'accepT', '*/*' ]\n
", "classes": [ { "textRaw": "Class: `http.Agent`", "type": "class", "name": "http.Agent", "meta": { "added": [ "v0.3.4" ], "changes": [] }, "desc": "

An Agent is responsible for managing connection persistence\nand reuse for HTTP clients. It maintains a queue of pending requests\nfor a given host and port, reusing a single socket connection for each\nuntil the queue is empty, at which time the socket is either destroyed\nor put into a pool where it is kept to be used again for requests to the\nsame host and port. Whether it is destroyed or pooled depends on the\nkeepAlive option.

\n

Pooled connections have TCP Keep-Alive enabled for them, but servers may\nstill close idle connections, in which case they will be removed from the\npool and a new connection will be made when a new HTTP request is made for\nthat host and port. Servers may also refuse to allow multiple requests\nover the same connection, in which case the connection will have to be\nremade for every request and cannot be pooled. The Agent will still make\nthe requests to that server, but each one will occur over a new connection.

\n

When a connection is closed by the client or the server, it is removed\nfrom the pool. Any unused sockets in the pool will be unrefed so as not\nto keep the Node.js process running when there are no outstanding requests.\n(see socket.unref()).

\n

It is good practice, to destroy() an Agent instance when it is no\nlonger in use, because unused sockets consume OS resources.

\n

Sockets are removed from an agent when the socket emits either\na 'close' event or an 'agentRemove' event. When intending to keep one\nHTTP request open for a long time without keeping it in the agent, something\nlike the following may be done:

\n
http.get(options, (res) => {\n  // Do stuff\n}).on('socket', (socket) => {\n  socket.emit('agentRemove');\n});\n
\n

An agent may also be used for an individual request. By providing\n{agent: false} as an option to the http.get() or http.request()\nfunctions, a one-time use Agent with default options will be used\nfor the client connection.

\n

agent:false:

\n
http.get({\n  hostname: 'localhost',\n  port: 80,\n  path: '/',\n  agent: false  // Create a new agent just for this one request\n}, (res) => {\n  // Do stuff with response\n});\n
", "methods": [ { "textRaw": "`agent.createConnection(options[, callback])`", "type": "method", "name": "createConnection", "meta": { "added": [ "v0.11.4" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {stream.Duplex}", "name": "return", "type": "stream.Duplex" }, "params": [ { "textRaw": "`options` {Object} Options containing connection details. Check [`net.createConnection()`][] for the format of the options", "name": "options", "type": "Object", "desc": "Options containing connection details. Check [`net.createConnection()`][] for the format of the options" }, { "textRaw": "`callback` {Function} Callback function that receives the created socket", "name": "callback", "type": "Function", "desc": "Callback function that receives the created socket" } ] } ], "desc": "

Produces a socket/stream to be used for HTTP requests.

\n

By default, this function is the same as net.createConnection(). However,\ncustom agents may override this method in case greater flexibility is desired.

\n

A socket/stream can be supplied in one of two ways: by returning the\nsocket/stream from this function, or by passing the socket/stream to callback.

\n

This method is guaranteed to return an instance of the <net.Socket> class,\na subclass of <stream.Duplex>, unless the user specifies a socket\ntype other than <net.Socket>.

\n

callback has a signature of (err, stream).

" }, { "textRaw": "`agent.keepSocketAlive(socket)`", "type": "method", "name": "keepSocketAlive", "meta": { "added": [ "v8.1.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`socket` {stream.Duplex}", "name": "socket", "type": "stream.Duplex" } ] } ], "desc": "

Called when socket is detached from a request and could be persisted by the\nAgent. Default behavior is to:

\n
socket.setKeepAlive(true, this.keepAliveMsecs);\nsocket.unref();\nreturn true;\n
\n

This method can be overridden by a particular Agent subclass. If this\nmethod returns a falsy value, the socket will be destroyed instead of persisting\nit for use with the next request.

\n

The socket argument can be an instance of <net.Socket>, a subclass of\n<stream.Duplex>.

" }, { "textRaw": "`agent.reuseSocket(socket, request)`", "type": "method", "name": "reuseSocket", "meta": { "added": [ "v8.1.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`socket` {stream.Duplex}", "name": "socket", "type": "stream.Duplex" }, { "textRaw": "`request` {http.ClientRequest}", "name": "request", "type": "http.ClientRequest" } ] } ], "desc": "

Called when socket is attached to request after being persisted because of\nthe keep-alive options. Default behavior is to:

\n
socket.ref();\n
\n

This method can be overridden by a particular Agent subclass.

\n

The socket argument can be an instance of <net.Socket>, a subclass of\n<stream.Duplex>.

" }, { "textRaw": "`agent.destroy()`", "type": "method", "name": "destroy", "meta": { "added": [ "v0.11.4" ], "changes": [] }, "signatures": [ { "params": [] } ], "desc": "

Destroy any sockets that are currently in use by the agent.

\n

It is usually not necessary to do this. However, if using an\nagent with keepAlive enabled, then it is best to explicitly shut down\nthe agent when it is no longer needed. Otherwise,\nsockets might stay open for quite a long time before the server\nterminates them.

" }, { "textRaw": "`agent.getName(options)`", "type": "method", "name": "getName", "meta": { "added": [ "v0.11.4" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {string}", "name": "return", "type": "string" }, "params": [ { "textRaw": "`options` {Object} A set of options providing information for name generation", "name": "options", "type": "Object", "desc": "A set of options providing information for name generation", "options": [ { "textRaw": "`host` {string} A domain name or IP address of the server to issue the request to", "name": "host", "type": "string", "desc": "A domain name or IP address of the server to issue the request to" }, { "textRaw": "`port` {number} Port of remote server", "name": "port", "type": "number", "desc": "Port of remote server" }, { "textRaw": "`localAddress` {string} Local interface to bind for network connections when issuing the request", "name": "localAddress", "type": "string", "desc": "Local interface to bind for network connections when issuing the request" }, { "textRaw": "`family` {integer} Must be 4 or 6 if this doesn't equal `undefined`.", "name": "family", "type": "integer", "desc": "Must be 4 or 6 if this doesn't equal `undefined`." } ] } ] } ], "desc": "

Get a unique name for a set of request options, to determine whether a\nconnection can be reused. For an HTTP agent, this returns\nhost:port:localAddress or host:port:localAddress:family. For an HTTPS agent,\nthe name includes the CA, cert, ciphers, and other HTTPS/TLS-specific options\nthat determine socket reusability.

" } ], "properties": [ { "textRaw": "`freeSockets` {Object}", "type": "Object", "name": "freeSockets", "meta": { "added": [ "v0.11.4" ], "changes": [ { "version": "v16.0.0", "pr-url": "https://github.com/nodejs/node/pull/36409", "description": "The property now has a `null` prototype." } ] }, "desc": "

An object which contains arrays of sockets currently awaiting use by\nthe agent when keepAlive is enabled. Do not modify.

\n

Sockets in the freeSockets list will be automatically destroyed and\nremoved from the array on 'timeout'.

" }, { "textRaw": "`maxFreeSockets` {number}", "type": "number", "name": "maxFreeSockets", "meta": { "added": [ "v0.11.7" ], "changes": [] }, "desc": "

By default set to 256. For agents with keepAlive enabled, this\nsets the maximum number of sockets that will be left open in the free\nstate.

" }, { "textRaw": "`maxSockets` {number}", "type": "number", "name": "maxSockets", "meta": { "added": [ "v0.3.6" ], "changes": [] }, "desc": "

By default set to Infinity. Determines how many concurrent sockets the agent\ncan have open per origin. Origin is the returned value of agent.getName().

" }, { "textRaw": "`maxTotalSockets` {number}", "type": "number", "name": "maxTotalSockets", "meta": { "added": [ "v14.5.0", "v12.19.0" ], "changes": [] }, "desc": "

By default set to Infinity. Determines how many concurrent sockets the agent\ncan have open. Unlike maxSockets, this parameter applies across all origins.

" }, { "textRaw": "`requests` {Object}", "type": "Object", "name": "requests", "meta": { "added": [ "v0.5.9" ], "changes": [ { "version": "v16.0.0", "pr-url": "https://github.com/nodejs/node/pull/36409", "description": "The property now has a `null` prototype." } ] }, "desc": "

An object which contains queues of requests that have not yet been assigned to\nsockets. Do not modify.

" }, { "textRaw": "`sockets` {Object}", "type": "Object", "name": "sockets", "meta": { "added": [ "v0.3.6" ], "changes": [ { "version": "v16.0.0", "pr-url": "https://github.com/nodejs/node/pull/36409", "description": "The property now has a `null` prototype." } ] }, "desc": "

An object which contains arrays of sockets currently in use by the\nagent. Do not modify.

" } ], "signatures": [ { "params": [ { "textRaw": "`options` {Object} Set of configurable options to set on the agent. Can have the following fields:", "name": "options", "type": "Object", "desc": "Set of configurable options to set on the agent. Can have the following fields:", "options": [ { "textRaw": "`keepAlive` {boolean} Keep sockets around even when there are no outstanding requests, so they can be used for future requests without having to reestablish a TCP connection. Not to be confused with the `keep-alive` value of the `Connection` header. The `Connection: keep-alive` header is always sent when using an agent except when the `Connection` header is explicitly specified or when the `keepAlive` and `maxSockets` options are respectively set to `false` and `Infinity`, in which case `Connection: close` will be used. **Default:** `false`.", "name": "keepAlive", "type": "boolean", "default": "`false`", "desc": "Keep sockets around even when there are no outstanding requests, so they can be used for future requests without having to reestablish a TCP connection. Not to be confused with the `keep-alive` value of the `Connection` header. The `Connection: keep-alive` header is always sent when using an agent except when the `Connection` header is explicitly specified or when the `keepAlive` and `maxSockets` options are respectively set to `false` and `Infinity`, in which case `Connection: close` will be used." }, { "textRaw": "`keepAliveMsecs` {number} When using the `keepAlive` option, specifies the [initial delay](net.md#net_socket_setkeepalive_enable_initialdelay) for TCP Keep-Alive packets. Ignored when the `keepAlive` option is `false` or `undefined`. **Default:** `1000`.", "name": "keepAliveMsecs", "type": "number", "default": "`1000`", "desc": "When using the `keepAlive` option, specifies the [initial delay](net.md#net_socket_setkeepalive_enable_initialdelay) for TCP Keep-Alive packets. Ignored when the `keepAlive` option is `false` or `undefined`." }, { "textRaw": "`maxSockets` {number} Maximum number of sockets to allow per host. If the same host opens multiple concurrent connections, each request will use new socket until the `maxSockets` value is reached. If the host attempts to open more connections than `maxSockets`, the additional requests will enter into a pending request queue, and will enter active connection state when an existing connection terminates. This makes sure there are at most `maxSockets` active connections at any point in time, from a given host. **Default:** `Infinity`.", "name": "maxSockets", "type": "number", "default": "`Infinity`", "desc": "Maximum number of sockets to allow per host. If the same host opens multiple concurrent connections, each request will use new socket until the `maxSockets` value is reached. If the host attempts to open more connections than `maxSockets`, the additional requests will enter into a pending request queue, and will enter active connection state when an existing connection terminates. This makes sure there are at most `maxSockets` active connections at any point in time, from a given host." }, { "textRaw": "`maxTotalSockets` {number} Maximum number of sockets allowed for all hosts in total. Each request will use a new socket until the maximum is reached. **Default:** `Infinity`.", "name": "maxTotalSockets", "type": "number", "default": "`Infinity`", "desc": "Maximum number of sockets allowed for all hosts in total. Each request will use a new socket until the maximum is reached." }, { "textRaw": "`maxFreeSockets` {number} Maximum number of sockets to leave open in a free state. Only relevant if `keepAlive` is set to `true`. **Default:** `256`.", "name": "maxFreeSockets", "type": "number", "default": "`256`", "desc": "Maximum number of sockets to leave open in a free state. Only relevant if `keepAlive` is set to `true`." }, { "textRaw": "`scheduling` {string} Scheduling strategy to apply when picking the next free socket to use. It can be `'fifo'` or `'lifo'`. The main difference between the two scheduling strategies is that `'lifo'` selects the most recently used socket, while `'fifo'` selects the least recently used socket. In case of a low rate of request per second, the `'lifo'` scheduling will lower the risk of picking a socket that might have been closed by the server due to inactivity. In case of a high rate of request per second, the `'fifo'` scheduling will maximize the number of open sockets, while the `'lifo'` scheduling will keep it as low as possible. **Default:** `'lifo'`.", "name": "scheduling", "type": "string", "default": "`'lifo'`", "desc": "Scheduling strategy to apply when picking the next free socket to use. It can be `'fifo'` or `'lifo'`. The main difference between the two scheduling strategies is that `'lifo'` selects the most recently used socket, while `'fifo'` selects the least recently used socket. In case of a low rate of request per second, the `'lifo'` scheduling will lower the risk of picking a socket that might have been closed by the server due to inactivity. In case of a high rate of request per second, the `'fifo'` scheduling will maximize the number of open sockets, while the `'lifo'` scheduling will keep it as low as possible." }, { "textRaw": "`timeout` {number} Socket timeout in milliseconds. This will set the timeout when the socket is created.", "name": "timeout", "type": "number", "desc": "Socket timeout in milliseconds. This will set the timeout when the socket is created." } ] } ], "desc": "

options in socket.connect() are also supported.

\n

The default http.globalAgent that is used by http.request() has all\nof these values set to their respective defaults.

\n

To configure any of them, a custom http.Agent instance must be created.

\n
const http = require('http');\nconst keepAliveAgent = new http.Agent({ keepAlive: true });\noptions.agent = keepAliveAgent;\nhttp.request(options, onResponseCallback);\n
" } ] }, { "textRaw": "Class: `http.ClientRequest`", "type": "class", "name": "http.ClientRequest", "meta": { "added": [ "v0.1.17" ], "changes": [] }, "desc": "\n

This object is created internally and returned from http.request(). It\nrepresents an in-progress request whose header has already been queued. The\nheader is still mutable using the setHeader(name, value),\ngetHeader(name), removeHeader(name) API. The actual header will\nbe sent along with the first data chunk or when calling request.end().

\n

To get the response, add a listener for 'response' to the request object.\n'response' will be emitted from the request object when the response\nheaders have been received. The 'response' event is executed with one\nargument which is an instance of http.IncomingMessage.

\n

During the 'response' event, one can add listeners to the\nresponse object; particularly to listen for the 'data' event.

\n

If no 'response' handler is added, then the response will be\nentirely discarded. However, if a 'response' event handler is added,\nthen the data from the response object must be consumed, either by\ncalling response.read() whenever there is a 'readable' event, or\nby adding a 'data' handler, or by calling the .resume() method.\nUntil the data is consumed, the 'end' event will not fire. Also, until\nthe data is read it will consume memory that can eventually lead to a\n'process out of memory' error.

\n

For backward compatibility, res will only emit 'error' if there is an\n'error' listener registered.

\n

Node.js does not check whether Content-Length and the length of the\nbody which has been transmitted are equal or not.

", "events": [ { "textRaw": "Event: `'abort'`", "type": "event", "name": "abort", "meta": { "added": [ "v1.4.1" ], "changes": [] }, "params": [], "desc": "

Emitted when the request has been aborted by the client. This event is only\nemitted on the first call to abort().

" }, { "textRaw": "Event: `'connect'`", "type": "event", "name": "connect", "meta": { "added": [ "v0.7.0" ], "changes": [] }, "params": [ { "textRaw": "`response` {http.IncomingMessage}", "name": "response", "type": "http.IncomingMessage" }, { "textRaw": "`socket` {stream.Duplex}", "name": "socket", "type": "stream.Duplex" }, { "textRaw": "`head` {Buffer}", "name": "head", "type": "Buffer" } ], "desc": "

Emitted each time a server responds to a request with a CONNECT method. If\nthis event is not being listened for, clients receiving a CONNECT method will\nhave their connections closed.

\n

This event is guaranteed to be passed an instance of the <net.Socket> class,\na subclass of <stream.Duplex>, unless the user specifies a socket\ntype other than <net.Socket>.

\n

A client and server pair demonstrating how to listen for the 'connect' event:

\n
const http = require('http');\nconst net = require('net');\nconst { URL } = require('url');\n\n// Create an HTTP tunneling proxy\nconst proxy = http.createServer((req, res) => {\n  res.writeHead(200, { 'Content-Type': 'text/plain' });\n  res.end('okay');\n});\nproxy.on('connect', (req, clientSocket, head) => {\n  // Connect to an origin server\n  const { port, hostname } = new URL(`http://${req.url}`);\n  const serverSocket = net.connect(port || 80, hostname, () => {\n    clientSocket.write('HTTP/1.1 200 Connection Established\\r\\n' +\n                    'Proxy-agent: Node.js-Proxy\\r\\n' +\n                    '\\r\\n');\n    serverSocket.write(head);\n    serverSocket.pipe(clientSocket);\n    clientSocket.pipe(serverSocket);\n  });\n});\n\n// Now that proxy is running\nproxy.listen(1337, '127.0.0.1', () => {\n\n  // Make a request to a tunneling proxy\n  const options = {\n    port: 1337,\n    host: '127.0.0.1',\n    method: 'CONNECT',\n    path: 'www.google.com:80'\n  };\n\n  const req = http.request(options);\n  req.end();\n\n  req.on('connect', (res, socket, head) => {\n    console.log('got connected!');\n\n    // Make a request over an HTTP tunnel\n    socket.write('GET / HTTP/1.1\\r\\n' +\n                 'Host: www.google.com:80\\r\\n' +\n                 'Connection: close\\r\\n' +\n                 '\\r\\n');\n    socket.on('data', (chunk) => {\n      console.log(chunk.toString());\n    });\n    socket.on('end', () => {\n      proxy.close();\n    });\n  });\n});\n
" }, { "textRaw": "Event: `'continue'`", "type": "event", "name": "continue", "meta": { "added": [ "v0.3.2" ], "changes": [] }, "params": [], "desc": "

Emitted when the server sends a '100 Continue' HTTP response, usually because\nthe request contained 'Expect: 100-continue'. This is an instruction that\nthe client should send the request body.

" }, { "textRaw": "Event: `'information'`", "type": "event", "name": "information", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "params": [ { "textRaw": "`info` {Object}", "name": "info", "type": "Object", "options": [ { "textRaw": "`httpVersion` {string}", "name": "httpVersion", "type": "string" }, { "textRaw": "`httpVersionMajor` {integer}", "name": "httpVersionMajor", "type": "integer" }, { "textRaw": "`httpVersionMinor` {integer}", "name": "httpVersionMinor", "type": "integer" }, { "textRaw": "`statusCode` {integer}", "name": "statusCode", "type": "integer" }, { "textRaw": "`statusMessage` {string}", "name": "statusMessage", "type": "string" }, { "textRaw": "`headers` {Object}", "name": "headers", "type": "Object" }, { "textRaw": "`rawHeaders` {string[]}", "name": "rawHeaders", "type": "string[]" } ] } ], "desc": "

Emitted when the server sends a 1xx intermediate response (excluding 101\nUpgrade). The listeners of this event will receive an object containing the\nHTTP version, status code, status message, key-value headers object,\nand array with the raw header names followed by their respective values.

\n
const http = require('http');\n\nconst options = {\n  host: '127.0.0.1',\n  port: 8080,\n  path: '/length_request'\n};\n\n// Make a request\nconst req = http.request(options);\nreq.end();\n\nreq.on('information', (info) => {\n  console.log(`Got information prior to main response: ${info.statusCode}`);\n});\n
\n

101 Upgrade statuses do not fire this event due to their break from the\ntraditional HTTP request/response chain, such as web sockets, in-place TLS\nupgrades, or HTTP 2.0. To be notified of 101 Upgrade notices, listen for the\n'upgrade' event instead.

" }, { "textRaw": "Event: `'response'`", "type": "event", "name": "response", "meta": { "added": [ "v0.1.0" ], "changes": [] }, "params": [ { "textRaw": "`response` {http.IncomingMessage}", "name": "response", "type": "http.IncomingMessage" } ], "desc": "

Emitted when a response is received to this request. This event is emitted only\nonce.

" }, { "textRaw": "Event: `'socket'`", "type": "event", "name": "socket", "meta": { "added": [ "v0.5.3" ], "changes": [] }, "params": [ { "textRaw": "`socket` {stream.Duplex}", "name": "socket", "type": "stream.Duplex" } ], "desc": "

This event is guaranteed to be passed an instance of the <net.Socket> class,\na subclass of <stream.Duplex>, unless the user specifies a socket\ntype other than <net.Socket>.

" }, { "textRaw": "Event: `'timeout'`", "type": "event", "name": "timeout", "meta": { "added": [ "v0.7.8" ], "changes": [] }, "params": [], "desc": "

Emitted when the underlying socket times out from inactivity. This only notifies\nthat the socket has been idle. The request must be aborted manually.

\n

See also: request.setTimeout().

" }, { "textRaw": "Event: `'upgrade'`", "type": "event", "name": "upgrade", "meta": { "added": [ "v0.1.94" ], "changes": [] }, "params": [ { "textRaw": "`response` {http.IncomingMessage}", "name": "response", "type": "http.IncomingMessage" }, { "textRaw": "`socket` {stream.Duplex}", "name": "socket", "type": "stream.Duplex" }, { "textRaw": "`head` {Buffer}", "name": "head", "type": "Buffer" } ], "desc": "

Emitted each time a server responds to a request with an upgrade. If this\nevent is not being listened for and the response status code is 101 Switching\nProtocols, clients receiving an upgrade header will have their connections\nclosed.

\n

This event is guaranteed to be passed an instance of the <net.Socket> class,\na subclass of <stream.Duplex>, unless the user specifies a socket\ntype other than <net.Socket>.

\n

A client server pair demonstrating how to listen for the 'upgrade' event.

\n
const http = require('http');\n\n// Create an HTTP server\nconst server = http.createServer((req, res) => {\n  res.writeHead(200, { 'Content-Type': 'text/plain' });\n  res.end('okay');\n});\nserver.on('upgrade', (req, socket, head) => {\n  socket.write('HTTP/1.1 101 Web Socket Protocol Handshake\\r\\n' +\n               'Upgrade: WebSocket\\r\\n' +\n               'Connection: Upgrade\\r\\n' +\n               '\\r\\n');\n\n  socket.pipe(socket); // echo back\n});\n\n// Now that server is running\nserver.listen(1337, '127.0.0.1', () => {\n\n  // make a request\n  const options = {\n    port: 1337,\n    host: '127.0.0.1',\n    headers: {\n      'Connection': 'Upgrade',\n      'Upgrade': 'websocket'\n    }\n  };\n\n  const req = http.request(options);\n  req.end();\n\n  req.on('upgrade', (res, socket, upgradeHead) => {\n    console.log('got upgraded!');\n    socket.end();\n    process.exit(0);\n  });\n});\n
" } ], "methods": [ { "textRaw": "`request.abort()`", "type": "method", "name": "abort", "meta": { "added": [ "v0.3.8" ], "deprecated": [ "v14.1.0", "v13.14.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use [`request.destroy()`][] instead.", "signatures": [ { "params": [] } ], "desc": "

Marks the request as aborting. Calling this will cause remaining data\nin the response to be dropped and the socket to be destroyed.

" }, { "textRaw": "`request.end([data[, encoding]][, callback])`", "type": "method", "name": "end", "meta": { "added": [ "v0.1.90" ], "changes": [ { "version": "v10.0.0", "pr-url": "https://github.com/nodejs/node/pull/18780", "description": "This method now returns a reference to `ClientRequest`." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {this}", "name": "return", "type": "this" }, "params": [ { "textRaw": "`data` {string|Buffer}", "name": "data", "type": "string|Buffer" }, { "textRaw": "`encoding` {string}", "name": "encoding", "type": "string" }, { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" } ] } ], "desc": "

Finishes sending the request. If any parts of the body are\nunsent, it will flush them to the stream. If the request is\nchunked, this will send the terminating '0\\r\\n\\r\\n'.

\n

If data is specified, it is equivalent to calling\nrequest.write(data, encoding) followed by request.end(callback).

\n

If callback is specified, it will be called when the request stream\nis finished.

" }, { "textRaw": "`request.destroy([error])`", "type": "method", "name": "destroy", "meta": { "added": [ "v0.3.0" ], "changes": [ { "version": "v14.5.0", "pr-url": "https://github.com/nodejs/node/pull/32789", "description": "The function returns `this` for consistency with other Readable streams." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {this}", "name": "return", "type": "this" }, "params": [ { "textRaw": "`error` {Error} Optional, an error to emit with `'error'` event.", "name": "error", "type": "Error", "desc": "Optional, an error to emit with `'error'` event." } ] } ], "desc": "

Destroy the request. Optionally emit an 'error' event,\nand emit a 'close' event. Calling this will cause remaining data\nin the response to be dropped and the socket to be destroyed.

\n

See writable.destroy() for further details.

", "properties": [ { "textRaw": "`destroyed` {boolean}", "type": "boolean", "name": "destroyed", "meta": { "added": [ "v14.1.0", "v13.14.0" ], "changes": [] }, "desc": "

Is true after request.destroy() has been called.

\n

See writable.destroyed for further details.

" } ] }, { "textRaw": "`request.flushHeaders()`", "type": "method", "name": "flushHeaders", "meta": { "added": [ "v1.6.0" ], "changes": [] }, "signatures": [ { "params": [] } ], "desc": "

Flushes the request headers.

\n

For efficiency reasons, Node.js normally buffers the request headers until\nrequest.end() is called or the first chunk of request data is written. It\nthen tries to pack the request headers and data into a single TCP packet.

\n

That's usually desired (it saves a TCP round-trip), but not when the first\ndata is not sent until possibly much later. request.flushHeaders() bypasses\nthe optimization and kickstarts the request.

" }, { "textRaw": "`request.getHeader(name)`", "type": "method", "name": "getHeader", "meta": { "added": [ "v1.6.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {any}", "name": "return", "type": "any" }, "params": [ { "textRaw": "`name` {string}", "name": "name", "type": "string" } ] } ], "desc": "

Reads out a header on the request. The name is case-insensitive.\nThe type of the return value depends on the arguments provided to\nrequest.setHeader().

\n
request.setHeader('content-type', 'text/html');\nrequest.setHeader('Content-Length', Buffer.byteLength(body));\nrequest.setHeader('Cookie', ['type=ninja', 'language=javascript']);\nconst contentType = request.getHeader('Content-Type');\n// 'contentType' is 'text/html'\nconst contentLength = request.getHeader('Content-Length');\n// 'contentLength' is of type number\nconst cookie = request.getHeader('Cookie');\n// 'cookie' is of type string[]\n
" }, { "textRaw": "`request.getRawHeaderNames()`", "type": "method", "name": "getRawHeaderNames", "meta": { "added": [ "v15.13.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {string[]}", "name": "return", "type": "string[]" }, "params": [] } ], "desc": "

Returns an array containing the unique names of the current outgoing raw\nheaders. Header names are returned with their exact casing being set.

\n
request.setHeader('Foo', 'bar');\nrequest.setHeader('Set-Cookie', ['foo=bar', 'bar=baz']);\n\nconst headerNames = request.getRawHeaderNames();\n// headerNames === ['Foo', 'Set-Cookie']\n
" }, { "textRaw": "`request.removeHeader(name)`", "type": "method", "name": "removeHeader", "meta": { "added": [ "v1.6.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`name` {string}", "name": "name", "type": "string" } ] } ], "desc": "

Removes a header that's already defined into headers object.

\n
request.removeHeader('Content-Type');\n
" }, { "textRaw": "`request.setHeader(name, value)`", "type": "method", "name": "setHeader", "meta": { "added": [ "v1.6.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`name` {string}", "name": "name", "type": "string" }, { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Sets a single header value for headers object. If this header already exists in\nthe to-be-sent headers, its value will be replaced. Use an array of strings\nhere to send multiple headers with the same name. Non-string values will be\nstored without modification. Therefore, request.getHeader() may return\nnon-string values. However, the non-string values will be converted to strings\nfor network transmission.

\n
request.setHeader('Content-Type', 'application/json');\n
\n

or

\n
request.setHeader('Cookie', ['type=ninja', 'language=javascript']);\n
" }, { "textRaw": "`request.setNoDelay([noDelay])`", "type": "method", "name": "setNoDelay", "meta": { "added": [ "v0.5.9" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`noDelay` {boolean}", "name": "noDelay", "type": "boolean" } ] } ], "desc": "

Once a socket is assigned to this request and is connected\nsocket.setNoDelay() will be called.

" }, { "textRaw": "`request.setSocketKeepAlive([enable][, initialDelay])`", "type": "method", "name": "setSocketKeepAlive", "meta": { "added": [ "v0.5.9" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`enable` {boolean}", "name": "enable", "type": "boolean" }, { "textRaw": "`initialDelay` {number}", "name": "initialDelay", "type": "number" } ] } ], "desc": "

Once a socket is assigned to this request and is connected\nsocket.setKeepAlive() will be called.

" }, { "textRaw": "`request.setTimeout(timeout[, callback])`", "type": "method", "name": "setTimeout", "meta": { "added": [ "v0.5.9" ], "changes": [ { "version": "v9.0.0", "pr-url": "https://github.com/nodejs/node/pull/8895", "description": "Consistently set socket timeout only when the socket connects." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {http.ClientRequest}", "name": "return", "type": "http.ClientRequest" }, "params": [ { "textRaw": "`timeout` {number} Milliseconds before a request times out.", "name": "timeout", "type": "number", "desc": "Milliseconds before a request times out." }, { "textRaw": "`callback` {Function} Optional function to be called when a timeout occurs. Same as binding to the `'timeout'` event.", "name": "callback", "type": "Function", "desc": "Optional function to be called when a timeout occurs. Same as binding to the `'timeout'` event." } ] } ], "desc": "

Once a socket is assigned to this request and is connected\nsocket.setTimeout() will be called.

" }, { "textRaw": "`request.write(chunk[, encoding][, callback])`", "type": "method", "name": "write", "meta": { "added": [ "v0.1.29" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`chunk` {string|Buffer}", "name": "chunk", "type": "string|Buffer" }, { "textRaw": "`encoding` {string}", "name": "encoding", "type": "string" }, { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" } ] } ], "desc": "

Sends a chunk of the body. This method can be called multiple times. If no\nContent-Length is set, data will automatically be encoded in HTTP Chunked\ntransfer encoding, so that server knows when the data ends. The\nTransfer-Encoding: chunked header is added. Calling request.end()\nis necessary to finish sending the request.

\n

The encoding argument is optional and only applies when chunk is a string.\nDefaults to 'utf8'.

\n

The callback argument is optional and will be called when this chunk of data\nis flushed, but only if the chunk is non-empty.

\n

Returns true if the entire data was flushed successfully to the kernel\nbuffer. Returns false if all or part of the data was queued in user memory.\n'drain' will be emitted when the buffer is free again.

\n

When write function is called with empty string or buffer, it does\nnothing and waits for more input.

" } ], "properties": [ { "textRaw": "`aborted` {boolean}", "type": "boolean", "name": "aborted", "meta": { "added": [ "v0.11.14" ], "changes": [ { "version": "v11.0.0", "pr-url": "https://github.com/nodejs/node/pull/20230", "description": "The `aborted` property is no longer a timestamp number." } ] }, "desc": "

The request.aborted property will be true if the request has\nbeen aborted.

" }, { "textRaw": "`connection` {stream.Duplex}", "type": "stream.Duplex", "name": "connection", "meta": { "added": [ "v0.3.0" ], "deprecated": [ "v13.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated. Use [`request.socket`][].", "desc": "

See request.socket.

" }, { "textRaw": "`finished` {boolean}", "type": "boolean", "name": "finished", "meta": { "added": [ "v0.0.1" ], "deprecated": [ "v13.4.0", "v12.16.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated. Use [`request.writableEnded`][].", "desc": "

The request.finished property will be true if request.end()\nhas been called. request.end() will automatically be called if the\nrequest was initiated via http.get().

" }, { "textRaw": "`maxHeadersCount` {number} **Default:** `2000`", "type": "number", "name": "maxHeadersCount", "default": "`2000`", "desc": "

Limits maximum response headers count. If set to 0, no limit will be applied.

" }, { "textRaw": "`path` {string} The request path.", "type": "string", "name": "path", "meta": { "added": [ "v0.4.0" ], "changes": [] }, "desc": "The request path." }, { "textRaw": "`method` {string} The request method.", "type": "string", "name": "method", "meta": { "added": [ "v0.1.97" ], "changes": [] }, "desc": "The request method." }, { "textRaw": "`host` {string} The request host.", "type": "string", "name": "host", "meta": { "added": [ "v14.5.0", "v12.19.0" ], "changes": [] }, "desc": "The request host." }, { "textRaw": "`protocol` {string} The request protocol.", "type": "string", "name": "protocol", "meta": { "added": [ "v14.5.0", "v12.19.0" ], "changes": [] }, "desc": "The request protocol." }, { "textRaw": "`reusedSocket` {boolean} Whether the request is send through a reused socket.", "type": "boolean", "name": "reusedSocket", "meta": { "added": [ "v13.0.0", "v12.16.0" ], "changes": [] }, "desc": "

When sending request through a keep-alive enabled agent, the underlying socket\nmight be reused. But if server closes connection at unfortunate time, client\nmay run into a 'ECONNRESET' error.

\n
const http = require('http');\n\n// Server has a 5 seconds keep-alive timeout by default\nhttp\n  .createServer((req, res) => {\n    res.write('hello\\n');\n    res.end();\n  })\n  .listen(3000);\n\nsetInterval(() => {\n  // Adapting a keep-alive agent\n  http.get('http://localhost:3000', { agent }, (res) => {\n    res.on('data', (data) => {\n      // Do nothing\n    });\n  });\n}, 5000); // Sending request on 5s interval so it's easy to hit idle timeout\n
\n

By marking a request whether it reused socket or not, we can do\nautomatic error retry base on it.

\n
const http = require('http');\nconst agent = new http.Agent({ keepAlive: true });\n\nfunction retriableRequest() {\n  const req = http\n    .get('http://localhost:3000', { agent }, (res) => {\n      // ...\n    })\n    .on('error', (err) => {\n      // Check if retry is needed\n      if (req.reusedSocket && err.code === 'ECONNRESET') {\n        retriableRequest();\n      }\n    });\n}\n\nretriableRequest();\n
", "shortDesc": "Whether the request is send through a reused socket." }, { "textRaw": "`socket` {stream.Duplex}", "type": "stream.Duplex", "name": "socket", "meta": { "added": [ "v0.3.0" ], "changes": [] }, "desc": "

Reference to the underlying socket. Usually users will not want to access\nthis property. In particular, the socket will not emit 'readable' events\nbecause of how the protocol parser attaches to the socket.

\n
const http = require('http');\nconst options = {\n  host: 'www.google.com',\n};\nconst req = http.get(options);\nreq.end();\nreq.once('response', (res) => {\n  const ip = req.socket.localAddress;\n  const port = req.socket.localPort;\n  console.log(`Your IP address is ${ip} and your source port is ${port}.`);\n  // Consume response object\n});\n
\n

This property is guaranteed to be an instance of the <net.Socket> class,\na subclass of <stream.Duplex>, unless the user specified a socket\ntype other than <net.Socket>.

" }, { "textRaw": "`writableEnded` {boolean}", "type": "boolean", "name": "writableEnded", "meta": { "added": [ "v12.9.0" ], "changes": [] }, "desc": "

Is true after request.end() has been called. This property\ndoes not indicate whether the data has been flushed, for this use\nrequest.writableFinished instead.

" }, { "textRaw": "`writableFinished` {boolean}", "type": "boolean", "name": "writableFinished", "meta": { "added": [ "v12.7.0" ], "changes": [] }, "desc": "

Is true if all data has been flushed to the underlying system, immediately\nbefore the 'finish' event is emitted.

" } ] }, { "textRaw": "Class: `http.Server`", "type": "class", "name": "http.Server", "meta": { "added": [ "v0.1.17" ], "changes": [] }, "desc": "", "events": [ { "textRaw": "Event: `'checkContinue'`", "type": "event", "name": "checkContinue", "meta": { "added": [ "v0.3.0" ], "changes": [] }, "params": [ { "textRaw": "`request` {http.IncomingMessage}", "name": "request", "type": "http.IncomingMessage" }, { "textRaw": "`response` {http.ServerResponse}", "name": "response", "type": "http.ServerResponse" } ], "desc": "

Emitted each time a request with an HTTP Expect: 100-continue is received.\nIf this event is not listened for, the server will automatically respond\nwith a 100 Continue as appropriate.

\n

Handling this event involves calling response.writeContinue() if the\nclient should continue to send the request body, or generating an appropriate\nHTTP response (e.g. 400 Bad Request) if the client should not continue to send\nthe request body.

\n

When this event is emitted and handled, the 'request' event will\nnot be emitted.

" }, { "textRaw": "Event: `'checkExpectation'`", "type": "event", "name": "checkExpectation", "meta": { "added": [ "v5.5.0" ], "changes": [] }, "params": [ { "textRaw": "`request` {http.IncomingMessage}", "name": "request", "type": "http.IncomingMessage" }, { "textRaw": "`response` {http.ServerResponse}", "name": "response", "type": "http.ServerResponse" } ], "desc": "

Emitted each time a request with an HTTP Expect header is received, where the\nvalue is not 100-continue. If this event is not listened for, the server will\nautomatically respond with a 417 Expectation Failed as appropriate.

\n

When this event is emitted and handled, the 'request' event will\nnot be emitted.

" }, { "textRaw": "Event: `'clientError'`", "type": "event", "name": "clientError", "meta": { "added": [ "v0.1.94" ], "changes": [ { "version": "v12.0.0", "pr-url": "https://github.com/nodejs/node/pull/25605", "description": "The default behavior will return a 431 Request Header Fields Too Large if a HPE_HEADER_OVERFLOW error occurs." }, { "version": "v9.4.0", "pr-url": "https://github.com/nodejs/node/pull/17672", "description": "The `rawPacket` is the current buffer that just parsed. Adding this buffer to the error object of `'clientError'` event is to make it possible that developers can log the broken packet." }, { "version": "v6.0.0", "pr-url": "https://github.com/nodejs/node/pull/4557", "description": "The default action of calling `.destroy()` on the `socket` will no longer take place if there are listeners attached for `'clientError'`." } ] }, "params": [ { "textRaw": "`exception` {Error}", "name": "exception", "type": "Error" }, { "textRaw": "`socket` {stream.Duplex}", "name": "socket", "type": "stream.Duplex" } ], "desc": "

If a client connection emits an 'error' event, it will be forwarded here.\nListener of this event is responsible for closing/destroying the underlying\nsocket. For example, one may wish to more gracefully close the socket with a\ncustom HTTP response instead of abruptly severing the connection.

\n

This event is guaranteed to be passed an instance of the <net.Socket> class,\na subclass of <stream.Duplex>, unless the user specifies a socket\ntype other than <net.Socket>.

\n

Default behavior is to try close the socket with a HTTP '400 Bad Request',\nor a HTTP '431 Request Header Fields Too Large' in the case of a\nHPE_HEADER_OVERFLOW error. If the socket is not writable or has already\nwritten data it is immediately destroyed.

\n

socket is the net.Socket object that the error originated from.

\n
const http = require('http');\n\nconst server = http.createServer((req, res) => {\n  res.end();\n});\nserver.on('clientError', (err, socket) => {\n  socket.end('HTTP/1.1 400 Bad Request\\r\\n\\r\\n');\n});\nserver.listen(8000);\n
\n

When the 'clientError' event occurs, there is no request or response\nobject, so any HTTP response sent, including response headers and payload,\nmust be written directly to the socket object. Care must be taken to\nensure the response is a properly formatted HTTP response message.

\n

err is an instance of Error with two extra columns:

\n\n

In some cases, the client has already received the response and/or the socket\nhas already been destroyed, like in case of ECONNRESET errors. Before\ntrying to send data to the socket, it is better to check that it is still\nwritable.

\n
server.on('clientError', (err, socket) => {\n  if (err.code === 'ECONNRESET' || !socket.writable) {\n    return;\n  }\n\n  socket.end('HTTP/1.1 400 Bad Request\\r\\n\\r\\n');\n});\n
" }, { "textRaw": "Event: `'close'`", "type": "event", "name": "close", "meta": { "added": [ "v0.1.4" ], "changes": [] }, "params": [], "desc": "

Emitted when the server closes.

" }, { "textRaw": "Event: `'connect'`", "type": "event", "name": "connect", "meta": { "added": [ "v0.7.0" ], "changes": [] }, "params": [ { "textRaw": "`request` {http.IncomingMessage} Arguments for the HTTP request, as it is in the [`'request'`][] event", "name": "request", "type": "http.IncomingMessage", "desc": "Arguments for the HTTP request, as it is in the [`'request'`][] event" }, { "textRaw": "`socket` {stream.Duplex} Network socket between the server and client", "name": "socket", "type": "stream.Duplex", "desc": "Network socket between the server and client" }, { "textRaw": "`head` {Buffer} The first packet of the tunneling stream (may be empty)", "name": "head", "type": "Buffer", "desc": "The first packet of the tunneling stream (may be empty)" } ], "desc": "

Emitted each time a client requests an HTTP CONNECT method. If this event is\nnot listened for, then clients requesting a CONNECT method will have their\nconnections closed.

\n

This event is guaranteed to be passed an instance of the <net.Socket> class,\na subclass of <stream.Duplex>, unless the user specifies a socket\ntype other than <net.Socket>.

\n

After this event is emitted, the request's socket will not have a 'data'\nevent listener, meaning it will need to be bound in order to handle data\nsent to the server on that socket.

" }, { "textRaw": "Event: `'connection'`", "type": "event", "name": "connection", "meta": { "added": [ "v0.1.0" ], "changes": [] }, "params": [ { "textRaw": "`socket` {stream.Duplex}", "name": "socket", "type": "stream.Duplex" } ], "desc": "

This event is emitted when a new TCP stream is established. socket is\ntypically an object of type net.Socket. Usually users will not want to\naccess this event. In particular, the socket will not emit 'readable' events\nbecause of how the protocol parser attaches to the socket. The socket can\nalso be accessed at request.socket.

\n

This event can also be explicitly emitted by users to inject connections\ninto the HTTP server. In that case, any Duplex stream can be passed.

\n

If socket.setTimeout() is called here, the timeout will be replaced with\nserver.keepAliveTimeout when the socket has served a request (if\nserver.keepAliveTimeout is non-zero).

\n

This event is guaranteed to be passed an instance of the <net.Socket> class,\na subclass of <stream.Duplex>, unless the user specifies a socket\ntype other than <net.Socket>.

" }, { "textRaw": "Event: `'request'`", "type": "event", "name": "request", "meta": { "added": [ "v0.1.0" ], "changes": [] }, "params": [ { "textRaw": "`request` {http.IncomingMessage}", "name": "request", "type": "http.IncomingMessage" }, { "textRaw": "`response` {http.ServerResponse}", "name": "response", "type": "http.ServerResponse" } ], "desc": "

Emitted each time there is a request. There may be multiple requests\nper connection (in the case of HTTP Keep-Alive connections).

" }, { "textRaw": "Event: `'upgrade'`", "type": "event", "name": "upgrade", "meta": { "added": [ "v0.1.94" ], "changes": [ { "version": "v10.0.0", "pr-url": "https://github.com/nodejs/node/pull/19981", "description": "Not listening to this event no longer causes the socket to be destroyed if a client sends an Upgrade header." } ] }, "params": [ { "textRaw": "`request` {http.IncomingMessage} Arguments for the HTTP request, as it is in the [`'request'`][] event", "name": "request", "type": "http.IncomingMessage", "desc": "Arguments for the HTTP request, as it is in the [`'request'`][] event" }, { "textRaw": "`socket` {stream.Duplex} Network socket between the server and client", "name": "socket", "type": "stream.Duplex", "desc": "Network socket between the server and client" }, { "textRaw": "`head` {Buffer} The first packet of the upgraded stream (may be empty)", "name": "head", "type": "Buffer", "desc": "The first packet of the upgraded stream (may be empty)" } ], "desc": "

Emitted each time a client requests an HTTP upgrade. Listening to this event\nis optional and clients cannot insist on a protocol change.

\n

After this event is emitted, the request's socket will not have a 'data'\nevent listener, meaning it will need to be bound in order to handle data\nsent to the server on that socket.

\n

This event is guaranteed to be passed an instance of the <net.Socket> class,\na subclass of <stream.Duplex>, unless the user specifies a socket\ntype other than <net.Socket>.

" } ], "methods": [ { "textRaw": "`server.close([callback])`", "type": "method", "name": "close", "meta": { "added": [ "v0.1.90" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" } ] } ], "desc": "

Stops the server from accepting new connections. See net.Server.close().

" }, { "textRaw": "`server.listen()`", "type": "method", "name": "listen", "signatures": [ { "params": [] } ], "desc": "

Starts the HTTP server listening for connections.\nThis method is identical to server.listen() from net.Server.

" }, { "textRaw": "`server.setTimeout([msecs][, callback])`", "type": "method", "name": "setTimeout", "meta": { "added": [ "v0.9.12" ], "changes": [ { "version": "v13.0.0", "pr-url": "https://github.com/nodejs/node/pull/27558", "description": "The default timeout changed from 120s to 0 (no timeout)." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {http.Server}", "name": "return", "type": "http.Server" }, "params": [ { "textRaw": "`msecs` {number} **Default:** 0 (no timeout)", "name": "msecs", "type": "number", "default": "0 (no timeout)" }, { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" } ] } ], "desc": "

Sets the timeout value for sockets, and emits a 'timeout' event on\nthe Server object, passing the socket as an argument, if a timeout\noccurs.

\n

If there is a 'timeout' event listener on the Server object, then it\nwill be called with the timed-out socket as an argument.

\n

By default, the Server does not timeout sockets. However, if a callback\nis assigned to the Server's 'timeout' event, timeouts must be handled\nexplicitly.

" } ], "properties": [ { "textRaw": "`headersTimeout` {number} **Default:** `60000`", "type": "number", "name": "headersTimeout", "meta": { "added": [ "v11.3.0", "v10.14.0" ], "changes": [] }, "default": "`60000`", "desc": "

Limit the amount of time the parser will wait to receive the complete HTTP\nheaders.

\n

In case of inactivity, the rules defined in server.timeout apply. However,\nthat inactivity based timeout would still allow the connection to be kept open\nif the headers are being sent very slowly (by default, up to a byte per 2\nminutes). In order to prevent this, whenever header data arrives an additional\ncheck is made that more than server.headersTimeout milliseconds has not\npassed since the connection was established. If the check fails, a 'timeout'\nevent is emitted on the server object, and (by default) the socket is destroyed.\nSee server.timeout for more information on how timeout behavior can be\ncustomized.

" }, { "textRaw": "`listening` {boolean} Indicates whether or not the server is listening for connections.", "type": "boolean", "name": "listening", "meta": { "added": [ "v5.7.0" ], "changes": [] }, "desc": "Indicates whether or not the server is listening for connections." }, { "textRaw": "`maxHeadersCount` {number} **Default:** `2000`", "type": "number", "name": "maxHeadersCount", "meta": { "added": [ "v0.7.0" ], "changes": [] }, "default": "`2000`", "desc": "

Limits maximum incoming headers count. If set to 0, no limit will be applied.

" }, { "textRaw": "`requestTimeout` {number} **Default:** `0`", "type": "number", "name": "requestTimeout", "meta": { "added": [ "v14.11.0" ], "changes": [] }, "default": "`0`", "desc": "

Sets the timeout value in milliseconds for receiving the entire request from\nthe client.

\n

If the timeout expires, the server responds with status 408 without\nforwarding the request to the request listener and then closes the connection.

\n

It must be set to a non-zero value (e.g. 120 seconds) to protect against\npotential Denial-of-Service attacks in case the server is deployed without a\nreverse proxy in front.

" }, { "textRaw": "`timeout` {number} Timeout in milliseconds. **Default:** 0 (no timeout)", "type": "number", "name": "timeout", "meta": { "added": [ "v0.9.12" ], "changes": [ { "version": "v13.0.0", "pr-url": "https://github.com/nodejs/node/pull/27558", "description": "The default timeout changed from 120s to 0 (no timeout)." } ] }, "default": "0 (no timeout)", "desc": "

The number of milliseconds of inactivity before a socket is presumed\nto have timed out.

\n

A value of 0 will disable the timeout behavior on incoming connections.

\n

The socket timeout logic is set up on connection, so changing this\nvalue only affects new connections to the server, not any existing connections.

", "shortDesc": "Timeout in milliseconds." }, { "textRaw": "`keepAliveTimeout` {number} Timeout in milliseconds. **Default:** `5000` (5 seconds).", "type": "number", "name": "keepAliveTimeout", "meta": { "added": [ "v8.0.0" ], "changes": [] }, "default": "`5000` (5 seconds)", "desc": "

The number of milliseconds of inactivity a server needs to wait for additional\nincoming data, after it has finished writing the last response, before a socket\nwill be destroyed. If the server receives new data before the keep-alive\ntimeout has fired, it will reset the regular inactivity timeout, i.e.,\nserver.timeout.

\n

A value of 0 will disable the keep-alive timeout behavior on incoming\nconnections.\nA value of 0 makes the http server behave similarly to Node.js versions prior\nto 8.0.0, which did not have a keep-alive timeout.

\n

The socket timeout logic is set up on connection, so changing this value only\naffects new connections to the server, not any existing connections.

", "shortDesc": "Timeout in milliseconds." } ] }, { "textRaw": "Class: `http.ServerResponse`", "type": "class", "name": "http.ServerResponse", "meta": { "added": [ "v0.1.17" ], "changes": [] }, "desc": "\n

This object is created internally by an HTTP server, not by the user. It is\npassed as the second parameter to the 'request' event.

", "events": [ { "textRaw": "Event: `'close'`", "type": "event", "name": "close", "meta": { "added": [ "v0.6.7" ], "changes": [] }, "params": [], "desc": "

Indicates that the response is completed, or its underlying connection was\nterminated prematurely (before the response completion).

" }, { "textRaw": "Event: `'finish'`", "type": "event", "name": "finish", "meta": { "added": [ "v0.3.6" ], "changes": [] }, "params": [], "desc": "

Emitted when the response has been sent. More specifically, this event is\nemitted when the last segment of the response headers and body have been\nhanded off to the operating system for transmission over the network. It\ndoes not imply that the client has received anything yet.

" } ], "methods": [ { "textRaw": "`response.addTrailers(headers)`", "type": "method", "name": "addTrailers", "meta": { "added": [ "v0.3.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`headers` {Object}", "name": "headers", "type": "Object" } ] } ], "desc": "

This method adds HTTP trailing headers (a header but at the end of the\nmessage) to the response.

\n

Trailers will only be emitted if chunked encoding is used for the\nresponse; if it is not (e.g. if the request was HTTP/1.0), they will\nbe silently discarded.

\n

HTTP requires the Trailer header to be sent in order to\nemit trailers, with a list of the header fields in its value. E.g.,

\n
response.writeHead(200, { 'Content-Type': 'text/plain',\n                          'Trailer': 'Content-MD5' });\nresponse.write(fileData);\nresponse.addTrailers({ 'Content-MD5': '7895bf4b8828b55ceaf47747b4bca667' });\nresponse.end();\n
\n

Attempting to set a header field name or value that contains invalid characters\nwill result in a TypeError being thrown.

" }, { "textRaw": "`response.cork()`", "type": "method", "name": "cork", "meta": { "added": [ "v13.2.0", "v12.16.0" ], "changes": [] }, "signatures": [ { "params": [] } ], "desc": "

See writable.cork().

" }, { "textRaw": "`response.end([data[, encoding]][, callback])`", "type": "method", "name": "end", "meta": { "added": [ "v0.1.90" ], "changes": [ { "version": "v10.0.0", "pr-url": "https://github.com/nodejs/node/pull/18780", "description": "This method now returns a reference to `ServerResponse`." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {this}", "name": "return", "type": "this" }, "params": [ { "textRaw": "`data` {string|Buffer}", "name": "data", "type": "string|Buffer" }, { "textRaw": "`encoding` {string}", "name": "encoding", "type": "string" }, { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" } ] } ], "desc": "

This method signals to the server that all of the response headers and body\nhave been sent; that server should consider this message complete.\nThe method, response.end(), MUST be called on each response.

\n

If data is specified, it is similar in effect to calling\nresponse.write(data, encoding) followed by response.end(callback).

\n

If callback is specified, it will be called when the response stream\nis finished.

" }, { "textRaw": "`response.flushHeaders()`", "type": "method", "name": "flushHeaders", "meta": { "added": [ "v1.6.0" ], "changes": [] }, "signatures": [ { "params": [] } ], "desc": "

Flushes the response headers. See also: request.flushHeaders().

" }, { "textRaw": "`response.getHeader(name)`", "type": "method", "name": "getHeader", "meta": { "added": [ "v0.4.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {any}", "name": "return", "type": "any" }, "params": [ { "textRaw": "`name` {string}", "name": "name", "type": "string" } ] } ], "desc": "

Reads out a header that's already been queued but not sent to the client.\nThe name is case-insensitive. The type of the return value depends\non the arguments provided to response.setHeader().

\n
response.setHeader('Content-Type', 'text/html');\nresponse.setHeader('Content-Length', Buffer.byteLength(body));\nresponse.setHeader('Set-Cookie', ['type=ninja', 'language=javascript']);\nconst contentType = response.getHeader('content-type');\n// contentType is 'text/html'\nconst contentLength = response.getHeader('Content-Length');\n// contentLength is of type number\nconst setCookie = response.getHeader('set-cookie');\n// setCookie is of type string[]\n
" }, { "textRaw": "`response.getHeaderNames()`", "type": "method", "name": "getHeaderNames", "meta": { "added": [ "v7.7.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {string[]}", "name": "return", "type": "string[]" }, "params": [] } ], "desc": "

Returns an array containing the unique names of the current outgoing headers.\nAll header names are lowercase.

\n
response.setHeader('Foo', 'bar');\nresponse.setHeader('Set-Cookie', ['foo=bar', 'bar=baz']);\n\nconst headerNames = response.getHeaderNames();\n// headerNames === ['foo', 'set-cookie']\n
" }, { "textRaw": "`response.getHeaders()`", "type": "method", "name": "getHeaders", "meta": { "added": [ "v7.7.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {Object}", "name": "return", "type": "Object" }, "params": [] } ], "desc": "

Returns a shallow copy of the current outgoing headers. Since a shallow copy\nis used, array values may be mutated without additional calls to various\nheader-related http module methods. The keys of the returned object are the\nheader names and the values are the respective header values. All header names\nare lowercase.

\n

The object returned by the response.getHeaders() method does not\nprototypically inherit from the JavaScript Object. This means that typical\nObject methods such as obj.toString(), obj.hasOwnProperty(), and others\nare not defined and will not work.

\n
response.setHeader('Foo', 'bar');\nresponse.setHeader('Set-Cookie', ['foo=bar', 'bar=baz']);\n\nconst headers = response.getHeaders();\n// headers === { foo: 'bar', 'set-cookie': ['foo=bar', 'bar=baz'] }\n
" }, { "textRaw": "`response.hasHeader(name)`", "type": "method", "name": "hasHeader", "meta": { "added": [ "v7.7.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`name` {string}", "name": "name", "type": "string" } ] } ], "desc": "

Returns true if the header identified by name is currently set in the\noutgoing headers. The header name matching is case-insensitive.

\n
const hasContentType = response.hasHeader('content-type');\n
" }, { "textRaw": "`response.removeHeader(name)`", "type": "method", "name": "removeHeader", "meta": { "added": [ "v0.4.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`name` {string}", "name": "name", "type": "string" } ] } ], "desc": "

Removes a header that's queued for implicit sending.

\n
response.removeHeader('Content-Encoding');\n
" }, { "textRaw": "`response.setHeader(name, value)`", "type": "method", "name": "setHeader", "meta": { "added": [ "v0.4.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {http.ServerResponse}", "name": "return", "type": "http.ServerResponse" }, "params": [ { "textRaw": "`name` {string}", "name": "name", "type": "string" }, { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Returns the response object.

\n

Sets a single header value for implicit headers. If this header already exists\nin the to-be-sent headers, its value will be replaced. Use an array of strings\nhere to send multiple headers with the same name. Non-string values will be\nstored without modification. Therefore, response.getHeader() may return\nnon-string values. However, the non-string values will be converted to strings\nfor network transmission. The same response object is returned to the caller,\nto enable call chaining.

\n
response.setHeader('Content-Type', 'text/html');\n
\n

or

\n
response.setHeader('Set-Cookie', ['type=ninja', 'language=javascript']);\n
\n

Attempting to set a header field name or value that contains invalid characters\nwill result in a TypeError being thrown.

\n

When headers have been set with response.setHeader(), they will be merged\nwith any headers passed to response.writeHead(), with the headers passed\nto response.writeHead() given precedence.

\n
// Returns content-type = text/plain\nconst server = http.createServer((req, res) => {\n  res.setHeader('Content-Type', 'text/html');\n  res.setHeader('X-Foo', 'bar');\n  res.writeHead(200, { 'Content-Type': 'text/plain' });\n  res.end('ok');\n});\n
\n

If response.writeHead() method is called and this method has not been\ncalled, it will directly write the supplied header values onto the network\nchannel without caching internally, and the response.getHeader() on the\nheader will not yield the expected result. If progressive population of headers\nis desired with potential future retrieval and modification, use\nresponse.setHeader() instead of response.writeHead().

" }, { "textRaw": "`response.setTimeout(msecs[, callback])`", "type": "method", "name": "setTimeout", "meta": { "added": [ "v0.9.12" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {http.ServerResponse}", "name": "return", "type": "http.ServerResponse" }, "params": [ { "textRaw": "`msecs` {number}", "name": "msecs", "type": "number" }, { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" } ] } ], "desc": "

Sets the Socket's timeout value to msecs. If a callback is\nprovided, then it is added as a listener on the 'timeout' event on\nthe response object.

\n

If no 'timeout' listener is added to the request, the response, or\nthe server, then sockets are destroyed when they time out. If a handler is\nassigned to the request, the response, or the server's 'timeout' events,\ntimed out sockets must be handled explicitly.

" }, { "textRaw": "`response.uncork()`", "type": "method", "name": "uncork", "meta": { "added": [ "v13.2.0", "v12.16.0" ], "changes": [] }, "signatures": [ { "params": [] } ], "desc": "

See writable.uncork().

" }, { "textRaw": "`response.write(chunk[, encoding][, callback])`", "type": "method", "name": "write", "meta": { "added": [ "v0.1.29" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`chunk` {string|Buffer}", "name": "chunk", "type": "string|Buffer" }, { "textRaw": "`encoding` {string} **Default:** `'utf8'`", "name": "encoding", "type": "string", "default": "`'utf8'`" }, { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" } ] } ], "desc": "

If this method is called and response.writeHead() has not been called,\nit will switch to implicit header mode and flush the implicit headers.

\n

This sends a chunk of the response body. This method may\nbe called multiple times to provide successive parts of the body.

\n

In the http module, the response body is omitted when the\nrequest is a HEAD request. Similarly, the 204 and 304 responses\nmust not include a message body.

\n

chunk can be a string or a buffer. If chunk is a string,\nthe second parameter specifies how to encode it into a byte stream.\ncallback will be called when this chunk of data is flushed.

\n

This is the raw HTTP body and has nothing to do with higher-level multi-part\nbody encodings that may be used.

\n

The first time response.write() is called, it will send the buffered\nheader information and the first chunk of the body to the client. The second\ntime response.write() is called, Node.js assumes data will be streamed,\nand sends the new data separately. That is, the response is buffered up to the\nfirst chunk of the body.

\n

Returns true if the entire data was flushed successfully to the kernel\nbuffer. Returns false if all or part of the data was queued in user memory.\n'drain' will be emitted when the buffer is free again.

" }, { "textRaw": "`response.writeContinue()`", "type": "method", "name": "writeContinue", "meta": { "added": [ "v0.3.0" ], "changes": [] }, "signatures": [ { "params": [] } ], "desc": "

Sends a HTTP/1.1 100 Continue message to the client, indicating that\nthe request body should be sent. See the 'checkContinue' event on\nServer.

" }, { "textRaw": "`response.writeHead(statusCode[, statusMessage][, headers])`", "type": "method", "name": "writeHead", "meta": { "added": [ "v0.1.30" ], "changes": [ { "version": "v14.14.0", "pr-url": "https://github.com/nodejs/node/pull/35274", "description": "Allow passing headers as an array." }, { "version": [ "v11.10.0", "v10.17.0" ], "pr-url": "https://github.com/nodejs/node/pull/25974", "description": "Return `this` from `writeHead()` to allow chaining with `end()`." }, { "version": [ "v5.11.0", "v4.4.5" ], "pr-url": "https://github.com/nodejs/node/pull/6291", "description": "A `RangeError` is thrown if `statusCode` is not a number in the range `[100, 999]`." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {http.ServerResponse}", "name": "return", "type": "http.ServerResponse" }, "params": [ { "textRaw": "`statusCode` {number}", "name": "statusCode", "type": "number" }, { "textRaw": "`statusMessage` {string}", "name": "statusMessage", "type": "string" }, { "textRaw": "`headers` {Object|Array}", "name": "headers", "type": "Object|Array" } ] } ], "desc": "

Sends a response header to the request. The status code is a 3-digit HTTP\nstatus code, like 404. The last argument, headers, are the response headers.\nOptionally one can give a human-readable statusMessage as the second\nargument.

\n

headers may be an Array where the keys and values are in the same list.\nIt is not a list of tuples. So, the even-numbered offsets are key values,\nand the odd-numbered offsets are the associated values. The array is in the same\nformat as request.rawHeaders.

\n

Returns a reference to the ServerResponse, so that calls can be chained.

\n
const body = 'hello world';\nresponse\n  .writeHead(200, {\n    'Content-Length': Buffer.byteLength(body),\n    'Content-Type': 'text/plain'\n  })\n  .end(body);\n
\n

This method must only be called once on a message and it must\nbe called before response.end() is called.

\n

If response.write() or response.end() are called before calling\nthis, the implicit/mutable headers will be calculated and call this function.

\n

When headers have been set with response.setHeader(), they will be merged\nwith any headers passed to response.writeHead(), with the headers passed\nto response.writeHead() given precedence.

\n

If this method is called and response.setHeader() has not been called,\nit will directly write the supplied header values onto the network channel\nwithout caching internally, and the response.getHeader() on the header\nwill not yield the expected result. If progressive population of headers is\ndesired with potential future retrieval and modification, use\nresponse.setHeader() instead.

\n
// Returns content-type = text/plain\nconst server = http.createServer((req, res) => {\n  res.setHeader('Content-Type', 'text/html');\n  res.setHeader('X-Foo', 'bar');\n  res.writeHead(200, { 'Content-Type': 'text/plain' });\n  res.end('ok');\n});\n
\n

Content-Length is given in bytes, not characters. Use\nBuffer.byteLength() to determine the length of the body in bytes. Node.js\ndoes not check whether Content-Length and the length of the body which has\nbeen transmitted are equal or not.

\n

Attempting to set a header field name or value that contains invalid characters\nwill result in a TypeError being thrown.

" }, { "textRaw": "`response.writeProcessing()`", "type": "method", "name": "writeProcessing", "meta": { "added": [ "v10.0.0" ], "changes": [] }, "signatures": [ { "params": [] } ], "desc": "

Sends a HTTP/1.1 102 Processing message to the client, indicating that\nthe request body should be sent.

" } ], "properties": [ { "textRaw": "`connection` {stream.Duplex}", "type": "stream.Duplex", "name": "connection", "meta": { "added": [ "v0.3.0" ], "deprecated": [ "v13.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated. Use [`response.socket`][].", "desc": "

See response.socket.

" }, { "textRaw": "`finished` {boolean}", "type": "boolean", "name": "finished", "meta": { "added": [ "v0.0.2" ], "deprecated": [ "v13.4.0", "v12.16.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated. Use [`response.writableEnded`][].", "desc": "

The response.finished property will be true if response.end()\nhas been called.

" }, { "textRaw": "`headersSent` {boolean}", "type": "boolean", "name": "headersSent", "meta": { "added": [ "v0.9.3" ], "changes": [] }, "desc": "

Boolean (read-only). True if headers were sent, false otherwise.

" }, { "textRaw": "`req` {http.IncomingMessage}", "type": "http.IncomingMessage", "name": "req", "meta": { "added": [ "v15.7.0" ], "changes": [] }, "desc": "

A reference to the original HTTP request object.

" }, { "textRaw": "`sendDate` {boolean}", "type": "boolean", "name": "sendDate", "meta": { "added": [ "v0.7.5" ], "changes": [] }, "desc": "

When true, the Date header will be automatically generated and sent in\nthe response if it is not already present in the headers. Defaults to true.

\n

This should only be disabled for testing; HTTP requires the Date header\nin responses.

" }, { "textRaw": "`socket` {stream.Duplex}", "type": "stream.Duplex", "name": "socket", "meta": { "added": [ "v0.3.0" ], "changes": [] }, "desc": "

Reference to the underlying socket. Usually users will not want to access\nthis property. In particular, the socket will not emit 'readable' events\nbecause of how the protocol parser attaches to the socket. After\nresponse.end(), the property is nulled.

\n
const http = require('http');\nconst server = http.createServer((req, res) => {\n  const ip = res.socket.remoteAddress;\n  const port = res.socket.remotePort;\n  res.end(`Your IP address is ${ip} and your source port is ${port}.`);\n}).listen(3000);\n
\n

This property is guaranteed to be an instance of the <net.Socket> class,\na subclass of <stream.Duplex>, unless the user specified a socket\ntype other than <net.Socket>.

" }, { "textRaw": "`statusCode` {number} **Default:** `200`", "type": "number", "name": "statusCode", "meta": { "added": [ "v0.4.0" ], "changes": [] }, "default": "`200`", "desc": "

When using implicit headers (not calling response.writeHead() explicitly),\nthis property controls the status code that will be sent to the client when\nthe headers get flushed.

\n
response.statusCode = 404;\n
\n

After response header was sent to the client, this property indicates the\nstatus code which was sent out.

" }, { "textRaw": "`statusMessage` {string}", "type": "string", "name": "statusMessage", "meta": { "added": [ "v0.11.8" ], "changes": [] }, "desc": "

When using implicit headers (not calling response.writeHead() explicitly),\nthis property controls the status message that will be sent to the client when\nthe headers get flushed. If this is left as undefined then the standard\nmessage for the status code will be used.

\n
response.statusMessage = 'Not found';\n
\n

After response header was sent to the client, this property indicates the\nstatus message which was sent out.

" }, { "textRaw": "`writableEnded` {boolean}", "type": "boolean", "name": "writableEnded", "meta": { "added": [ "v12.9.0" ], "changes": [] }, "desc": "

Is true after response.end() has been called. This property\ndoes not indicate whether the data has been flushed, for this use\nresponse.writableFinished instead.

" }, { "textRaw": "`writableFinished` {boolean}", "type": "boolean", "name": "writableFinished", "meta": { "added": [ "v12.7.0" ], "changes": [] }, "desc": "

Is true if all data has been flushed to the underlying system, immediately\nbefore the 'finish' event is emitted.

" } ] }, { "textRaw": "Class: `http.IncomingMessage`", "type": "class", "name": "http.IncomingMessage", "meta": { "added": [ "v0.1.17" ], "changes": [ { "version": "v15.5.0", "pr-url": "https://github.com/nodejs/node/pull/33035", "description": "The `destroyed` value returns `true` after the incoming data is consumed." }, { "version": [ "v13.1.0", "v12.16.0" ], "pr-url": "https://github.com/nodejs/node/pull/30135", "description": "The `readableHighWaterMark` value mirrors that of the socket." } ] }, "desc": "\n

An IncomingMessage object is created by http.Server or\nhttp.ClientRequest and passed as the first argument to the 'request'\nand 'response' event respectively. It may be used to access response\nstatus, headers and data.

\n

Different from its socket value which is a subclass of <stream.Duplex>, the\nIncomingMessage itself extends <stream.Readable> and is created separately to\nparse and emit the incoming HTTP headers and payload, as the underlying socket\nmay be reused multiple times in case of keep-alive.

", "events": [ { "textRaw": "Event: `'aborted'`", "type": "event", "name": "aborted", "meta": { "added": [ "v0.3.8" ], "changes": [] }, "params": [], "desc": "

Emitted when the request has been aborted.

" }, { "textRaw": "Event: `'close'`", "type": "event", "name": "close", "meta": { "added": [ "v0.4.2" ], "changes": [] }, "params": [], "desc": "

Indicates that the underlying connection was closed.

" } ], "properties": [ { "textRaw": "`aborted` {boolean}", "type": "boolean", "name": "aborted", "meta": { "added": [ "v10.1.0" ], "changes": [] }, "desc": "

The message.aborted property will be true if the request has\nbeen aborted.

" }, { "textRaw": "`complete` {boolean}", "type": "boolean", "name": "complete", "meta": { "added": [ "v0.3.0" ], "changes": [] }, "desc": "

The message.complete property will be true if a complete HTTP message has\nbeen received and successfully parsed.

\n

This property is particularly useful as a means of determining if a client or\nserver fully transmitted a message before a connection was terminated:

\n
const req = http.request({\n  host: '127.0.0.1',\n  port: 8080,\n  method: 'POST'\n}, (res) => {\n  res.resume();\n  res.on('end', () => {\n    if (!res.complete)\n      console.error(\n        'The connection was terminated while the message was still being sent');\n  });\n});\n
" }, { "textRaw": "`message.connection`", "name": "connection", "meta": { "added": [ "v0.1.90" ], "deprecated": [ "v16.0.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated. Use [`message.socket`][].", "desc": "

Alias for message.socket.

" }, { "textRaw": "`headers` {Object}", "type": "Object", "name": "headers", "meta": { "added": [ "v0.1.5" ], "changes": [ { "version": "v15.1.0", "pr-url": "https://github.com/nodejs/node/pull/35281", "description": "`message.headers` is now lazily computed using an accessor property on the prototype." } ] }, "desc": "

The request/response headers object.

\n

Key-value pairs of header names and values. Header names are lower-cased.

\n
// Prints something like:\n//\n// { 'user-agent': 'curl/7.22.0',\n//   host: '127.0.0.1:8000',\n//   accept: '*/*' }\nconsole.log(request.headers);\n
\n

Duplicates in raw headers are handled in the following ways, depending on the\nheader name:

\n" }, { "textRaw": "`httpVersion` {string}", "type": "string", "name": "httpVersion", "meta": { "added": [ "v0.1.1" ], "changes": [] }, "desc": "

In case of server request, the HTTP version sent by the client. In the case of\nclient response, the HTTP version of the connected-to server.\nProbably either '1.1' or '1.0'.

\n

Also message.httpVersionMajor is the first integer and\nmessage.httpVersionMinor is the second.

" }, { "textRaw": "`method` {string}", "type": "string", "name": "method", "meta": { "added": [ "v0.1.1" ], "changes": [] }, "desc": "

Only valid for request obtained from http.Server.

\n

The request method as a string. Read only. Examples: 'GET', 'DELETE'.

" }, { "textRaw": "`rawHeaders` {string[]}", "type": "string[]", "name": "rawHeaders", "meta": { "added": [ "v0.11.6" ], "changes": [] }, "desc": "

The raw request/response headers list exactly as they were received.

\n

The keys and values are in the same list. It is not a\nlist of tuples. So, the even-numbered offsets are key values, and the\nodd-numbered offsets are the associated values.

\n

Header names are not lowercased, and duplicates are not merged.

\n
// Prints something like:\n//\n// [ 'user-agent',\n//   'this is invalid because there can be only one',\n//   'User-Agent',\n//   'curl/7.22.0',\n//   'Host',\n//   '127.0.0.1:8000',\n//   'ACCEPT',\n//   '*/*' ]\nconsole.log(request.rawHeaders);\n
" }, { "textRaw": "`rawTrailers` {string[]}", "type": "string[]", "name": "rawTrailers", "meta": { "added": [ "v0.11.6" ], "changes": [] }, "desc": "

The raw request/response trailer keys and values exactly as they were\nreceived. Only populated at the 'end' event.

" }, { "textRaw": "`socket` {stream.Duplex}", "type": "stream.Duplex", "name": "socket", "meta": { "added": [ "v0.3.0" ], "changes": [] }, "desc": "

The net.Socket object associated with the connection.

\n

With HTTPS support, use request.socket.getPeerCertificate() to obtain the\nclient's authentication details.

\n

This property is guaranteed to be an instance of the <net.Socket> class,\na subclass of <stream.Duplex>, unless the user specified a socket\ntype other than <net.Socket>.

" }, { "textRaw": "`statusCode` {number}", "type": "number", "name": "statusCode", "meta": { "added": [ "v0.1.1" ], "changes": [] }, "desc": "

Only valid for response obtained from http.ClientRequest.

\n

The 3-digit HTTP response status code. E.G. 404.

" }, { "textRaw": "`statusMessage` {string}", "type": "string", "name": "statusMessage", "meta": { "added": [ "v0.11.10" ], "changes": [] }, "desc": "

Only valid for response obtained from http.ClientRequest.

\n

The HTTP response status message (reason phrase). E.G. OK or Internal Server Error.

" }, { "textRaw": "`trailers` {Object}", "type": "Object", "name": "trailers", "meta": { "added": [ "v0.3.0" ], "changes": [] }, "desc": "

The request/response trailers object. Only populated at the 'end' event.

" }, { "textRaw": "`url` {string}", "type": "string", "name": "url", "meta": { "added": [ "v0.1.90" ], "changes": [] }, "desc": "

Only valid for request obtained from http.Server.

\n

Request URL string. This contains only the URL that is present in the actual\nHTTP request. Take the following request:

\n
GET /status?name=ryan HTTP/1.1\nAccept: text/plain\n
\n

To parse the URL into its parts:

\n
new URL(request.url, `http://${request.headers.host}`);\n
\n

When request.url is '/status?name=ryan' and\nrequest.headers.host is 'localhost:3000':

\n
$ node\n> new URL(request.url, `http://${request.headers.host}`)\nURL {\n  href: 'http://localhost:3000/status?name=ryan',\n  origin: 'http://localhost:3000',\n  protocol: 'http:',\n  username: '',\n  password: '',\n  host: 'localhost:3000',\n  hostname: 'localhost',\n  port: '3000',\n  pathname: '/status',\n  search: '?name=ryan',\n  searchParams: URLSearchParams { 'name' => 'ryan' },\n  hash: ''\n}\n
" } ], "methods": [ { "textRaw": "`message.destroy([error])`", "type": "method", "name": "destroy", "meta": { "added": [ "v0.3.0" ], "changes": [ { "version": [ "v14.5.0", "v12.19.0" ], "pr-url": "https://github.com/nodejs/node/pull/32789", "description": "The function returns `this` for consistency with other Readable streams." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {this}", "name": "return", "type": "this" }, "params": [ { "textRaw": "`error` {Error}", "name": "error", "type": "Error" } ] } ], "desc": "

Calls destroy() on the socket that received the IncomingMessage. If error\nis provided, an 'error' event is emitted on the socket and error is passed\nas an argument to any listeners on the event.

" }, { "textRaw": "`message.setTimeout(msecs[, callback])`", "type": "method", "name": "setTimeout", "meta": { "added": [ "v0.5.9" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {http.IncomingMessage}", "name": "return", "type": "http.IncomingMessage" }, "params": [ { "textRaw": "`msecs` {number}", "name": "msecs", "type": "number" }, { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" } ] } ], "desc": "

Calls message.socket.setTimeout(msecs, callback).

" } ] }, { "textRaw": "Class: `http.OutgoingMessage`", "type": "class", "name": "http.OutgoingMessage", "meta": { "added": [ "v0.1.17" ], "changes": [] }, "desc": "\n

This class serves as the parent class of http.ClientRequest\nand http.ServerResponse. It is an abstract of outgoing message from\nthe perspective of the participants of HTTP transaction.

", "events": [ { "textRaw": "Event: `drain`", "type": "event", "name": "drain`", "meta": { "added": [ "v0.3.6" ], "changes": [] }, "params": [], "desc": "

Emitted when the buffer of the message is free again.

" }, { "textRaw": "Event: `finish`", "type": "event", "name": "finish`", "meta": { "added": [ "v0.1.17" ], "changes": [] }, "params": [], "desc": "

Emitted when the transmission is finished successfully.

" }, { "textRaw": "Event: `prefinish`", "type": "event", "name": "prefinish`", "meta": { "added": [ "v0.11.6" ], "changes": [] }, "params": [], "desc": "

Emitted when outgoingMessage.end was called.\nWhen the event is emitted, all data has been processed but not necessarily\ncompletely flushed.

" } ], "methods": [ { "textRaw": "`outgoingMessage.addTrailers(headers)`", "type": "method", "name": "addTrailers", "meta": { "added": [ "v0.3.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`headers` {Object}", "name": "headers", "type": "Object" } ] } ], "desc": "

Adds HTTP trailers (headers but at the end of the message) to the message.

\n

Trailers are only be emitted if the message is chunked encoded. If not,\nthe trailer will be silently discarded.

\n

HTTP requires the Trailer header to be sent to emit trailers,\nwith a list of header fields in its value, e.g.

\n
message.writeHead(200, { 'Content-Type': 'text/plain',\n                         'Trailer': 'Content-MD5' });\nmessage.write(fileData);\nmessage.addTrailers({ 'Content-MD5': '7895bf4b8828b55ceaf47747b4bca667' });\nmessage.end();\n
\n

Attempting to set a header field name or value that contains invalid characters\nwill result in a TypeError being thrown.

" }, { "textRaw": "`outgoingMessage.cork()`", "type": "method", "name": "cork", "meta": { "added": [ "v14.0.0" ], "changes": [] }, "signatures": [ { "params": [] } ], "desc": "

See writable.cork().

" }, { "textRaw": "`outgoingMessage.destroy([error])`", "type": "method", "name": "destroy", "meta": { "added": [ "v0.3.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {this}", "name": "return", "type": "this" }, "params": [ { "textRaw": "`error` {Error} Optional, an error to emit with `error` event", "name": "error", "type": "Error", "desc": "Optional, an error to emit with `error` event" } ] } ], "desc": "

Destroys the message. Once a socket is associated with the message\nand is connected, that socket will be destroyed as well.

" }, { "textRaw": "`outgoingMessage.end(chunk[, encoding][, callback])`", "type": "method", "name": "end", "meta": { "added": [ "v0.1.90" ], "changes": [ { "version": "v0.11.6", "description": "add `callback` argument." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {this}", "name": "return", "type": "this" }, "params": [ { "textRaw": "`chunk` {string | Buffer}", "name": "chunk", "type": "string | Buffer" }, { "textRaw": "`encoding` {string} Optional, **Default**: `utf8`", "name": "encoding", "type": "string", "desc": "Optional, **Default**: `utf8`" }, { "textRaw": "`callback` {Function} Optional", "name": "callback", "type": "Function", "desc": "Optional" } ] } ], "desc": "

Finishes the outgoing message. If any parts of the body are unsent, it will\nflush them to the underlying system. If the message is chunked, it will\nsend the terminating chunk 0\\r\\n\\r\\n, and send the trailer (if any).

\n

If chunk is specified, it is equivalent to call\noutgoingMessage.write(chunk, encoding), followed by\noutgoingMessage.end(callback).

\n

If callback is provided, it will be called when the message is finished.\n(equivalent to the callback to event finish)

" }, { "textRaw": "`outgoingMessage.flushHeaders()`", "type": "method", "name": "flushHeaders", "meta": { "added": [ "v1.6.0" ], "changes": [] }, "signatures": [ { "params": [] } ], "desc": "

Compulsorily flushes the message headers

\n

For efficiency reason, Node.js normally buffers the message headers\nuntil outgoingMessage.end() is called or the first chunk of message data\nis written. It then tries to pack the headers and data into a single TCP\npacket.

\n

It is usually desired (it saves a TCP round-trip), but not when the first\ndata is not sent until possibly much later. outgoingMessage.flushHeaders()\nbypasses the optimization and kickstarts the request.

" }, { "textRaw": "`outgoingMessage.getHeader(name)`", "type": "method", "name": "getHeader", "meta": { "added": [ "v0.4.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns {string | undefined}", "name": "return", "type": "string | undefined" }, "params": [ { "textRaw": "`name` {string} Name of header", "name": "name", "type": "string", "desc": "Name of header" } ] } ], "desc": "

Gets the value of HTTP header with the given name. If such a name doesn't\nexist in message, it will be undefined.

" }, { "textRaw": "`outgoingMessage.getHeaderNames()`", "type": "method", "name": "getHeaderNames", "meta": { "added": [ "v8.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns {string[]}", "name": "return", "type": "string[]" }, "params": [] } ], "desc": "

Returns an array of names of headers of the outgoing outgoingMessage. All\nnames are lowercase.

" }, { "textRaw": "`outgoingMessage.getHeaders()`", "type": "method", "name": "getHeaders", "meta": { "added": [ "v8.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {Object}", "name": "return", "type": "Object" }, "params": [] } ], "desc": "

Returns a shallow copy of the current outgoing headers. Since a shallow\ncopy is used, array values may be mutated without additional calls to\nvarious header-related HTTP module methods. The keys of the returned\nobject are the header names and the values are the respective header\nvalues. All header names are lowercase.

\n

The object returned by the outgoingMessage.getHeaders() method does\nnot prototypically inherit from the JavaScript Object. This means that\ntypical Object methods such as obj.toString(), obj.hasOwnProperty(),\nand others are not defined and will not work.

\n
outgoingMessage.setHeader('Foo', 'bar');\noutgoingMessage.setHeader('Set-Cookie', ['foo=bar', 'bar=baz']);\n\nconst headers = outgoingMessage.getHeaders();\n// headers === { foo: 'bar', 'set-cookie': ['foo=bar', 'bar=baz'] }\n
" }, { "textRaw": "`outgoingMessage.hasHeader(name)`", "type": "method", "name": "hasHeader", "meta": { "added": [ "v8.0.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`name` {string}", "name": "name", "type": "string" } ] } ], "desc": "

Returns true if the header identified by name is currently set in the\noutgoing headers. The header name is case-insensitive.

\n
const hasContentType = outgoingMessage.hasHeader('content-type');\n
" }, { "textRaw": "`outgoingMessage.pipe()`", "type": "method", "name": "pipe", "meta": { "added": [ "v9.0.0" ], "changes": [] }, "signatures": [ { "params": [] } ], "desc": "

Overrides the pipe method of legacy Stream which is the parent class of\nhttp.outgoingMessage.

\n

Since OutgoingMessage should be a write-only stream,\ncall this function will throw an Error. Thus, it disabled the pipe method\nit inherits from Stream.

\n

The User should not call this function directly.

" }, { "textRaw": "`outgoingMessage.removeHeader()`", "type": "method", "name": "removeHeader", "meta": { "added": [ "v0.4.0" ], "changes": [] }, "signatures": [ { "params": [] } ], "desc": "

Removes a header that is queued for implicit sending.

\n
outgoingMessage.removeHeader('Content-Encoding');\n
" }, { "textRaw": "`outgoingMessage.setHeader(name, value)`", "type": "method", "name": "setHeader", "meta": { "added": [ "v0.4.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {this}", "name": "return", "type": "this" }, "params": [ { "textRaw": "`name` {string} Header name", "name": "name", "type": "string", "desc": "Header name" }, { "textRaw": "`value` {string} Header value", "name": "value", "type": "string", "desc": "Header value" } ] } ], "desc": "

Sets a single header value for the header object.

" }, { "textRaw": "`outgoingMessage.setTimeout(msesc[, callback])`", "type": "method", "name": "setTimeout", "meta": { "added": [ "v0.9.12" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`msesc` {number}", "name": "msesc", "type": "number" }, { "textRaw": "`callback` {Function} Optional function to be called when a timeout", "name": "callback", "type": "Function", "desc": "Optional function to be called when a timeout" } ] } ], "desc": "

occurs, Same as binding to the timeout event.

\n\n

Once a socket is associated with the message and is connected,\nsocket.setTimeout() will be called with msecs as the first parameter.

" }, { "textRaw": "`outgoingMessage.uncork()`", "type": "method", "name": "uncork", "meta": { "added": [ "v14.0.0" ], "changes": [] }, "signatures": [ { "params": [] } ], "desc": "

See writable.uncork()

" }, { "textRaw": "`outgoingMessage.write(chunk[, encoding][, callback])`", "type": "method", "name": "write", "meta": { "added": [ "v0.1.29" ], "changes": [ { "version": "v0.11.6", "description": "add `callback` argument." } ] }, "signatures": [ { "return": { "textRaw": "Returns {boolean}", "name": "return", "type": "boolean" }, "params": [ { "textRaw": "`chunk` {string | Buffer}", "name": "chunk", "type": "string | Buffer" }, { "textRaw": "`encoding` {string} **Default**: `utf8`", "name": "encoding", "type": "string", "desc": "**Default**: `utf8`" }, { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" } ] } ], "desc": "

If this method is called and the header is not sent, it will call\nthis._implicitHeader to flush implicit header.\nIf the message should not have a body (indicated by this._hasBody),\nthe call is ignored and chunk will not be sent. It could be useful\nwhen handling a particular message which must not include a body.\ne.g. response to HEAD request, 204 and 304 response.

\n

chunk can be a string or a buffer. When chunk is a string, the\nencoding parameter specifies how to encode chunk into a byte stream.\ncallback will be called when the chunk is flushed.

\n

If the message is transferred in chucked encoding\n(indicated by this.chunkedEncoding), chunk will be flushed as\none chunk among a stream of chunks. Otherwise, it will be flushed as the\nbody of message.

\n

This method handles the raw body of the HTTP message and has nothing to do\nwith higher-level multi-part body encodings that may be used.

\n

If it is the first call to this method of a message, it will send the\nbuffered header first, then flush the chunk as described above.

\n

The second and successive calls to this method will assume the data\nwill be streamed and send the new data separately. It means that the response\nis buffered up to the first chunk of the body.

\n

Returns true if the entire data was flushed successfully to the kernel\nbuffer. Returns false if all or part of the data was queued in the user\nmemory. Event drain will be emitted when the buffer is free again.

" } ], "properties": [ { "textRaw": "`outgoingMessage.connection`", "name": "connection", "meta": { "added": [ "v0.3.0" ], "deprecated": [ "v15.12.0" ], "changes": [] }, "stability": 0, "stabilityText": "Deprecated: Use [`outgoingMessage.socket`][] instead.", "desc": "

Aliases of outgoingMessage.socket

" }, { "textRaw": "`headersSent` {boolean}", "type": "boolean", "name": "headersSent", "meta": { "added": [ "v0.9.3" ], "changes": [] }, "desc": "

Read-only. true if the headers were sent, otherwise false.

" }, { "textRaw": "`socket` {stream.Duplex}", "type": "stream.Duplex", "name": "socket", "meta": { "added": [ "v0.3.0" ], "changes": [] }, "desc": "

Reference to the underlying socket. Usually, users will not want to access\nthis property.

\n

After calling outgoingMessage.end(), this property will be nulled.

" }, { "textRaw": "`writableCorked` {number}", "type": "number", "name": "writableCorked", "meta": { "added": [ "v14.0.0" ], "changes": [] }, "desc": "

This outgoingMessage.writableCorked will return the time how many\noutgoingMessage.cork() have been called.

" }, { "textRaw": "`writableEnded` {boolean}", "type": "boolean", "name": "writableEnded", "meta": { "added": [ "v13.0.0" ], "changes": [] }, "desc": "

Readonly, true if outgoingMessage.end() has been called. Noted that\nthis property does not reflect whether the data has been flush. For that\npurpose, use message.writableFinished instead.

" }, { "textRaw": "`writableFinished` {boolean}", "type": "boolean", "name": "writableFinished", "meta": { "added": [ "v13.0.0" ], "changes": [] }, "desc": "

Readonly. true if all data has been flushed to the underlying system.

" }, { "textRaw": "`writableHighWaterMark` {number}", "type": "number", "name": "writableHighWaterMark", "meta": { "added": [ "v13.0.0" ], "changes": [] }, "desc": "

This outgoingMessage.writableHighWaterMark will be the highWaterMark of\nunderlying socket if socket exists. Else, it would be the default\nhighWaterMark.

\n

highWaterMark is the maximum amount of data that can be potentially\nbuffered by the socket.

" }, { "textRaw": "`writableLength` {number}", "type": "number", "name": "writableLength", "meta": { "added": [ "v13.0.0" ], "changes": [] }, "desc": "

Readonly, This outgoingMessage.writableLength contains the number of\nbytes (or objects) in the buffer ready to send.

" }, { "textRaw": "`writableObjectMode` {boolean}", "type": "boolean", "name": "writableObjectMode", "meta": { "added": [ "v13.0.0" ], "changes": [] }, "desc": "

Readonly, always returns false.

" } ] } ], "properties": [ { "textRaw": "`METHODS` {string[]}", "type": "string[]", "name": "METHODS", "meta": { "added": [ "v0.11.8" ], "changes": [] }, "desc": "

A list of the HTTP methods that are supported by the parser.

" }, { "textRaw": "`STATUS_CODES` {Object}", "type": "Object", "name": "STATUS_CODES", "meta": { "added": [ "v0.1.22" ], "changes": [] }, "desc": "

A collection of all the standard HTTP response status codes, and the\nshort description of each. For example, http.STATUS_CODES[404] === 'Not Found'.

" }, { "textRaw": "`globalAgent` {http.Agent}", "type": "http.Agent", "name": "globalAgent", "meta": { "added": [ "v0.5.9" ], "changes": [] }, "desc": "

Global instance of Agent which is used as the default for all HTTP client\nrequests.

" }, { "textRaw": "`maxHeaderSize` {number}", "type": "number", "name": "maxHeaderSize", "meta": { "added": [ "v11.6.0", "v10.15.0" ], "changes": [] }, "desc": "

Read-only property specifying the maximum allowed size of HTTP headers in bytes.\nDefaults to 8 KB. Configurable using the --max-http-header-size CLI\noption.

\n

This can be overridden for servers and client requests by passing the\nmaxHeaderSize option.

" } ], "methods": [ { "textRaw": "`http.createServer([options][, requestListener])`", "type": "method", "name": "createServer", "meta": { "added": [ "v0.1.13" ], "changes": [ { "version": [ "v13.8.0", "v12.15.0", "v10.19.0" ], "pr-url": "https://github.com/nodejs/node/pull/31448", "description": "The `insecureHTTPParser` option is supported now." }, { "version": "v13.3.0", "pr-url": "https://github.com/nodejs/node/pull/30570", "description": "The `maxHeaderSize` option is supported now." }, { "version": [ "v9.6.0", "v8.12.0" ], "pr-url": "https://github.com/nodejs/node/pull/15752", "description": "The `options` argument is supported now." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {http.Server}", "name": "return", "type": "http.Server" }, "params": [ { "textRaw": "`options` {Object}", "name": "options", "type": "Object", "options": [ { "textRaw": "`IncomingMessage` {http.IncomingMessage} Specifies the `IncomingMessage` class to be used. Useful for extending the original `IncomingMessage`. **Default:** `IncomingMessage`.", "name": "IncomingMessage", "type": "http.IncomingMessage", "default": "`IncomingMessage`", "desc": "Specifies the `IncomingMessage` class to be used. Useful for extending the original `IncomingMessage`." }, { "textRaw": "`ServerResponse` {http.ServerResponse} Specifies the `ServerResponse` class to be used. Useful for extending the original `ServerResponse`. **Default:** `ServerResponse`.", "name": "ServerResponse", "type": "http.ServerResponse", "default": "`ServerResponse`", "desc": "Specifies the `ServerResponse` class to be used. Useful for extending the original `ServerResponse`." }, { "textRaw": "`insecureHTTPParser` {boolean} Use an insecure HTTP parser that accepts invalid HTTP headers when `true`. Using the insecure parser should be avoided. See [`--insecure-http-parser`][] for more information. **Default:** `false`", "name": "insecureHTTPParser", "type": "boolean", "default": "`false`", "desc": "Use an insecure HTTP parser that accepts invalid HTTP headers when `true`. Using the insecure parser should be avoided. See [`--insecure-http-parser`][] for more information." }, { "textRaw": "`maxHeaderSize` {number} Optionally overrides the value of [`--max-http-header-size`][] for requests received by this server, i.e. the maximum length of request headers in bytes. **Default:** 16384 (16 KB).", "name": "maxHeaderSize", "type": "number", "default": "16384 (16 KB)", "desc": "Optionally overrides the value of [`--max-http-header-size`][] for requests received by this server, i.e. the maximum length of request headers in bytes." } ] }, { "textRaw": "`requestListener` {Function}", "name": "requestListener", "type": "Function" } ] } ], "desc": "

Returns a new instance of http.Server.

\n

The requestListener is a function which is automatically\nadded to the 'request' event.

" }, { "textRaw": "`http.get(options[, callback])`", "type": "method", "name": "get", "meta": { "added": [ "v0.3.6" ], "changes": [ { "version": "v10.9.0", "pr-url": "https://github.com/nodejs/node/pull/21616", "description": "The `url` parameter can now be passed along with a separate `options` object." }, { "version": "v7.5.0", "pr-url": "https://github.com/nodejs/node/pull/10638", "description": "The `options` parameter can be a WHATWG `URL` object." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {http.ClientRequest}", "name": "return", "type": "http.ClientRequest" }, "params": [ { "textRaw": "`url` {string | URL}", "name": "url", "type": "string | URL" }, { "textRaw": "`options` {Object} Accepts the same `options` as [`http.request()`][], with the `method` always set to `GET`. Properties that are inherited from the prototype are ignored.", "name": "options", "type": "Object", "desc": "Accepts the same `options` as [`http.request()`][], with the `method` always set to `GET`. Properties that are inherited from the prototype are ignored." }, { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" } ] } ], "desc": "

Since most requests are GET requests without bodies, Node.js provides this\nconvenience method. The only difference between this method and\nhttp.request() is that it sets the method to GET and calls req.end()\nautomatically. The callback must take care to consume the response\ndata for reasons stated in http.ClientRequest section.

\n

The callback is invoked with a single argument that is an instance of\nhttp.IncomingMessage.

\n

JSON fetching example:

\n
http.get('http://localhost:8000/', (res) => {\n  const { statusCode } = res;\n  const contentType = res.headers['content-type'];\n\n  let error;\n  // Any 2xx status code signals a successful response but\n  // here we're only checking for 200.\n  if (statusCode !== 200) {\n    error = new Error('Request Failed.\\n' +\n                      `Status Code: ${statusCode}`);\n  } else if (!/^application\\/json/.test(contentType)) {\n    error = new Error('Invalid content-type.\\n' +\n                      `Expected application/json but received ${contentType}`);\n  }\n  if (error) {\n    console.error(error.message);\n    // Consume response data to free up memory\n    res.resume();\n    return;\n  }\n\n  res.setEncoding('utf8');\n  let rawData = '';\n  res.on('data', (chunk) => { rawData += chunk; });\n  res.on('end', () => {\n    try {\n      const parsedData = JSON.parse(rawData);\n      console.log(parsedData);\n    } catch (e) {\n      console.error(e.message);\n    }\n  });\n}).on('error', (e) => {\n  console.error(`Got error: ${e.message}`);\n});\n\n// Create a local server to receive data from\nconst server = http.createServer((req, res) => {\n  res.writeHead(200, { 'Content-Type': 'application/json' });\n  res.end(JSON.stringify({\n    data: 'Hello World!'\n  }));\n});\n\nserver.listen(8000);\n
" }, { "textRaw": "`http.get(url[, options][, callback])`", "type": "method", "name": "get", "meta": { "added": [ "v0.3.6" ], "changes": [ { "version": "v10.9.0", "pr-url": "https://github.com/nodejs/node/pull/21616", "description": "The `url` parameter can now be passed along with a separate `options` object." }, { "version": "v7.5.0", "pr-url": "https://github.com/nodejs/node/pull/10638", "description": "The `options` parameter can be a WHATWG `URL` object." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {http.ClientRequest}", "name": "return", "type": "http.ClientRequest" }, "params": [ { "textRaw": "`url` {string | URL}", "name": "url", "type": "string | URL" }, { "textRaw": "`options` {Object} Accepts the same `options` as [`http.request()`][], with the `method` always set to `GET`. Properties that are inherited from the prototype are ignored.", "name": "options", "type": "Object", "desc": "Accepts the same `options` as [`http.request()`][], with the `method` always set to `GET`. Properties that are inherited from the prototype are ignored." }, { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" } ] } ], "desc": "

Since most requests are GET requests without bodies, Node.js provides this\nconvenience method. The only difference between this method and\nhttp.request() is that it sets the method to GET and calls req.end()\nautomatically. The callback must take care to consume the response\ndata for reasons stated in http.ClientRequest section.

\n

The callback is invoked with a single argument that is an instance of\nhttp.IncomingMessage.

\n

JSON fetching example:

\n
http.get('http://localhost:8000/', (res) => {\n  const { statusCode } = res;\n  const contentType = res.headers['content-type'];\n\n  let error;\n  // Any 2xx status code signals a successful response but\n  // here we're only checking for 200.\n  if (statusCode !== 200) {\n    error = new Error('Request Failed.\\n' +\n                      `Status Code: ${statusCode}`);\n  } else if (!/^application\\/json/.test(contentType)) {\n    error = new Error('Invalid content-type.\\n' +\n                      `Expected application/json but received ${contentType}`);\n  }\n  if (error) {\n    console.error(error.message);\n    // Consume response data to free up memory\n    res.resume();\n    return;\n  }\n\n  res.setEncoding('utf8');\n  let rawData = '';\n  res.on('data', (chunk) => { rawData += chunk; });\n  res.on('end', () => {\n    try {\n      const parsedData = JSON.parse(rawData);\n      console.log(parsedData);\n    } catch (e) {\n      console.error(e.message);\n    }\n  });\n}).on('error', (e) => {\n  console.error(`Got error: ${e.message}`);\n});\n\n// Create a local server to receive data from\nconst server = http.createServer((req, res) => {\n  res.writeHead(200, { 'Content-Type': 'application/json' });\n  res.end(JSON.stringify({\n    data: 'Hello World!'\n  }));\n});\n\nserver.listen(8000);\n
" }, { "textRaw": "`http.request(options[, callback])`", "type": "method", "name": "request", "meta": { "added": [ "v0.3.6" ], "changes": [ { "version": "v15.3.0", "pr-url": "https://github.com/nodejs/node/pull/36048", "description": "It is possible to abort a request with an AbortSignal." }, { "version": [ "v13.8.0", "v12.15.0", "v10.19.0" ], "pr-url": "https://github.com/nodejs/node/pull/31448", "description": "The `insecureHTTPParser` option is supported now." }, { "version": "v13.3.0", "pr-url": "https://github.com/nodejs/node/pull/30570", "description": "The `maxHeaderSize` option is supported now." }, { "version": "v10.9.0", "pr-url": "https://github.com/nodejs/node/pull/21616", "description": "The `url` parameter can now be passed along with a separate `options` object." }, { "version": "v7.5.0", "pr-url": "https://github.com/nodejs/node/pull/10638", "description": "The `options` parameter can be a WHATWG `URL` object." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {http.ClientRequest}", "name": "return", "type": "http.ClientRequest" }, "params": [ { "textRaw": "`url` {string | URL}", "name": "url", "type": "string | URL" }, { "textRaw": "`options` {Object}", "name": "options", "type": "Object", "options": [ { "textRaw": "`agent` {http.Agent | boolean} Controls [`Agent`][] behavior. Possible values:", "name": "agent", "type": "http.Agent | boolean", "desc": "Controls [`Agent`][] behavior. Possible values:", "options": [ { "textRaw": "`undefined` (default): use [`http.globalAgent`][] for this host and port.", "name": "undefined", "desc": "(default): use [`http.globalAgent`][] for this host and port." }, { "textRaw": "`Agent` object: explicitly use the passed in `Agent`.", "name": "Agent", "desc": "object: explicitly use the passed in `Agent`." }, { "textRaw": "`false`: causes a new `Agent` with default values to be used.", "name": "false", "desc": "causes a new `Agent` with default values to be used." } ] }, { "textRaw": "`auth` {string} Basic authentication i.e. `'user:password'` to compute an Authorization header.", "name": "auth", "type": "string", "desc": "Basic authentication i.e. `'user:password'` to compute an Authorization header." }, { "textRaw": "`createConnection` {Function} A function that produces a socket/stream to use for the request when the `agent` option is not used. This can be used to avoid creating a custom `Agent` class just to override the default `createConnection` function. See [`agent.createConnection()`][] for more details. Any [`Duplex`][] stream is a valid return value.", "name": "createConnection", "type": "Function", "desc": "A function that produces a socket/stream to use for the request when the `agent` option is not used. This can be used to avoid creating a custom `Agent` class just to override the default `createConnection` function. See [`agent.createConnection()`][] for more details. Any [`Duplex`][] stream is a valid return value." }, { "textRaw": "`defaultPort` {number} Default port for the protocol. **Default:** `agent.defaultPort` if an `Agent` is used, else `undefined`.", "name": "defaultPort", "type": "number", "default": "`agent.defaultPort` if an `Agent` is used, else `undefined`", "desc": "Default port for the protocol." }, { "textRaw": "`family` {number} IP address family to use when resolving `host` or `hostname`. Valid values are `4` or `6`. When unspecified, both IP v4 and v6 will be used.", "name": "family", "type": "number", "desc": "IP address family to use when resolving `host` or `hostname`. Valid values are `4` or `6`. When unspecified, both IP v4 and v6 will be used." }, { "textRaw": "`headers` {Object} An object containing request headers.", "name": "headers", "type": "Object", "desc": "An object containing request headers." }, { "textRaw": "`hints` {number} Optional [`dns.lookup()` hints][].", "name": "hints", "type": "number", "desc": "Optional [`dns.lookup()` hints][]." }, { "textRaw": "`host` {string} A domain name or IP address of the server to issue the request to. **Default:** `'localhost'`.", "name": "host", "type": "string", "default": "`'localhost'`", "desc": "A domain name or IP address of the server to issue the request to." }, { "textRaw": "`hostname` {string} Alias for `host`. To support [`url.parse()`][], `hostname` will be used if both `host` and `hostname` are specified.", "name": "hostname", "type": "string", "desc": "Alias for `host`. To support [`url.parse()`][], `hostname` will be used if both `host` and `hostname` are specified." }, { "textRaw": "`insecureHTTPParser` {boolean} Use an insecure HTTP parser that accepts invalid HTTP headers when `true`. Using the insecure parser should be avoided. See [`--insecure-http-parser`][] for more information. **Default:** `false`", "name": "insecureHTTPParser", "type": "boolean", "default": "`false`", "desc": "Use an insecure HTTP parser that accepts invalid HTTP headers when `true`. Using the insecure parser should be avoided. See [`--insecure-http-parser`][] for more information." }, { "textRaw": "`localAddress` {string} Local interface to bind for network connections.", "name": "localAddress", "type": "string", "desc": "Local interface to bind for network connections." }, { "textRaw": "`localPort` {number} Local port to connect from.", "name": "localPort", "type": "number", "desc": "Local port to connect from." }, { "textRaw": "`lookup` {Function} Custom lookup function. **Default:** [`dns.lookup()`][].", "name": "lookup", "type": "Function", "default": "[`dns.lookup()`][]", "desc": "Custom lookup function." }, { "textRaw": "`maxHeaderSize` {number} Optionally overrides the value of [`--max-http-header-size`][] for requests received from the server, i.e. the maximum length of response headers in bytes. **Default:** 16384 (16 KB).", "name": "maxHeaderSize", "type": "number", "default": "16384 (16 KB)", "desc": "Optionally overrides the value of [`--max-http-header-size`][] for requests received from the server, i.e. the maximum length of response headers in bytes." }, { "textRaw": "`method` {string} A string specifying the HTTP request method. **Default:** `'GET'`.", "name": "method", "type": "string", "default": "`'GET'`", "desc": "A string specifying the HTTP request method." }, { "textRaw": "`path` {string} Request path. Should include query string if any. E.G. `'/index.html?page=12'`. An exception is thrown when the request path contains illegal characters. Currently, only spaces are rejected but that may change in the future. **Default:** `'/'`.", "name": "path", "type": "string", "default": "`'/'`", "desc": "Request path. Should include query string if any. E.G. `'/index.html?page=12'`. An exception is thrown when the request path contains illegal characters. Currently, only spaces are rejected but that may change in the future." }, { "textRaw": "`port` {number} Port of remote server. **Default:** `defaultPort` if set, else `80`.", "name": "port", "type": "number", "default": "`defaultPort` if set, else `80`", "desc": "Port of remote server." }, { "textRaw": "`protocol` {string} Protocol to use. **Default:** `'http:'`.", "name": "protocol", "type": "string", "default": "`'http:'`", "desc": "Protocol to use." }, { "textRaw": "`setHost` {boolean}: Specifies whether or not to automatically add the `Host` header. Defaults to `true`.", "name": "setHost", "type": "boolean", "desc": ": Specifies whether or not to automatically add the `Host` header. Defaults to `true`." }, { "textRaw": "`socketPath` {string} Unix Domain Socket (cannot be used if one of `host` or `port` is specified, those specify a TCP Socket).", "name": "socketPath", "type": "string", "desc": "Unix Domain Socket (cannot be used if one of `host` or `port` is specified, those specify a TCP Socket)." }, { "textRaw": "`timeout` {number}: A number specifying the socket timeout in milliseconds. This will set the timeout before the socket is connected.", "name": "timeout", "type": "number", "desc": ": A number specifying the socket timeout in milliseconds. This will set the timeout before the socket is connected." }, { "textRaw": "`signal` {AbortSignal}: An AbortSignal that may be used to abort an ongoing request.", "name": "signal", "type": "AbortSignal", "desc": ": An AbortSignal that may be used to abort an ongoing request." } ] }, { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" } ] } ], "desc": "

Node.js maintains several connections per server to make HTTP requests.\nThis function allows one to transparently issue requests.

\n

url can be a string or a URL object. If url is a\nstring, it is automatically parsed with new URL(). If it is a URL\nobject, it will be automatically converted to an ordinary options object.

\n

If both url and options are specified, the objects are merged, with the\noptions properties taking precedence.

\n

The optional callback parameter will be added as a one-time listener for\nthe 'response' event.

\n

http.request() returns an instance of the http.ClientRequest\nclass. The ClientRequest instance is a writable stream. If one needs to\nupload a file with a POST request, then write to the ClientRequest object.

\n
const http = require('http');\n\nconst postData = JSON.stringify({\n  'msg': 'Hello World!'\n});\n\nconst options = {\n  hostname: 'www.google.com',\n  port: 80,\n  path: '/upload',\n  method: 'POST',\n  headers: {\n    'Content-Type': 'application/json',\n    'Content-Length': Buffer.byteLength(postData)\n  }\n};\n\nconst req = http.request(options, (res) => {\n  console.log(`STATUS: ${res.statusCode}`);\n  console.log(`HEADERS: ${JSON.stringify(res.headers)}`);\n  res.setEncoding('utf8');\n  res.on('data', (chunk) => {\n    console.log(`BODY: ${chunk}`);\n  });\n  res.on('end', () => {\n    console.log('No more data in response.');\n  });\n});\n\nreq.on('error', (e) => {\n  console.error(`problem with request: ${e.message}`);\n});\n\n// Write data to request body\nreq.write(postData);\nreq.end();\n
\n

In the example req.end() was called. With http.request() one\nmust always call req.end() to signify the end of the request -\neven if there is no data being written to the request body.

\n

If any error is encountered during the request (be that with DNS resolution,\nTCP level errors, or actual HTTP parse errors) an 'error' event is emitted\non the returned request object. As with all 'error' events, if no listeners\nare registered the error will be thrown.

\n

There are a few special headers that should be noted.

\n\n

Example using a URL as options:

\n
const options = new URL('http://abc:xyz@example.com');\n\nconst req = http.request(options, (res) => {\n  // ...\n});\n
\n

In a successful request, the following events will be emitted in the following\norder:

\n\n

In the case of a connection error, the following events will be emitted:

\n\n

In the case of a premature connection close before the response is received,\nthe following events will be emitted in the following order:

\n\n

In the case of a premature connection close after the response is received,\nthe following events will be emitted in the following order:

\n\n

If req.destroy() is called before a socket is assigned, the following\nevents will be emitted in the following order:

\n\n

If req.destroy() is called before the connection succeeds, the following\nevents will be emitted in the following order:

\n\n

If req.destroy() is called after the response is received, the following\nevents will be emitted in the following order:

\n\n

If req.abort() is called before a socket is assigned, the following\nevents will be emitted in the following order:

\n\n

If req.abort() is called before the connection succeeds, the following\nevents will be emitted in the following order:

\n\n

If req.abort() is called after the response is received, the following\nevents will be emitted in the following order:

\n\n

Setting the timeout option or using the setTimeout() function will\nnot abort the request or do anything besides add a 'timeout' event.

\n

Passing an AbortSignal and then calling abort on the corresponding\nAbortController will behave the same way as calling .destroy() on the\nrequest itself.

" }, { "textRaw": "`http.request(url[, options][, callback])`", "type": "method", "name": "request", "meta": { "added": [ "v0.3.6" ], "changes": [ { "version": "v15.3.0", "pr-url": "https://github.com/nodejs/node/pull/36048", "description": "It is possible to abort a request with an AbortSignal." }, { "version": [ "v13.8.0", "v12.15.0", "v10.19.0" ], "pr-url": "https://github.com/nodejs/node/pull/31448", "description": "The `insecureHTTPParser` option is supported now." }, { "version": "v13.3.0", "pr-url": "https://github.com/nodejs/node/pull/30570", "description": "The `maxHeaderSize` option is supported now." }, { "version": "v10.9.0", "pr-url": "https://github.com/nodejs/node/pull/21616", "description": "The `url` parameter can now be passed along with a separate `options` object." }, { "version": "v7.5.0", "pr-url": "https://github.com/nodejs/node/pull/10638", "description": "The `options` parameter can be a WHATWG `URL` object." } ] }, "signatures": [ { "return": { "textRaw": "Returns: {http.ClientRequest}", "name": "return", "type": "http.ClientRequest" }, "params": [ { "textRaw": "`url` {string | URL}", "name": "url", "type": "string | URL" }, { "textRaw": "`options` {Object}", "name": "options", "type": "Object", "options": [ { "textRaw": "`agent` {http.Agent | boolean} Controls [`Agent`][] behavior. Possible values:", "name": "agent", "type": "http.Agent | boolean", "desc": "Controls [`Agent`][] behavior. Possible values:", "options": [ { "textRaw": "`undefined` (default): use [`http.globalAgent`][] for this host and port.", "name": "undefined", "desc": "(default): use [`http.globalAgent`][] for this host and port." }, { "textRaw": "`Agent` object: explicitly use the passed in `Agent`.", "name": "Agent", "desc": "object: explicitly use the passed in `Agent`." }, { "textRaw": "`false`: causes a new `Agent` with default values to be used.", "name": "false", "desc": "causes a new `Agent` with default values to be used." } ] }, { "textRaw": "`auth` {string} Basic authentication i.e. `'user:password'` to compute an Authorization header.", "name": "auth", "type": "string", "desc": "Basic authentication i.e. `'user:password'` to compute an Authorization header." }, { "textRaw": "`createConnection` {Function} A function that produces a socket/stream to use for the request when the `agent` option is not used. This can be used to avoid creating a custom `Agent` class just to override the default `createConnection` function. See [`agent.createConnection()`][] for more details. Any [`Duplex`][] stream is a valid return value.", "name": "createConnection", "type": "Function", "desc": "A function that produces a socket/stream to use for the request when the `agent` option is not used. This can be used to avoid creating a custom `Agent` class just to override the default `createConnection` function. See [`agent.createConnection()`][] for more details. Any [`Duplex`][] stream is a valid return value." }, { "textRaw": "`defaultPort` {number} Default port for the protocol. **Default:** `agent.defaultPort` if an `Agent` is used, else `undefined`.", "name": "defaultPort", "type": "number", "default": "`agent.defaultPort` if an `Agent` is used, else `undefined`", "desc": "Default port for the protocol." }, { "textRaw": "`family` {number} IP address family to use when resolving `host` or `hostname`. Valid values are `4` or `6`. When unspecified, both IP v4 and v6 will be used.", "name": "family", "type": "number", "desc": "IP address family to use when resolving `host` or `hostname`. Valid values are `4` or `6`. When unspecified, both IP v4 and v6 will be used." }, { "textRaw": "`headers` {Object} An object containing request headers.", "name": "headers", "type": "Object", "desc": "An object containing request headers." }, { "textRaw": "`hints` {number} Optional [`dns.lookup()` hints][].", "name": "hints", "type": "number", "desc": "Optional [`dns.lookup()` hints][]." }, { "textRaw": "`host` {string} A domain name or IP address of the server to issue the request to. **Default:** `'localhost'`.", "name": "host", "type": "string", "default": "`'localhost'`", "desc": "A domain name or IP address of the server to issue the request to." }, { "textRaw": "`hostname` {string} Alias for `host`. To support [`url.parse()`][], `hostname` will be used if both `host` and `hostname` are specified.", "name": "hostname", "type": "string", "desc": "Alias for `host`. To support [`url.parse()`][], `hostname` will be used if both `host` and `hostname` are specified." }, { "textRaw": "`insecureHTTPParser` {boolean} Use an insecure HTTP parser that accepts invalid HTTP headers when `true`. Using the insecure parser should be avoided. See [`--insecure-http-parser`][] for more information. **Default:** `false`", "name": "insecureHTTPParser", "type": "boolean", "default": "`false`", "desc": "Use an insecure HTTP parser that accepts invalid HTTP headers when `true`. Using the insecure parser should be avoided. See [`--insecure-http-parser`][] for more information." }, { "textRaw": "`localAddress` {string} Local interface to bind for network connections.", "name": "localAddress", "type": "string", "desc": "Local interface to bind for network connections." }, { "textRaw": "`localPort` {number} Local port to connect from.", "name": "localPort", "type": "number", "desc": "Local port to connect from." }, { "textRaw": "`lookup` {Function} Custom lookup function. **Default:** [`dns.lookup()`][].", "name": "lookup", "type": "Function", "default": "[`dns.lookup()`][]", "desc": "Custom lookup function." }, { "textRaw": "`maxHeaderSize` {number} Optionally overrides the value of [`--max-http-header-size`][] for requests received from the server, i.e. the maximum length of response headers in bytes. **Default:** 16384 (16 KB).", "name": "maxHeaderSize", "type": "number", "default": "16384 (16 KB)", "desc": "Optionally overrides the value of [`--max-http-header-size`][] for requests received from the server, i.e. the maximum length of response headers in bytes." }, { "textRaw": "`method` {string} A string specifying the HTTP request method. **Default:** `'GET'`.", "name": "method", "type": "string", "default": "`'GET'`", "desc": "A string specifying the HTTP request method." }, { "textRaw": "`path` {string} Request path. Should include query string if any. E.G. `'/index.html?page=12'`. An exception is thrown when the request path contains illegal characters. Currently, only spaces are rejected but that may change in the future. **Default:** `'/'`.", "name": "path", "type": "string", "default": "`'/'`", "desc": "Request path. Should include query string if any. E.G. `'/index.html?page=12'`. An exception is thrown when the request path contains illegal characters. Currently, only spaces are rejected but that may change in the future." }, { "textRaw": "`port` {number} Port of remote server. **Default:** `defaultPort` if set, else `80`.", "name": "port", "type": "number", "default": "`defaultPort` if set, else `80`", "desc": "Port of remote server." }, { "textRaw": "`protocol` {string} Protocol to use. **Default:** `'http:'`.", "name": "protocol", "type": "string", "default": "`'http:'`", "desc": "Protocol to use." }, { "textRaw": "`setHost` {boolean}: Specifies whether or not to automatically add the `Host` header. Defaults to `true`.", "name": "setHost", "type": "boolean", "desc": ": Specifies whether or not to automatically add the `Host` header. Defaults to `true`." }, { "textRaw": "`socketPath` {string} Unix Domain Socket (cannot be used if one of `host` or `port` is specified, those specify a TCP Socket).", "name": "socketPath", "type": "string", "desc": "Unix Domain Socket (cannot be used if one of `host` or `port` is specified, those specify a TCP Socket)." }, { "textRaw": "`timeout` {number}: A number specifying the socket timeout in milliseconds. This will set the timeout before the socket is connected.", "name": "timeout", "type": "number", "desc": ": A number specifying the socket timeout in milliseconds. This will set the timeout before the socket is connected." }, { "textRaw": "`signal` {AbortSignal}: An AbortSignal that may be used to abort an ongoing request.", "name": "signal", "type": "AbortSignal", "desc": ": An AbortSignal that may be used to abort an ongoing request." } ] }, { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" } ] } ], "desc": "

Node.js maintains several connections per server to make HTTP requests.\nThis function allows one to transparently issue requests.

\n

url can be a string or a URL object. If url is a\nstring, it is automatically parsed with new URL(). If it is a URL\nobject, it will be automatically converted to an ordinary options object.

\n

If both url and options are specified, the objects are merged, with the\noptions properties taking precedence.

\n

The optional callback parameter will be added as a one-time listener for\nthe 'response' event.

\n

http.request() returns an instance of the http.ClientRequest\nclass. The ClientRequest instance is a writable stream. If one needs to\nupload a file with a POST request, then write to the ClientRequest object.

\n
const http = require('http');\n\nconst postData = JSON.stringify({\n  'msg': 'Hello World!'\n});\n\nconst options = {\n  hostname: 'www.google.com',\n  port: 80,\n  path: '/upload',\n  method: 'POST',\n  headers: {\n    'Content-Type': 'application/json',\n    'Content-Length': Buffer.byteLength(postData)\n  }\n};\n\nconst req = http.request(options, (res) => {\n  console.log(`STATUS: ${res.statusCode}`);\n  console.log(`HEADERS: ${JSON.stringify(res.headers)}`);\n  res.setEncoding('utf8');\n  res.on('data', (chunk) => {\n    console.log(`BODY: ${chunk}`);\n  });\n  res.on('end', () => {\n    console.log('No more data in response.');\n  });\n});\n\nreq.on('error', (e) => {\n  console.error(`problem with request: ${e.message}`);\n});\n\n// Write data to request body\nreq.write(postData);\nreq.end();\n
\n

In the example req.end() was called. With http.request() one\nmust always call req.end() to signify the end of the request -\neven if there is no data being written to the request body.

\n

If any error is encountered during the request (be that with DNS resolution,\nTCP level errors, or actual HTTP parse errors) an 'error' event is emitted\non the returned request object. As with all 'error' events, if no listeners\nare registered the error will be thrown.

\n

There are a few special headers that should be noted.

\n\n

Example using a URL as options:

\n
const options = new URL('http://abc:xyz@example.com');\n\nconst req = http.request(options, (res) => {\n  // ...\n});\n
\n

In a successful request, the following events will be emitted in the following\norder:

\n\n

In the case of a connection error, the following events will be emitted:

\n\n

In the case of a premature connection close before the response is received,\nthe following events will be emitted in the following order:

\n\n

In the case of a premature connection close after the response is received,\nthe following events will be emitted in the following order:

\n\n

If req.destroy() is called before a socket is assigned, the following\nevents will be emitted in the following order:

\n\n

If req.destroy() is called before the connection succeeds, the following\nevents will be emitted in the following order:

\n\n

If req.destroy() is called after the response is received, the following\nevents will be emitted in the following order:

\n\n

If req.abort() is called before a socket is assigned, the following\nevents will be emitted in the following order:

\n\n

If req.abort() is called before the connection succeeds, the following\nevents will be emitted in the following order:

\n\n

If req.abort() is called after the response is received, the following\nevents will be emitted in the following order:

\n\n

Setting the timeout option or using the setTimeout() function will\nnot abort the request or do anything besides add a 'timeout' event.

\n

Passing an AbortSignal and then calling abort on the corresponding\nAbortController will behave the same way as calling .destroy() on the\nrequest itself.

" }, { "textRaw": "`http.validateHeaderName(name)`", "type": "method", "name": "validateHeaderName", "meta": { "added": [ "v14.3.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`name` {string}", "name": "name", "type": "string" } ] } ], "desc": "

Performs the low-level validations on the provided name that are done when\nres.setHeader(name, value) is called.

\n

Passing illegal value as name will result in a TypeError being thrown,\nidentified by code: 'ERR_INVALID_HTTP_TOKEN'.

\n

It is not necessary to use this method before passing headers to an HTTP request\nor response. The HTTP module will automatically validate such headers.\nExamples:

\n

Example:

\n
const { validateHeaderName } = require('http');\n\ntry {\n  validateHeaderName('');\n} catch (err) {\n  err instanceof TypeError; // --> true\n  err.code; // --> 'ERR_INVALID_HTTP_TOKEN'\n  err.message; // --> 'Header name must be a valid HTTP token [\"\"]'\n}\n
" }, { "textRaw": "`http.validateHeaderValue(name, value)`", "type": "method", "name": "validateHeaderValue", "meta": { "added": [ "v14.3.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`name` {string}", "name": "name", "type": "string" }, { "textRaw": "`value` {any}", "name": "value", "type": "any" } ] } ], "desc": "

Performs the low-level validations on the provided value that are done when\nres.setHeader(name, value) is called.

\n

Passing illegal value as value will result in a TypeError being thrown.

\n\n

It is not necessary to use this method before passing headers to an HTTP request\nor response. The HTTP module will automatically validate such headers.

\n

Examples:

\n
const { validateHeaderValue } = require('http');\n\ntry {\n  validateHeaderValue('x-my-header', undefined);\n} catch (err) {\n  err instanceof TypeError; // --> true\n  err.code === 'ERR_HTTP_INVALID_HEADER_VALUE'; // --> true\n  err.message; // --> 'Invalid value \"undefined\" for header \"x-my-header\"'\n}\n\ntry {\n  validateHeaderValue('x-my-header', 'oʊmɪɡə');\n} catch (err) {\n  err instanceof TypeError; // --> true\n  err.code === 'ERR_INVALID_CHAR'; // --> true\n  err.message; // --> 'Invalid character in header content [\"x-my-header\"]'\n}\n
" } ], "type": "module", "displayName": "HTTP" } ] }