Home Web Front-end JS Tutorial Basic tutorial on how to use the Request module in Node.js to handle HTTP protocol requests

Basic tutorial on how to use the Request module in Node.js to handle HTTP protocol requests

Dec 26, 2016 am 09:47 AM

Here we introduce a Node.js module - request. With this module, http requests become super simple.

Basic tutorial on how to use the Request module in Node.js to handle HTTP protocol requests

Request is super simple to use and supports https and redirection.

var request = require('request');
request('http://www.google.com', function (error, response, body) {
 if (!error && response.statusCode == 200) {
 console.log(body) // 打印google首页
}
})
Copy after login

Streaming:

Any response can be output to a file stream.

Streaming:

Any response can be output to a file stream.

request('http://google.com/doodle.png').pipe(fs.createWriteStream('doodle.png'))
Copy after login

In turn, you can also pass the file to a PUT or POST request. If no header is provided, the file extension will be detected and the corresponding content-type will be set in the PUT request.

fs.createReadStream('file.json').pipe(request.put('http://mysite.com/obj.json'))
Requests can also be piped to themselves. In this case, the original content-type and content-length will be retained.

request.get('http://google.com/img.png').pipe(request.put('http://mysite.com/img.png'))
Form:

request supports application /x-www-form-urlencoded and multipart/form-data implement form upload.

x-www-form-urlencoded is very simple:

request.post('http://service.com/upload', {form:{key:'value'}})
Copy after login

or:

request.post('http://service.com/upload').form({key:'value'})
Copy after login

Use multipart/form-data and you don’t have to worry about trivial matters such as setting headers, request will help you solve it.

