12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879 |
- module.exports = simpleGet
- var extend = require('xtend')
- var http = require('http')
- var https = require('https')
- var once = require('once')
- var unzipResponse = require('unzip-response') // excluded from browser build
- var url = require('url')
- function simpleGet (opts, cb) {
- opts = typeof opts === 'string' ? { url: opts } : extend(opts)
- cb = once(cb)
- if (opts.url) parseOptsUrl(opts)
- if (opts.headers == null) opts.headers = {}
- if (opts.maxRedirects == null) opts.maxRedirects = 10
- var body = opts.body
- opts.body = undefined
- if (body && !opts.method) opts.method = 'POST'
- // Request gzip/deflate
- var customAcceptEncoding = Object.keys(opts.headers).some(function (h) {
- return h.toLowerCase() === 'accept-encoding'
- })
- if (!customAcceptEncoding) opts.headers['accept-encoding'] = 'gzip, deflate'
- // Support http: and https: urls
- var protocol = opts.protocol === 'https:' ? https : http
- var req = protocol.request(opts, function (res) {
- // Follow 3xx redirects
- if (res.statusCode >= 300 && res.statusCode < 400 && 'location' in res.headers) {
- opts.url = res.headers.location
- parseOptsUrl(opts)
- res.resume() // Discard response
- opts.maxRedirects -= 1
- if (opts.maxRedirects > 0) simpleGet(opts, cb)
- else cb(new Error('too many redirects'))
- return
- }
- cb(null, typeof unzipResponse === 'function' ? unzipResponse(res) : res)
- })
- req.on('error', cb)
- req.end(body)
- return req
- }
- module.exports.concat = function (opts, cb) {
- return simpleGet(opts, function (err, res) {
- if (err) return cb(err)
- var chunks = []
- res.on('data', function (chunk) {
- chunks.push(chunk)
- })
- res.on('end', function () {
- cb(null, Buffer.concat(chunks), res)
- })
- })
- }
- ;['get', 'post', 'put', 'patch', 'head', 'delete'].forEach(function (method) {
- module.exports[method] = function (opts, cb) {
- if (typeof opts === 'string') opts = { url: opts }
- opts.method = method.toUpperCase()
- return simpleGet(opts, cb)
- }
- })
- function parseOptsUrl (opts) {
- var loc = url.parse(opts.url)
- if (loc.hostname) opts.hostname = loc.hostname
- if (loc.port) opts.port = loc.port
- if (loc.protocol) opts.protocol = loc.protocol
- opts.path = loc.path
- delete opts.url
- }
|