ethers.js/src.ts/utils/web.ts

234 lines
6.9 KiB
TypeScript
Raw Normal View History

'use strict';
2018-06-13 22:39:39 +03:00
import { XMLHttpRequest } from 'xmlhttprequest';
2018-06-13 22:39:39 +03:00
import { encode as base64Encode } from './base64';
import { toUtf8Bytes } from './utf8';
2018-06-13 22:39:39 +03:00
import * as errors from './errors';
// Exported Types
export type ConnectionInfo = {
url: string,
user?: string,
password?: string,
allowInsecure?: boolean,
timeout?: number,
headers?: { [key: string]: string | number }
};
export interface OnceBlockable {
once(eventName: "block", handler: () => void): void;
}
export type PollOptions = {
timeout?: number,
floor?: number,
ceiling?: number,
interval?: number,
onceBlock?: OnceBlockable
};
2018-06-13 22:39:39 +03:00
type Header = { key: string, value: string };
export function fetchJson(connection: string | ConnectionInfo, json: string, processFunc: (value: any) => any): Promise<any> {
let headers: { [key: string]: Header } = { };
2018-06-13 22:39:39 +03:00
let url: string = null;
let timeout = 2 * 60 * 1000;
if (typeof(connection) === 'string') {
url = connection;
} else if (typeof(connection) === 'object') {
if (connection.url == null) {
2018-06-13 22:39:39 +03:00
errors.throwError('missing URL', errors.MISSING_ARGUMENT, { arg: 'url' });
}
url = connection.url;
if (typeof(connection.timeout) === 'number' && connection.timeout > 0) {
timeout = connection.timeout;
}
if (connection.headers) {
for (let key in connection.headers) {
headers[key.toLowerCase()] = { key: key, value: String(connection.headers[key]) };
}
}
if (connection.user != null && connection.password != null) {
if (url.substring(0, 6) !== 'https:' && connection.allowInsecure !== true) {
2018-06-13 22:39:39 +03:00
errors.throwError(
'basic authentication requires a secure https url',
2018-06-13 22:39:39 +03:00
errors.INVALID_ARGUMENT,
{ arg: 'url', url: url, user: connection.user, password: '[REDACTED]' }
2018-06-13 22:39:39 +03:00
);
}
let authorization = connection.user + ':' + connection.password;
headers['authorization'] = {
2018-06-13 22:39:39 +03:00
key: 'Authorization',
value: 'Basic ' + base64Encode(toUtf8Bytes(authorization))
};
2018-06-13 22:39:39 +03:00
}
}
return new Promise(function(resolve, reject) {
let request = new XMLHttpRequest();
let timer: any = null;
timer = setTimeout(() => {
if (timer == null) { return; }
timer = null;
reject(new Error('timeout'));
setTimeout(() => {
request.abort();
}, 0);
}, timeout);
let cancelTimeout = () => {
if (timer == null) { return; }
clearTimeout(timer);
timer = null;
}
2018-06-13 22:39:39 +03:00
if (json) {
request.open('POST', url, true);
headers['content-type'] = { key: 'Content-Type', value: 'application/json' };
2018-06-13 22:39:39 +03:00
} else {
request.open('GET', url, true);
}
Object.keys(headers).forEach((key) => {
let header = headers[key];
2018-06-13 22:39:39 +03:00
request.setRequestHeader(header.key, header.value);
});
request.onreadystatechange = function() {
if (request.readyState !== 4) { return; }
if (request.status != 200) {
cancelTimeout();
// @TODO: not any!
let error: any = new Error('invalid response - ' + request.status);
error.statusCode = request.status;
reject(error);
return;
}
let result: any = null;
2018-06-13 22:39:39 +03:00
try {
result = JSON.parse(request.responseText);
2018-06-13 22:39:39 +03:00
} catch (error) {
cancelTimeout();
2018-06-13 22:39:39 +03:00
// @TODO: not any!
let jsonError: any = new Error('invalid json response');
2018-06-13 22:39:39 +03:00
jsonError.orginialError = error;
jsonError.responseText = request.responseText;
jsonError.url = url;
reject(jsonError);
return;
}
if (processFunc) {
try {
result = processFunc(result);
} catch (error) {
cancelTimeout();
2018-06-13 22:39:39 +03:00
error.url = url;
error.body = json;
error.responseText = request.responseText;
reject(error);
return;
}
}
cancelTimeout();
2018-06-13 22:39:39 +03:00
resolve(result);
};
request.onerror = function(error) {
cancelTimeout();
2018-06-13 22:39:39 +03:00
reject(error);
}
try {
if (json) {
request.send(json);
} else {
request.send();
}
} catch (error) {
cancelTimeout();
2018-06-13 22:39:39 +03:00
// @TODO: not any!
let connectionError: any = new Error('connection error');
2018-06-13 22:39:39 +03:00
connectionError.error = error;
reject(connectionError);
}
});
}
export function poll(func: () => Promise<any>, options?: PollOptions): Promise<any> {
if (!options) { options = {}; }
if (options.floor == null) { options.floor = 0; }
if (options.ceiling == null) { options.ceiling = 10000; }
if (options.interval == null) { options.interval = 250; }
return new Promise(function(resolve, reject) {
let timer: any = null;
let done: boolean = false;
// Returns true if cancel was successful. Unsuccessful cancel means we're already done.
let cancel = (): boolean => {
if (done) { return false; }
done = true;
if (timer) { clearTimeout(timer); }
return true;
};
if (options.timeout) {
timer = setTimeout(() => {
if (cancel()) { reject(new Error('timeout')); }
}, options.timeout)
}
let attempt = 0;
function check() {
2018-07-03 23:44:05 +03:00
return func().then(function(result) {
// If we have a result, or are allowed null then we're done
if (result !== undefined) {
if (cancel()) { resolve(result); }
} else if (options.onceBlock) {
options.onceBlock.once('block', check);
// Otherwise, exponential back-off (up to 10s) our next request
} else if (!done) {
attempt++;
let timeout = options.interval * parseInt(String(Math.random() * Math.pow(2, attempt)));
if (timeout < options.floor) { timeout = options.floor; }
if (timeout > options.ceiling) { timeout = options.ceiling; }
setTimeout(check, timeout);
}
2018-07-03 23:44:05 +03:00
return null;
}, function(error) {
if (cancel()) { reject(error); }
});
}
check();
});
}