chore: improve http request utilities (#9031)

This commit is contained in:
Dmitry Gozman 2021-09-20 13:50:26 -07:00 committed by GitHub
parent e5b8c02c93
commit 5200134749
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
2 changed files with 36 additions and 25 deletions

View File

@ -605,7 +605,7 @@ export class Registry {
private async _installMSEdgeChannel(channel: 'msedge'|'msedge-beta'|'msedge-dev', scripts: Record<'linux' | 'darwin' | 'win32', string>) { private async _installMSEdgeChannel(channel: 'msedge'|'msedge-beta'|'msedge-dev', scripts: Record<'linux' | 'darwin' | 'win32', string>) {
const scriptArgs: string[] = []; const scriptArgs: string[] = [];
if (process.platform !== 'linux') { if (process.platform !== 'linux') {
const products = JSON.parse(await fetchData('https://edgeupdates.microsoft.com/api/products')); const products = JSON.parse(await fetchData({ url: 'https://edgeupdates.microsoft.com/api/products' }));
const productName = { const productName = {
'msedge': 'Stable', 'msedge': 'Stable',
'msedge-beta': 'Beta', 'msedge-beta': 'Beta',

View File

@ -20,6 +20,8 @@ import stream from 'stream';
import removeFolder from 'rimraf'; import removeFolder from 'rimraf';
import * as crypto from 'crypto'; import * as crypto from 'crypto';
import os from 'os'; import os from 'os';
import http from 'http';
import https from 'https';
import { spawn, SpawnOptions } from 'child_process'; import { spawn, SpawnOptions } from 'child_process';
import { getProxyForUrl } from 'proxy-from-env'; import { getProxyForUrl } from 'proxy-from-env';
import * as URL from 'url'; import * as URL from 'url';
@ -37,53 +39,63 @@ const ProxyAgent = require('https-proxy-agent');
export const existsAsync = (path: string): Promise<boolean> => new Promise(resolve => fs.stat(path, err => resolve(!err))); export const existsAsync = (path: string): Promise<boolean> => new Promise(resolve => fs.stat(path, err => resolve(!err)));
function httpRequest(url: string, method: string, response: (r: any) => void) { type HTTPRequestParams = {
let options: any = URL.parse(url); url: string,
options.method = method; method?: string,
headers?: http.OutgoingHttpHeaders,
data?: string | Buffer,
};
const proxyURL = getProxyForUrl(url); function httpRequest(params: HTTPRequestParams, onResponse: (r: http.IncomingMessage) => void, onError: (error: Error) => void) {
const parsedUrl = URL.parse(params.url);
let options: https.RequestOptions = { ...parsedUrl };
options.method = params.method || 'GET';
options.headers = params.headers;
const proxyURL = getProxyForUrl(params.url);
if (proxyURL) { if (proxyURL) {
if (url.startsWith('http:')) { if (params.url.startsWith('http:')) {
const proxy = URL.parse(proxyURL); const proxy = URL.parse(proxyURL);
options = { options = {
path: options.href, path: parsedUrl.href,
host: proxy.hostname, host: proxy.hostname,
port: proxy.port, port: proxy.port,
}; };
} else { } else {
const parsedProxyURL: any = URL.parse(proxyURL); const parsedProxyURL = URL.parse(proxyURL);
parsedProxyURL.secureProxy = parsedProxyURL.protocol === 'https:'; (parsedProxyURL as any).secureProxy = parsedProxyURL.protocol === 'https:';
options.agent = new ProxyAgent(parsedProxyURL); options.agent = new ProxyAgent(parsedProxyURL);
options.rejectUnauthorized = false; options.rejectUnauthorized = false;
} }
} }
const requestCallback = (res: any) => { const requestCallback = (res: http.IncomingMessage) => {
if (res.statusCode >= 300 && res.statusCode < 400 && res.headers.location) const statusCode = res.statusCode || 0;
httpRequest(res.headers.location, method, response); if (statusCode >= 300 && statusCode < 400 && res.headers.location)
httpRequest({ ...params, url: res.headers.location }, onResponse, onError);
else else
response(res); onResponse(res);
}; };
const request = options.protocol === 'https:' ? const request = options.protocol === 'https:' ?
require('https').request(options, requestCallback) : https.request(options, requestCallback) :
require('http').request(options, requestCallback); http.request(options, requestCallback);
request.end(); request.on('error', onError);
return request; request.end(params.data);
} }
export function fetchData(url: string): Promise<string> { export function fetchData(params: HTTPRequestParams): Promise<string> {
return new Promise((resolve, reject) => { return new Promise((resolve, reject) => {
httpRequest(url, 'GET', function(response){ httpRequest(params, response => {
if (response.statusCode !== 200) { if (response.statusCode !== 200) {
reject(new Error(`fetch failed: server returned code ${response.statusCode}. URL: ${url}`)); reject(new Error(`fetch failed: server returned code ${response.statusCode}. URL: ${params.url}`));
return; return;
} }
let body = ''; let body = '';
response.on('data', (chunk: string) => body += chunk); response.on('data', (chunk: string) => body += chunk);
response.on('error', (error: any) => reject(error)); response.on('error', (error: any) => reject(error));
response.on('end', () => resolve(body)); response.on('end', () => resolve(body));
}).on('error', (error: any) => reject(error)); }, reject);
}); });
} }
@ -104,7 +116,7 @@ export function downloadFile(url: string, destinationPath: string, options: {pro
const promise: Promise<{error: any}> = new Promise(x => { fulfill = x; }); const promise: Promise<{error: any}> = new Promise(x => { fulfill = x; });
const request = httpRequest(url, 'GET', response => { httpRequest({ url }, response => {
log(`-- response status code: ${response.statusCode}`); log(`-- response status code: ${response.statusCode}`);
if (response.statusCode !== 200) { if (response.statusCode !== 200) {
const error = new Error(`Download failed: server returned code ${response.statusCode}. URL: ${url}`); const error = new Error(`Download failed: server returned code ${response.statusCode}. URL: ${url}`);
@ -117,12 +129,11 @@ export function downloadFile(url: string, destinationPath: string, options: {pro
file.on('finish', () => fulfill({error: null})); file.on('finish', () => fulfill({error: null}));
file.on('error', error => fulfill({error})); file.on('error', error => fulfill({error}));
response.pipe(file); response.pipe(file);
totalBytes = parseInt(response.headers['content-length'], 10); totalBytes = parseInt(response.headers['content-length'] || '0', 10);
log(`-- total bytes: ${totalBytes}`); log(`-- total bytes: ${totalBytes}`);
if (progressCallback) if (progressCallback)
response.on('data', onData); response.on('data', onData);
}); }, (error: any) => fulfill({error}));
request.on('error', (error: any) => fulfill({error}));
return promise; return promise;
function onData(chunk: string) { function onData(chunk: string) {