0% found this document useful (0 votes)
59 views18 pages

1 - NEM-1 - Node - Js HTTP Module - SYNC

The document discusses Node.js HTTP module which allows creating web servers and making HTTP requests from Node.js. It covers creating a basic web server, making requests using http.request(), customizing agents using new Agent() and methods like agent.createConnection(), agent.maxSockets. It also discusses request methods like req.abort() and req.connection to abort requests and get the underlying socket.

Uploaded by

John
Copyright
© © All Rights Reserved
Available Formats
Download as PDF, TXT or read online on Scribd
Download as pdf or txt
0% found this document useful (0 votes)
59 views18 pages

1 - NEM-1 - Node - Js HTTP Module - SYNC

The document discusses Node.js HTTP module which allows creating web servers and making HTTP requests from Node.js. It covers creating a basic web server, making requests using http.request(), customizing agents using new Agent() and methods like agent.createConnection(), agent.maxSockets. It also discusses request methods like req.abort() and req.connection to abort requests and get the underlying socket.

Uploaded by

John
Copyright
© © All Rights Reserved
Available Formats
Download as PDF, TXT or read online on Scribd
Download as pdf or txt
Download as pdf or txt
You are on page 1/ 18

1_NEM-1: Node.

js Http Module - SYNC (4 Hour 30 mins)

Learning ● How to make Node Web server


Objectives ● Node Http module

Time Activity

(5 mins) OPENING
● Review Learning Objectives.
● Review Agenda.

1
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)
(35 mins) CONTENT & PRACTICE

Node.js Web Server:


● Node.js is an open source server environment.
● Node.js uses JavaScript on the server. The task of a web server is to open a file on the server and return the content to the
client.
● Node.js has a built-in module called HTTP, which allows Node.js to transfer data over the Hyper Text Transfer Protocol
(HTTP).
● The HTTP module can create an HTTP server that listens to server ports and gives a response back to the client.
// Import the Node.js http module
var http = require('http');

// req is the request object which is


// coming from the client side
// res is the response object which is going
// to client as response from the server

// Create a server object


http.createServer(function (req, res) {

// 200 is the status code which means


// All OK and the second argument is
// the object of response header.
res.writeHead(200, {'Content-Type': 'text/html'});

// Write a response to the client


res.write('Congrats you have a created a web server');

// End the response


res.end();

}).listen(8081); // Server object listens on port 8081

console.log('Node.js web server at port 8081 is running..')

2
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)

● The function passed in the http.createServer() will be executed when the client goes to the url http://localhost:8081.
● Save the above code in a file with .js extension.
● Open the command prompt and goes to the folder where the file is there using cd command.
● Run the command node file_name.js.
● Open the browser and go the url http://localhost:8081.

● The http.createServer() method includes request object that can be used to get information about the current HTTP request
e.g. url, request header, and data.

● To make requests via the HTTP module http.request() method is used.

var http = require('http');

var options = {
host: 'maininthemirror.org',
path: '/courses',
method: 'GET'
};

// Making a get request to


// 'www.geeksforgeeks.org'
http.request(options, (response) => {

// Printing the statusCode


console.log(`STATUS: ${response.statusCode}`);
}).end();

● The new Agent({}) (Added in v0.3.4) method is an inbuilt application programming interface (API) of the ‘http’ module in
which default globalAgent is used by http.request() which should create a custom http.Agent instance.
new Agent({options})
● Parameter
● keepalive, keepAliveMsecs, maxSockets, maxTotalSockets, maxFreeSockets, scheduling, timeout.
● The below examples illustrate the use of new Agent({}) method in Node.js.
3
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)

// Node.js program to demonstrate the


// new agent({}) method

// Importing http module


const http = require('http');
var agent = new http.Agent({});

// Creating new agent


const aliveAgent = new http.Agent({ keepAlive: true,
maxSockets: 0, maxSockets: 5, });

// Creating new agent


var agent = new http.Agent({});

// Creating new connection


var createConnection = aliveAgent.createConnection;

// Creating new connection


var createConnection = agent.createConnection;
console.log('Connection successfully created...');

// Printing the connection


console.log(createConnection);
console.log('Connection successfully created...');

// Printing the connection


console.log('Connection: ', createConnection);

● The agent.createConnection() (Added in v0.11.4) method is an inbuilt application programming interface of the ‘Http‘
module which is used to produce socket or stream which is further used for HTTP requests and by default, it is quite same as
net.createConnection().

4
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)
● It returns an instance of the <net.Socket> class, which is a subclass of <stream.Duplex>. A socket or stream can be supplied
either by returning the socket/stream from this function or by passing the socket/stream to the callback.
agent.createConnection(options[, callback])
● Return Value <stream.Duplex>: It returns the duplex stream which is both readable and writable.
● Below examples illustrate the use of agent.createConnection(options[, callback]) method in Node.js.
// Node.js program to demonstrate the
// agent.createConnection() method

// Importing http module