var r = request.post('http://service.com/upload')
var form = r.form()
form.append('my_field', 'my_value')
form.append('my_buffer', new Buffer([1, 2, 3]))
form.append('my_file', fs.createReadStream(path.join(__dirname, 'doodle.png'))
form.append('remote_file', request('http://google.com/doodle.png'))
Copy after login

HTTP authentication:

request.get('http://some.server.com/').auth('username', 'password', false);
Copy after login

or

request.get('http://some.server.com/', {
 'auth': {
 'user': 'username',
 'pass': 'password',
 'sendImmediately': false
}
});
Copy after login

sendImmediately, default is true, send a basic authentication header. After setting it to false, it will retry when receiving a 401 (the server's 401 response must include the WWW-Authenticate specified authentication method).

Support Digest authentication when sendImmediately is true.

OAuth login:

// Twitter OAuth
var qs = require('querystring')
 , oauth =
 { callback: 'http://mysite.com/callback/'
 , consumer_key: CONSUMER_KEY
 , consumer_secret: CONSUMER_SECRET
}
 , url = 'https://api.twitter.com/oauth/request_token'
;
request.post({url:url, oauth:oauth}, function (e, r, body) {
 // Ideally, you would take the body in the response
 // and construct a URL that a user clicks on (like a sign in button).
 // The verifier is only available in the response after a user has
 // verified with twitter that they are authorizing your app.
 var access_token = qs.parse(body)
 , oauth =
 { consumer_key: CONSUMER_KEY
 , consumer_secret: CONSUMER_SECRET
 , token: access_token.oauth_token
 , verifier: access_token.oauth_verifier
}
 , url = 'https://api.twitter.com/oauth/access_token'
;
 request.post({url:url, oauth:oauth}, function (e, r, body) {
 var perm_token = qs.parse(body)
 , oauth =
 { consumer_key: CONSUMER_KEY
 , consumer_secret: CONSUMER_SECRET
 , token: perm_token.oauth_token
 , token_secret: perm_token.oauth_token_secret
}
 , url = 'https://api.twitter.com/1/users/show.json?'
 , params =
 { screen_name: perm_token.screen_name
 , user_id: perm_token.user_id
}
;
 url += qs.stringify(params)
 request.get({url:url, oauth:oauth, json:true}, function (e, r, user) {
console.log(user)
})
})
})
Copy after login

Customized HTTP header

User-Agent can be set in the options object. In the following example, we call the github API to find out the collection number and derivative number of a certain warehouse. We use a customized User-Agent and https.

var request = require('request');
 
var options = {
 url: 'https://api.github.com/repos/mikeal/request',
 headers: {
 'User-Agent': 'request'
}
};
 
function callback(error, response, body) {
 if (!error && response.statusCode == 200) {
 var info = JSON.parse(body);
 console.log(info.stargazers_count +"Stars");
 console.log(info.forks_count +"Forks");
}
}
 
request(options, callback);
Copy after login

cookies:

By default, cookies are disabled. Set jar to true in defaults or options so that subsequent requests will use cookies.

var request = request.defaults({jar: true})
request('http://www.google.com', function () {
request('http://images.google.com')
})
Copy after login

By creating a new instance of request.jar(), you can use customized cookies instead of requesting the global cookie jar.

var j = request.jar()
var request = request.defaults({jar:j})
request('http://www.google.com', function () {
request('http://images.google.com')
})
Copy after login

or

var j = request.jar()
var cookie = request.cookie('your_cookie_here')
j.setCookie(cookie, uri, function (err, cookie){})
request({url: 'http://www.google.com', jar: j}, function () {
request('http://images.google.com')
})
Copy after login

Note that setCookie requires at least three parameters, the last one is the callback function.

You can use the request pipe method to easily obtain the file stream of the image

var request = require('request'),
fs = require('fs');
 
request('https://www.google.com.hk/images/srpr/logo3w.png').pipe(fs.createWriteStream('doodle.png'));
Copy after login

For more usage methods and instructions, please click here to continue reading: https://github.com/mikeal/request/

Example

Here is a very simple example to grab the hotel query data from Qunar.com (get the price ranking of each room type in the hotel within a certain period of time):

var request = require('request'),
fs = require('fs');
 
 
var reqUrl = 'http://hotel.qunar.com/price/detail.jsp?fromDate=2012-08-18&toDate=2012-08-19&cityurl=shanghai_city&HotelSEQ=shanghai_city_2856&cn=5';
 
request({uri:reqUrl}, function(err, response, body) {
 
//console.log(response.statusCode);
//console.log(response);
 
//如果数据量比较大,就需要对返回的数据根据日期、酒店ID进行存储,如果获取数据进行对比的时候直接读文件
var filePath = __dirname + '/data/data.js';
 
if (fs.exists(filePath)) {
 fs.unlinkSync(filePath);
 
 console.log('Del file ' + filePath);
}
 
fs.writeFile(filePath, body, 'utf8', function(err) {
 if (err) {
 throw err;
 }
 
 console.log('Save ' + filePath + ' ok~');
});
 
console.log('Fetch ' + reqUrl + ' ok~');
});
Copy after login

This example comes from A friend who is in the hotel business wants to know the competitiveness of the prices he offers to customers on his website:

1. If the price provided is too low, you will make less money, so if your price is the lowest , you need to see what the second lowest is, and then decide whether to adjust;

2. If the price provided is too high, then the search ranking results will be relatively low, there will be no customers to book the hotel, and the business will be gone

Because we do a lot of hotel booking business, for example, more than 2,000 hotels, if we rely on manual checking of rankings one by one, it will be more passive, and it will be difficult to expand, so I analyzed his needs and it is feasible and possible. Create a good real-time warning system (of course the data will be automatically refreshed on the page every 5 to 10 minutes). Only in this way can profits be maximized, the work efficiency of the sales and customer departments be improved, and the number of hotel cooperation and the company's personnel expansion be accelerated:

1. Don't make a loss, and do not do loss-making transactions;

2. If you find that the price provided is too high If it is low or too high, you need to support calling the API interface of the platform to directly modify the price;

3. It has the function of automatically generating analysis reports to analyze changes in competitors' price adjustment strategies;

More Requests in Node.js Please pay attention to the PHP Chinese website for related articles on the basic usage tutorial of the module processing HTTP protocol requests!

Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
3 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Best Graphic Settings
3 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. How to Fix Audio if You Can't Hear Anyone
3 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
WWE 2K25: How To Unlock Everything In MyRise
4 weeks ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

How do I create and publish my own JavaScript libraries? How do I create and publish my own JavaScript libraries? Mar 18, 2025 pm 03:12 PM

Article discusses creating, publishing, and maintaining JavaScript libraries, focusing on planning, development, testing, documentation, and promotion strategies.

How do I optimize JavaScript code for performance in the browser? How do I optimize JavaScript code for performance in the browser? Mar 18, 2025 pm 03:14 PM

The article discusses strategies for optimizing JavaScript performance in browsers, focusing on reducing execution time and minimizing impact on page load speed.

What should I do if I encounter garbled code printing for front-end thermal paper receipts? What should I do if I encounter garbled code printing for front-end thermal paper receipts? Apr 04, 2025 pm 02:42 PM

Frequently Asked Questions and Solutions for Front-end Thermal Paper Ticket Printing In Front-end Development, Ticket Printing is a common requirement. However, many developers are implementing...

How do I debug JavaScript code effectively using browser developer tools? How do I debug JavaScript code effectively using browser developer tools? Mar 18, 2025 pm 03:16 PM

The article discusses effective JavaScript debugging using browser developer tools, focusing on setting breakpoints, using the console, and analyzing performance.

How do I use source maps to debug minified JavaScript code? How do I use source maps to debug minified JavaScript code? Mar 18, 2025 pm 03:17 PM

The article explains how to use source maps to debug minified JavaScript by mapping it back to the original code. It discusses enabling source maps, setting breakpoints, and using tools like Chrome DevTools and Webpack.

How do I use Java's collections framework effectively? How do I use Java's collections framework effectively? Mar 13, 2025 pm 12:28 PM

This article explores effective use of Java's Collections Framework. It emphasizes choosing appropriate collections (List, Set, Map, Queue) based on data structure, performance needs, and thread safety. Optimizing collection usage through efficient

TypeScript for Beginners, Part 2: Basic Data Types TypeScript for Beginners, Part 2: Basic Data Types Mar 19, 2025 am 09:10 AM

Once you have mastered the entry-level TypeScript tutorial, you should be able to write your own code in an IDE that supports TypeScript and compile it into JavaScript. This tutorial will dive into various data types in TypeScript. JavaScript has seven data types: Null, Undefined, Boolean, Number, String, Symbol (introduced by ES6) and Object. TypeScript defines more types on this basis, and this tutorial will cover all of them in detail. Null data type Like JavaScript, null in TypeScript

Getting Started With Chart.js: Pie, Doughnut, and Bubble Charts Getting Started With Chart.js: Pie, Doughnut, and Bubble Charts Mar 15, 2025 am 09:19 AM

This tutorial will explain how to create pie, ring, and bubble charts using Chart.js. Previously, we have learned four chart types of Chart.js: line chart and bar chart (tutorial 2), as well as radar chart and polar region chart (tutorial 3). Create pie and ring charts Pie charts and ring charts are ideal for showing the proportions of a whole that is divided into different parts. For example, a pie chart can be used to show the percentage of male lions, female lions and young lions in a safari, or the percentage of votes that different candidates receive in the election. Pie charts are only suitable for comparing single parameters or datasets. It should be noted that the pie chart cannot draw entities with zero value because the angle of the fan in the pie chart depends on the numerical size of the data point. This means any entity with zero proportion

See all articles