const http = require('http');
var agent = new http.Agent({});

// Creating new agent


const aliveAgent = new http.Agent({
keepAlive: true,
maxSockets: 0, maxSockets: 5,
});

// Creating new agent


var agent = new http.Agent({});

// Creating new connection


var createConnection = aliveAgent.createConnection;

// Creating new connection


var createConnection = agent.createConnection;
console.log('Connection successfully created...');

// Printing the connection


console.log(createConnection);
console.log('Connection successfully created...');

// Printing the connection


console.log('Connection: ', createConnection);

5
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)

● The agent.maxSockets (Added in v0.3.6) method is an inbuilt application programming interface of the ‘Http‘ module which
determines how many concurrent sockets the agent can have open per origin.
● Origin is the returned value of agent.getName().
// Node.js program to demonstrate the
// agent.maxSockets method

// Importing http module


const http = require('http');

// Importing agentkeepalive module


const Agent = require('agentkeepalive');

// Creating new agent


const keepAliveAgent = new Agent({});

console.log(keepAliveAgent.maxSockets);

// Options object
const options = {
host: 'maninthemirror.org',
port: 80,
path: '/',
method: 'GET',
agent: keepAliveAgent,
};

// Requesting via http server module


const req = http.request(options, (res) => {
// Printing statuscode

6
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)
console.log("StatusCode: ", res.statusCode);
});

req.end();

● The http.ClientRequest.abort() is an inbuilt application programming interface of class Client Request within http module
which is used to abort the client request.
ClientRequest.abort()
● Return Value: This method does not return any value
// Node.js program to demonstrate the
// request.abort() APi

// Importing http module


const http = require('http');

// Create an HTTP server


const server = http.createServer((req, res) => {
res.writeHead(200, { 'Content-Type': 'text/plain' });
res.end('okay');
});

// Now that server is running


server.listen(3000, '127.0.0.1', () => {
console.log("Server is started")

// Making a request
const options = {
port: 3000,
host: '127.0.0.1',
headers: {
'Connection': 'Upgrade',
'Upgrade': 'websocket'
}
};

7
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)

// Getting client request


const req = http.request(options);

// Aborting the request


// by using abort() method
req.abort()

// Emit the message


req.on('abort',()=>{
console.log("client request is aborted")

})
});

● The http.ClientRequest.connection is an inbuilt application programming interface of class ClientRequest within the HTTP
module which is used to get the reference of underlying client request socket.
const request.connection
● Return Value: It does not return any value.
// Node.js program to demonstrate the
// request.connection method

// Importing http module


const http = require('http');

// Create an HTTP server


http.createServer((req, res) => { })
.listen(3000, '127.0.0.1', () => {

// Getting client request


const req = http.request({
port: 3000,
host: '127.0.0.1',
});

8
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)

// Getting request socket


// by using connection method
if (req.connection) {
console.log("Requested for Connection")
} else {
console.log("Not Requested for Connection")
}

process.exit(0)
});
● The http.ClientRequest.protocol is an inbuilt application programming interface of class ClientRequest within the HTTP
module which is used to get the object of client request protocol.
const request.protocol
● Return Value: This method returns the object of the client request protocol.
// Now that server is running
server.listen(3000, '127.0.0.1', () => {

// Make a request
const options = {
port: 3000,
host: '127.0.0.1',
headers: {
'Connection': 'Upgrade',
'Upgrade': 'websocket'
}
};

// Getting client request


const req = http.request(options);

req.protocol = 'HTTP'

// Getting protocol

9
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)
// by using protocol method
const v = req.protocol;

// Display the result


console.log("protocol :- " + v)

process.exit(0)
});

● The http.server.setTimeout() is an inbuilt application programming interface of class Server within HTTP module which is
used to set the time out value for the socket.
server.setTimeout([msecs][, callback])
● Return Value: This method returns nothing but a call back function for further operation.
// Node.js program to demonstrate the
// server.setTimeout() APi

// Importing http module


var http = require('http');

// Setting up PORT
const PORT = process.env.PORT || 3000;

// Creating http Server


var httpServer = http.createServer(
function(request, response){

// Getting the reference of the


// underlying socket object
// by using socket API
const value = response.socket;

// Display result
// by using end() api
response.end( "socket buffersize : "

10
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)
+ value.bufferSize, 'utf8', () => {
console.log("Displaying the result...");
});
});

// Listening to http Server


// by using listen() api
httpServer.listen(PORT, () => {
console.log(
"Server is running at port 3000...");
});

httpServer.setTimeout(3000,()=>{

console.log(
"Socket is destroyed due to timeout")

// Closing server
// by using close() api
httpServer.close(()=>{
console.log("Server is closed")
})
})

● The http.server.listen() is an inbuilt application programming interface of class Server within the http module which is used
to start the server from accepting new connections.
const server.listen(options[, callback])
● Return Value: This method returns nothing but a callback function.
// Node.js program to demonstrate the
// server.listen() method

// Importing http module


var http = require('http');

11
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)

// Setting up PORT
const PORT = process.env.PORT || 3000;

// Creating http Server


var httpServer = http.createServer(
function (request, response) {

// Getting the reference of the


// underlying socket object
// by using socket method
const value = response.socket;

// Display result
// by using end() method
response.end("socket buffersize : "
+ value.bufferSize, 'utf8', () => {
console.log("displaying the result...");

// Closing server
// by using close() method
httpServer.close(() => {
console.log("server is closed")
})
});
});

// Listening to http Server


// by using listen() method
httpServer.listen(PORT, () => {
console.log("Server is running at port 3000...");
});

12
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)
● The httpServerResponse.writeProcessing() is an inbuilt application programming interface of class ServerResponse within
the HTTP module which is used to send an HTTP/1.1 102 Processing message to the client.
response.writeProcessing()
● Return Value: This method has nothing to return.
// Node.js program to demonstrate the
// response.writeProcessing() method

// Importing http module


var http = require('http');

// Setting up PORT
const PORT = process.env.PORT || 3000;

// Creating http Server


var httpServer = http.createServer(
function (request, response) {

// Sending a HTTP/1.1 102 Processing message


// by using socket method
response.writeProcessing();

// Display result
// by using end() method
response.end("HTTP/1.1 102 Processing message"
+ " has been sent", 'utf8', () => {
console.log("displaying the result...");
httpServer.close(() => {
console.log("server is closed")
})
});
});

// Listening to http Server


httpServer.listen(PORT, () => {

13
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)
console.log("Server is running at port 3000...");
});

● The httpServerResponse.getHeader() is an inbuilt application programming interface of class Server Response within http
module which is used to get the response header of the particular name.
response.getHeader(name)

● Return Value: This method returns the value of the particular header object.
// Node.js program to demonstrate the
// response.getHeader(name) APi

// Importing http module


var http = require('http');

// Setting up PORT
const PORT = process.env.PORT || 3000;

// Creating http Server


var httpServer = http.createServer(
function(request, response) {

// Getting header value


// by using response.getHeader(name) Api
const value = response.getHeaders();

// Display the header value


console.log(value)

// Display result
response.end( "hello world ", 'utf8', () => {
console.log("displaying the result...");

// Closing the server


httpServer.close(()=>{

14
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)
console.log("server is closed")
})
});
});

// Listening to http Server


httpServer.listen(PORT, () => {
console.log("Server is running at port 3000...");
});

● The httpServerResponse.end() is an inbuilt application programming interface of class Server Response within http module
which is used to send the signal to the server that all the header has been sent.
response.end(data, Encodingtype, Callbackfunction)
// Node.js program to demonstrate the
// response.end() method

// Importing http module


var http = require('http');

// Setting up PORT
const PORT = process.env.PORT || 3000;

// Creating http Server


var httpServer = http.createServer(
function(request, response){

// Getting connection by using


// response.connection method
const value = response.connection;

// Ending the response


response.end( "port address : " +
value.address().port, 'utf8', () => {
console.log("displaying the result...");

15
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)

// Closing the server


httpServer.close(()=>{
console.log("server is closed")
})
});
});

// Listening to http Server


httpServer.listen(PORT, () => {
console.log("Server is running at port 3000...");
});

● The httpServerResponse.connection is an inbuilt application programming interface of class Server Response within http
module which is used to get the response socket of this HTTP connection .
response.connection
● Return Value: This method returns the response socket of this HTTP connection.
// Node.js program to demonstrate the
// response.connection APi

// Importing http module


var http = require('http');

// Setting up PORT
const PORT = process.env.PORT || 3000;

// Creating http Server


var httpServer = http.createServer(
function(request, response){

// Getting connection
// by using response.connection Api
const value = response.connection;

16
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)

// Display result
response.end( "port address : "
+ value.address().port, 'utf8', () => {
console.log("displaying the result...");

// Closing the server


httpServer.close(()=>{
console.log("server is closed")
})
});
});

// Listening to http Server


httpServer.listen(PORT, () => {
console.log("Server is running at port 3000...");
});

● This is very huge topic. You can add topics from here also based on time and need.

ServerResponse Node.js http.ServerResponse.setTimeout() Method

Node.js http.ServerResponse.writableEnded Property

Node.js http.ServerResponse.statusCode Property

Node.js http.ServerResponse.headersSent Property

IncomingMessage Node.js http.IncomingMessage.url Method

Node.js http.IncomingMessage.statusMessage Method

Node.js http.IncomingMessage.method Method

Node.js http.IncomingMessage.rawHeaders Method

17
1_NEM-1: Node.js Http Module - SYNC (4 Hour 30 mins)

Node.js http.IncomingMessage.statusCode Method

Node.js http.IncomingMessage.aborted Method

Node.js http.IncomingMessage.httpVersion Method

CLOSING
Ask participants to summarise what they learned in today’s session.
● Let participants know what comes next -

18

You might also like