nyro
Version:
A simple and effective promise-based HTTP & HTTP/2 request library that supports all HTTP methods.
1,319 lines (1,174 loc) • 63.4 kB
text/typescript
import * as http from 'http';
import * as https from 'https';
import * as http2 from 'http2-wrapper';
import * as zlib from 'zlib';
import { URL, URLSearchParams } from 'url';
import { getReusedSocket, getServerIp, getDefaultUserAgent, generateUniqueId } from './utils';
import combineURL from '../helpers/combineUrl';
import ErrorHandler from '../helpers/errorHandler';
import PluginManager, { Plugin } from './pluginManager';
import { HttpProxyAgent } from 'http-proxy-agent';
import { HttpsProxyAgent } from 'https-proxy-agent';
import { SocksProxyAgent } from 'socks-proxy-agent';
import { PassThrough } from 'stream';
import { EventEmitter } from 'events';
import packageJson from '../../package.json';
import {
Headers
} from '../helpers/types';
interface CacheItem {
response: HttpResponse<any, any>;
expiry: number;
};
const cacheStore = new Map<string, CacheItem>();
interface ProxyOptions {
host: string;
port: number;
auth?: {
username: string;
password: string;
};
protocol?: ('http' | 'https' | 'socks' | 'socks4' | 'socks5' | 'socks4a' | 'socks5h' & string);
}
interface AuthOptions {
username: string;
password: string;
};
interface PaginationOptions {
pageParam: string;
limitParam: string;
maxPages?: number;
};
interface QueueOptions {
delay?: number;
};
type InferBodySchema<T> = T extends Record<string, infer U> ? { [K in keyof T]: T[K] extends NumberConstructor ? number : T[K] extends StringConstructor ? string : any } : any;
interface RequestOptions<B = any> {
requestId?: string;
method?: ('GET' | 'POST' | 'PUT' | 'DELETE' | 'PATCH' | 'HEAD' | 'OPTIONS' | 'CONNECT' | 'TRACE' | 'get' | 'post' | 'put' | 'delete' | 'patch' | 'head' | 'options' | 'connect' | 'trace' & string);
port?: number;
url?: string;
path?: string;
headers?: (Headers & Record<string, string>);
body?: any;
timeout?: number;
params?: Record<string, string>;
baseURL?: string;
query?: Record<string, string | number | boolean>;
responseType?: ('json' | 'text' | 'blob' | 'stream' | 'arrayBuffer' | 'document' & string);
responseEncoding?: BufferEncoding;
timeoutErrorMessage?: string;
onTimeout?: () => void;
isStream?: boolean;
useHttp2?: boolean;
validateStatus?: (status: number) => boolean;
decompress?: boolean;
proxy?: ProxyOptions;
maxRedirects?: number;
auth?: AuthOptions;
maxBodyLength?: number;
maxContentLength?: number;
maxRate?: number;
signal?: AbortSignal;
bodySchema?: B;
cache?: boolean;
cacheTTL?: number;
retries?: number;
retryDelay?: number;
onRetry?: (req: http.RequestOptions, error: Error) => boolean;
onDownloadProgress?: (progress: {
percent: number;
transferredBytes: number;
totalBytes: number;
}) => void;
onRequest?: (options:RequestOptions<B>) => RequestOptions<B>|void;
onResponse?: (response: HttpResponse<any, BodyFromSchema<B,RequestOptions>>) => HttpResponse<any, BodyFromSchema<B,RequestOptions>>|void;
onChunk?: (chunk: Buffer) => Buffer|void;
onRedirect?: (response: http.IncomingMessage) => void;
sslOptions?: {
key?: Buffer;
cert?: Buffer;
ca?: Buffer;
rejectUnauthorized?: boolean;
secureProtocol?: ('SSLv2_method' | 'SSLv3_method' | 'TLSv1_method' | 'TLSv1_1_method' | 'TLSv1_2_method' | 'TLSv1_3_method' & string);
ciphers?: string;
passphrase?: string;
};
defaultMode?: boolean;
}
interface RequestInfo {
requestId: string;
method?: string;
url?: string;
fullUrl: string;
headers: (Headers & Record<string, string>);
body?: BodyFromSchema<any,RequestOptions>;
httpVersion?: string;
startTimestamp: number;
timeout?: number;
contentLength?: number;
}
type BodyFromSchema<B, Options> =
Options extends { responseType: 'stream' } | { isStream: true } ? PassThrough :
B extends typeof Number ? number :
B extends typeof String ? string :
B extends Record<string, unknown> ?
{ [K in keyof B] :
B[K] extends typeof Number ? number :
B[K] extends typeof String ? string :
B[K] extends typeof Array ? any[] :
B[K] } :
B extends ArrayConstructor ? any[] : B;
interface HttpResponse<T, B = any> {
requestId: string;
body: (BodyFromSchema<B,RequestOptions>);
statusCode: number;
statusText: string;
headers: (Headers & Record<string, string | string[]>);
config: RequestOptions<B>;
request: http.ClientRequest;
requestInfo: RequestInfo;
response: http.IncomingMessage;
timestamp: {
startTimestamp: number;
endTimestamp: number;
};
responseTime: number;
responseSize: number;
serverIp?: string;
connectionReused: boolean;
isStream?: boolean;
isCached?: boolean;
}
type OmitedCreate = Omit<Core, 'create'>;
type OmitedExtend = Omit<Core, 'create'>;
interface Events {
['beforeRequest']: (requestOptions: RequestOptions<any>) => void;
['afterResponse']: (res: HttpResponse<any, any>) => void;
['error']: (error: ErrorHandler) => void;
};
class Core extends EventEmitter {
public baseRequestOptions: RequestOptions;
public pluginManager: PluginManager = new PluginManager();
constructor(baseRequestOptions?: RequestOptions) {
super();
this.baseRequestOptions = baseRequestOptions || { };
};
use(plugin: Plugin): void {
return this.pluginManager.use(plugin);
};
on<K extends keyof Events>(event: K, listener: Events[K]): this {
return super.on(event, listener);
}
once<K extends keyof Events>(event: K, listener: Events[K]): this {
return super.once(event, listener);
}
off<K extends keyof Events>(event: K, listener: Events[K]): this {
return super.off(event, listener);
}
emit<K extends keyof Events>(event: K, ...args: Parameters<Events[K]>): boolean {
return super.emit(event, ...args);
}
/**
* The version of the Nyro library.
*/
static version = `${packageJson.version}`;
/**
* The package.json file for the Nyro library.
*/
static pkg = packageJson;
/**
* @param url
* @returns this
* @example Nyro.setURL('https://jsonplaceholder.typicode.com/posts');
* @description This function sets the URL for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setURL(url: string): this {
this.baseRequestOptions.url = url;
return this;
};
/**
* @param baseURL
* @returns this
* @example Nyro.setBaseURL('https://jsonplaceholder.typicode.com');
* @description This function sets the base URL for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setBaseURL(baseURL: string): this {
this.baseRequestOptions.baseURL = baseURL;
return this;
};
/**
* @param path
* @returns this
* @example Nyro.setPath('/posts');
* @description This function sets the path for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setPath(path: string): this {
this.baseRequestOptions.path = path;
return this;
};
/**
* @param bodySchema
* @returns this
* @example Nyro.setBodySchema({ title: String, body: String });
* @description This function sets the body schema for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setBodySchema(bodySchema: any): this {
this.baseRequestOptions.bodySchema = bodySchema;
return this;
};
/**
* @param auth
* @returns this
* @example Nyro.setAuth({ username: 'user', password: 'pass' });
* @description This function sets the authentication credentials for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setAuth(auth: AuthOptions): this {
this.baseRequestOptions.auth = auth;
return this;
};
/**
* @param proxy
* @returns this
* @example Nyro.setProxy({ host: 'localhost', port: 8080, protocol: 'http' });
* @description This function sets the proxy for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setProxy(proxy: ProxyOptions): this {
this.baseRequestOptions.proxy = proxy;
return this;
};
/**
* @param method
* @returns this
* @example Nyro.setMethod('GET');
* @description This function sets the method for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setMethod(method: 'GET' | 'POST' | 'PUT' | 'DELETE' | 'PATCH' | 'HEAD' | 'OPTIONS' | 'CONNECT' | 'TRACE'): this {
this.baseRequestOptions.method = method;
return this;
};
/**
* @param headers
* @returns this
* @example Nyro.setHeaders({ 'Content-Type': 'application/json' });
* @description This function sets the headers for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setHeaders(headers: (Headers & Record<string, string>)): this {
this.baseRequestOptions.headers = headers;
return this;
};
/**
* @param params
* @returns this
* @example Nyro.setParams({ id: '1' });
* @description This function sets the query parameters for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setParams(params: Record<string, string>): this {
this.baseRequestOptions.params = params;
return this;
};
/**
* @param query
* @returns this
* @example Nyro.setQuery({ id: '1' });
* @description This function sets the query parameters for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setQuery(query: Record<string, string | number | boolean>): this {
this.baseRequestOptions.query = query;
return this;
};
/**
* @param body
* @returns this
* @example Nyro.setBody({ title: 'foo', body: 'bar', userId: 1 });
* @description This function sets the body for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setBody(body: any): this {
this.baseRequestOptions.body = body;
return this;
};
/**
* @param timeout
* @returns this
* @example Nyro.setTimeout(5000);
* @description This function sets the timeout for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setTimeout(timeout: number): this {
this.baseRequestOptions.timeout = timeout;
return this;
};
/**
* @param retryOn
* @returns this
* @example Nyro.setRetryOn((req, error) => error.code === 'ETIMEDOUT');
* @description This function sets the retry condition for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setRetryOn(retryOn: (req: http.RequestOptions, error: Error) => boolean): this {
this.baseRequestOptions.onRetry = retryOn;
return this;
};
/**
* @param retries
* @returns this
* @example Nyro.setRetries(3);
* @description This function sets the number of retries for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setRetries(retries: number): this {
this.baseRequestOptions.retries = retries;
return this;
};
/**
* @param validateStatus
* @returns this
* @example Nyro.setValidateStatus((status) => status >= 200 && status < 300);
* @description This function sets the status validation for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setValidateStatus(validateStatus: (status: number) => boolean): this {
this.baseRequestOptions.validateStatus = validateStatus;
return this;
};
/**
* @param maxBodyLength
* @returns this
* @example Nyro.setMaxBodyLength(1000);
* @description This function sets the maximum body length for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setMaxBodyLength(maxBodyLength: number): this {
this.baseRequestOptions.maxBodyLength = maxBodyLength;
return this;
};
/**
* @param maxContentLength
* @returns this
* @example Nyro.setMaxContentLength(1000);
* @description This function sets the maximum content length for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setMaxContentLength(maxContentLength: number): this {
this.baseRequestOptions.maxContentLength = maxContentLength;
return this;
};
/**
* @param maxRate
* @returns this
* @example Nyro.setMaxRate(1000);
* @description This function sets the maximum rate for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setMaxRate(maxRate: number): this {
this.baseRequestOptions.maxRate = maxRate;
return this;
};
/**
* @param signal
* @returns this
* @example Nyro.setSignal(signal);
* @description This function sets the signal for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setSignal(signal: AbortSignal): this {
this.baseRequestOptions.signal = signal;
return this;
};
/**
* @param onDownloadProgress
* @returns this
* @example Nyro.setOnDownloadProgress((progress) => console.log(progress));
* @description This function sets the download progress for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setOnDownloadProgress(onDownloadProgress: (progress: { percent: number; transferredBytes: number; totalBytes: number }) => void): this {
this.baseRequestOptions.onDownloadProgress = onDownloadProgress;
return this;
};
/**
* @param timeoutErrorMessage
* @returns this
* @example Nyro.setTimeoutErrorMessage('Request timed out');
* @description This function sets the timeout error message for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setTimeoutErrorMessage(timeoutErrorMessage: string): this {
this.baseRequestOptions.timeoutErrorMessage = timeoutErrorMessage;
return this;
};
/**
* @param responseType
* @returns this
* @example Nyro.setResponseType('json');
* @description This function sets the response type for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setResponseType(responseType: ('json' | 'text' | 'blob' | 'stream' | 'arrayBuffer' | 'document' & string)): this {
this.baseRequestOptions.responseType = responseType;
return this;
};
/**
* @param responseEncoding
* @returns this
* @example Nyro.setResponseEncoding('utf8');
* @description This function sets the response encoding for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setResponseEncoding(responseEncoding: BufferEncoding): this {
this.baseRequestOptions.responseEncoding = responseEncoding;
return this;
};
/**
* @param maxRedirects
* @returns this
* @example Nyro.setMaxRedirects(3);
* @description This function sets the maximum number of redirects for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setMaxRedirects(maxRedirects: number): this {
this.baseRequestOptions.maxRedirects = maxRedirects;
return this;
};
/**
* @param retryDelay
* @returns this
* @example Nyro.setRetryDelay(1000);
* @description This function sets the retry delay for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setRetryDelay(retryDelay: number): this {
this.baseRequestOptions.retryDelay = retryDelay;
return this;
};
/**
* @param decompress
* @returns this
* @example Nyro.setDecompress(true);
* @description This function sets the decompress option for the request.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
*/
setDecompress(decompress: boolean): this {
this.baseRequestOptions.decompress = decompress;
return this;
};
/*-------------------------------------------------------*/
/*----------------LINE-------------BREAK-----------------*/
/*-------------------------------------------------------*/
/**
* Sends a GET request to the specified URL.
* @param url - The URL to send the request to.
* @param options - The request options.
* @returns A promise that resolves with the HTTP response.
* @example Nyro.get('https://jsonplaceholder.typicode.com/posts');
* @description This function sends a GET request to the specified URL and returns a promise that resolves with the HTTP response.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Methods/GET|MDN web docs}
*/
async get<T, B>(url?: string, options?: RequestOptions<B>): Promise<HttpResponse<T, BodyFromSchema<B,RequestOptions>>> {
let method: any = 'GET';
if(this.baseRequestOptions && this.baseRequestOptions.method !== method) this.baseRequestOptions.method = method;
return this.request<T, B>(!url ? this.baseRequestOptions : { ...options, method: this.baseRequestOptions.method || method, url });
};
/**
* Sends a POST request to the specified URL.
* @param url - The URL to send the request to.
* @param options - The request options.
* @returns A promise that resolves with the HTTP response.
* @example Nyro.post('https://jsonplaceholder.typicode.com/posts');
* @description This function sends a POST request to the specified URL and returns a promise that resolves with the HTTP response.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Methods/POST|MDN web docs}
*/
async post<T, B>(url?: string, options?: RequestOptions<B>): Promise<HttpResponse<T, BodyFromSchema<B,RequestOptions>>> {
let method: any = 'POST';
if(this.baseRequestOptions && this.baseRequestOptions.method !== method) this.baseRequestOptions.method = method;
return this.request<T, B>(!url ? this.baseRequestOptions : { ...options, method: this.baseRequestOptions.method || method, url });
};
/**
* Sends a PUT request to the specified URL.
* @param url - The URL to send the request to.
* @param options - The request options.
* @returns A promise that resolves with the HTTP response.
* @example Nyro.put('https://jsonplaceholder.typicode.com/posts');
* @description This function sends a PUT request to the specified URL and returns a promise that resolves with the HTTP response.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Methods/PUT|MDN web docs}
*/
async put<T, B>(url?: string, options?: RequestOptions<B>): Promise<HttpResponse<T, BodyFromSchema<B,RequestOptions>>> {
let method: any = 'PUT';
if(this.baseRequestOptions && this.baseRequestOptions.method !== method) this.baseRequestOptions.method = method;
return this.request<T, B>(!url ? this.baseRequestOptions : { ...options, method: this.baseRequestOptions.method || method, url });
};
/**
* Sends a DELETE request to the specified URL.
* @param url - The URL to send the request to.
* @param options - The request options.
* @returns A promise that resolves with the HTTP response.
* @example Nyro.delete('https://jsonplaceholder.typicode.com/posts');
* @description This function sends a DELETE request to the specified URL and returns a promise that resolves with the HTTP response.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Methods/DELETE|MDN web docs}
*/
async delete<T, B>(url?: string, options?: RequestOptions<B>): Promise<HttpResponse<T, BodyFromSchema<B,RequestOptions>>> {
let method: any = 'DELETE';
if(this.baseRequestOptions && this.baseRequestOptions.method !== method) this.baseRequestOptions.method = method;
return this.request<T, B>(!url ? this.baseRequestOptions : { ...options, method: this.baseRequestOptions.method || method, url });
};
/**
* Sends a PATCH request to the specified URL.
* @param url - The URL to send the request to.
* @param options - The request options.
* @returns A promise that resolves with the HTTP response.
* @example Nyro.patch('https://jsonplaceholder.typicode.com/posts');
* @description This function sends a PATCH request to the specified URL and returns a promise that resolves with the HTTP response.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Methods/PATCH|MDN web docs}
*/
async patch<T, B>(url?: string, options?: RequestOptions<B>): Promise<HttpResponse<T, BodyFromSchema<B,RequestOptions>>> {
let method: any = 'PATCH';
if(this.baseRequestOptions && this.baseRequestOptions.method !== method) this.baseRequestOptions.method = method;
return this.request<T, B>(!url ? this.baseRequestOptions : { ...options, method: this.baseRequestOptions.method || method, url });
};
/**
* Sends a HEAD request to the specified URL.
* @param url - The URL to send the request to.
* @param options - The request options.
* @returns A promise that resolves with the HTTP response.
* @example Nyro.head('https://jsonplaceholder.typicode.com/posts');
* @description This function sends a HEAD request to the specified URL and returns a promise that resolves with the HTTP response.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Methods/HEAD|MDN web docs}
*/
async head<T, B>(url?: string, options?: RequestOptions<B>): Promise<HttpResponse<T, BodyFromSchema<B,RequestOptions>>> {
let method: any = 'HEAD';
if(this.baseRequestOptions && this.baseRequestOptions.method !== method) this.baseRequestOptions.method = method;
return this.request<T, B>(!url ? this.baseRequestOptions : { ...options, method: this.baseRequestOptions.method || method, url });
};
/**
* Sends an OPTIONS request to the specified URL.
* @param url - The URL to send the request to.
* @param options - The request options.
* @returns A promise that resolves with the HTTP response.
* @example Nyro.options('https://jsonplaceholder.typicode.com/posts');
* @description This function sends an OPTIONS request to the specified URL and returns a promise that resolves with the HTTP response.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Methods/OPTIONS|MDN web docs}
*/
async options<T, B>(url?: string, options?: RequestOptions<B>): Promise<HttpResponse<T, BodyFromSchema<B,RequestOptions>>> {
let method: any = 'OPTIONS';
if(this.baseRequestOptions && this.baseRequestOptions.method !== method) this.baseRequestOptions.method = method;
return this.request<T, B>(!url ? this.baseRequestOptions : { ...options, method: this.baseRequestOptions.method || method, url });
};
/**
* Sends a CONNECT request to the specified URL.
* @param url - The URL to send the request to.
* @param options - The request options.
* @returns A promise that resolves with the HTTP response.
* @example Nyro.connect('https://jsonplaceholder.typicode.com/posts');
* @description This function sends a CONNECT request to the specified URL and returns a promise that resolves with the HTTP response.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Methods/CONNECT|MDN web docs}
*/
async connect<T, B>(url?: string, options?: RequestOptions<B>): Promise<HttpResponse<T, BodyFromSchema<B,RequestOptions>>> {
let method: any = 'CONNECT';
if(this.baseRequestOptions && this.baseRequestOptions.method !== method) this.baseRequestOptions.method = method;
return this.request<T, B>(!url ? this.baseRequestOptions : { ...options, method: this.baseRequestOptions.method || method, url });
};
/**
* Sends a TRACE request to the specified URL.
* @param url - The URL to send the request to.
* @param options - The request options.
* @returns A promise that resolves with the HTTP response.
* @example Nyro.trace('https://jsonplaceholder.typicode.com/posts');
* @description This function sends a TRACE request to the specified URL and returns a promise that resolves with the HTTP response.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Methods/TRACE|MDN web docs}
*/
async trace<T, B>(url?: string, options?: RequestOptions<B>): Promise<HttpResponse<T, BodyFromSchema<B,RequestOptions>>> {
return this.request<T, B>(!url ? this.baseRequestOptions : { ...options, method: 'TRACE', url });
};
/**
* Downloads a file from the specified URL.
* @param url - The URL to download the file from.
* @param options - The request options.
* @returns A promise that resolves with the HTTP response.
* @example Nyro.download('https://jsonplaceholder.typicode.com/posts');
* @description This function downloads a file from the specified URL and returns a promise that resolves with the HTTP response.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Methods/GET|MDN web docs}
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Content-Disposition|MDN web docs}
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Content-Type|MDN web docs}
*/
async download<T, B>(url?: string, options?: RequestOptions<B>): Promise<HttpResponse<T, BodyFromSchema<B,RequestOptions>>> {
return this.request<T, B>({ ...options, responseType: 'stream', isStream: true, method: 'GET', url });
};
/**
* Sends a request to the specified URL with pagination.
* @param options - The request options.
* @param paginationOptions - The pagination options.
* @returns A promise that resolves with an array of HTTP responses.
* @example Nyro.pagination({ url: 'https://jsonplaceholder.typicode.com/posts', method: 'GET' }, { pageParam: 'page', limitParam: 'limit', maxPages: 3 });
* @description This function sends a request to the specified URL with pagination and returns a promise that resolves with an array of HTTP responses.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Methods|MDN web docs}
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Status|MDN web docs}
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Response_headers|MDN web docs}
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Link|MDN web docs}
*/
async pagination<T, B>(options?: RequestOptions<B>,paginationOptions?: PaginationOptions): Promise<Array<HttpResponse<T, BodyFromSchema<B,RequestOptions>>>> {
const results: any[] = [];
let page = 1;
let hasMore = true;
while (hasMore) {
const paginatedOptions = {
...options,
params: { ...options?.params, [paginationOptions?.pageParam || 'page']: page }
} as RequestOptions<B>;
const response = await this.request(paginatedOptions);
if (Array.isArray(response)) {
results.push(...response);
} else {
results.push(response);
}
hasMore = Array.isArray(response) && response.length > 0 && (!(paginationOptions?.maxPages ?? 0) || page < (paginationOptions?.maxPages ?? 0));
page++;
}
return results;
};
/**
* Sends multiple requests to the specified URLs.
* @param requests - The request options.
* @returns A promise that resolves with an array of HTTP responses.
* @example Nyro.queue([
* { url: 'https://jsonplaceholder.typicode.com/posts/1', method: 'GET' },
* { url: 'https://jsonplaceholder.typicode.com/posts/2', method: 'POST' }
* ]);
* @description This function sends multiple requests to the specified URLs and returns a promise that resolves with an array of HTTP responses.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Methods|MDN web docs}
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Status|MDN web docs}
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Response_headers|MDN web docs}
*/
async queue<T, B>(requests: Array<RequestOptions<B>>,queueOptions?: QueueOptions): Promise<Array<HttpResponse<T, BodyFromSchema<B,RequestOptions>>>> {
return Promise.all(requests.map((request, index) => new Promise<HttpResponse<T, BodyFromSchema<B, RequestOptions>>>((resolve) => setTimeout(() => resolve(this.request<T, B>(request)), index * (queueOptions?.delay ?? 0)))));
};
/**
* Extends the default request options with the provided options.
*
* @param extendOptions - The options to extend the default request options with.
* @returns An object with the execute function to make the request and the options used for the request.
* @example Nyro.extend({
* url: 'https://jsonplaceholder.typicode.com/posts',
* method: 'GET',
* headers: {
* 'Content-Type': 'application/json'
* }
* });
* @description This function allows you to create a new request with the provided options, while keeping the default options for future requests.
*/
async extend<T, B>(extendOptions: RequestOptions<B>): Promise<OmitedExtend> {
var options = { ...this.baseRequestOptions, ...extendOptions };
return new Core(options);
};
/**
* Creates a new instance of the Nyro library with the provided options.
*
* @param options - The request options.
* @returns A new instance of the Nyro library with the provided options.
* @example Nyro.create({
* url: 'https://jsonplaceholder.typicode.com/posts',
* method: 'GET',
* headers: {
* 'Content-Type': 'application/json'
* }
* });
* @description This function creates a new instance of the Nyro library with the provided options.
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Methods|MDN web docs}
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers|MDN web docs}
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Status|MDN web docs}
* @see {@link https://developer.mozilla.org/en-US/docs/Web/HTTP/Response_headers|MDN web docs}
*/
async create<T, B>(options: RequestOptions<B>): Promise<OmitedCreate> {
return new Core(options);
}
/**
* Core function for handling HTTP requests.
*
* @param options - The request options.
* @param currentRedirects - The number of redirects that have occurred.
* @returns A promise that resolves with the HTTP response.
*/
async request<T, B>(options?: RequestOptions<B>, currentRedirects = 0, attempt = 1, visitedUrls: Set<string> = new Set()): Promise<HttpResponse<T, BodyFromSchema<B,RequestOptions>>> {
if(!options) {
options = { ...this.baseRequestOptions };
} else {
options = { ...this.baseRequestOptions, ...options };
};
const combinedURL = combineURL(options?.baseURL || '', options?.url || "", options?.path || '');
try {
var fullUrl = new URL(combinedURL);
} catch (error) {
/*
this.emit('error', ({
statusCode: 400,
message: `Invalid URL: ${combinedURL}`,
name: 'Request',
requestOptions: options,
}));
*/
return Promise.reject(new ErrorHandler({
statusCode: 400,
message: `Invalid URL: ${combinedURL}`,
name: 'Request',
requestOptions: options,
}));
}
visitedUrls.add(fullUrl.toString());
if (options?.signal?.aborted) {
/*
this.emit('error',({
statusCode: 0,
message: 'Request aborted',
name: 'Request',
requestOptions: options,
}));
*/
return Promise.reject(new ErrorHandler({
statusCode: 0,
message: 'Request aborted',
name: 'Request',
requestOptions: options,
}));
};
if(options?.port) {
options.port = options?.port || (fullUrl.protocol === 'https:' ? 443 : 80);
};
if (options?.path) {
fullUrl.pathname += options.path;
}
if(options?.isStream) {
options.responseType = 'stream';
}
if (options?.params) {
const params = new URLSearchParams(options.params);
fullUrl.search = params.toString();
}
if(['json', 'text', 'blob', 'stream', 'arrayBuffer', 'document'].indexOf(options?.responseType || 'json') === -1) {
/*
this.emit('error',({
statusCode: 400,
message: `Invalid response type: ${options?.responseType}`,
name: 'Request',
requestOptions: options,
}));
*/
return Promise.reject(new ErrorHandler({
statusCode: 400,
message: `Invalid response type: ${options?.responseType}`,
name: 'Request',
requestOptions: options,
}));
};
options.method = options.method?.toUpperCase() as RequestOptions['method'] || 'GET';
if(options && options.method && ['GET', 'POST', 'PUT', 'DELETE', 'PATCH', 'HEAD', 'OPTIONS', 'CONNECT', 'TRACE'].indexOf(options.method) === -1) {
/*
this.emit('error', ({
statusCode: 400,
message: `Invalid request method: ${options.method}`,
name: 'Request',
requestOptions: options,
}));
*/
return Promise.reject(new ErrorHandler({
statusCode: 400,
message: `Invalid request method: ${options.method}`,
name: 'Request',
requestOptions: options,
}));
};
if(options?.timeout && options.timeout < 0) {
/*
this.emit('error', ({
statusCode: 400,
message: `Invalid timeout: ${options.timeout}`,
name: 'Request',
requestOptions: options,
}));
*/
return Promise.reject(new ErrorHandler({
statusCode: 400,
message: `Invalid timeout: ${options.timeout}`,
name: 'Request',
requestOptions: options,
}));
};
if(options?.maxRedirects && options.maxRedirects < 0) {
/*
this.emit('error', ({
statusCode: 400,
message: `Invalid number of redirects: ${options.maxRedirects}`,
name: 'Request',
requestOptions: options,
}));
*/
return Promise.reject(new ErrorHandler({
statusCode: 400,
message: `Invalid number of redirects: ${options.maxRedirects}`,
name: 'Request',
requestOptions: options,
}));
};
if(options?.maxBodyLength && options.maxBodyLength < 0) {
/*
this.emit('error', ({
statusCode: 400,
message: `Invalid max body length: ${options.maxBodyLength}`,
name: 'Request',
requestOptions: options,
}));
*/
return Promise.reject(new ErrorHandler({
statusCode: 400,
message: `Invalid max body length: ${options.maxBodyLength}`,
name: 'Request',
requestOptions: options,
}));
};
if(options?.maxContentLength && options.maxContentLength < 0) {
/*
this.emit('error', ({
statusCode: 400,
message: `Invalid max content length: ${options.maxContentLength}`,
name: 'Request',
requestOptions: options,
}));
*/
return Promise.reject(new ErrorHandler({
statusCode: 400,
message: `Invalid max content length: ${options.maxContentLength}`,
name: 'Request',
requestOptions: options,
}));
};
if(options?.maxRate && options.maxRate < 0) {
/*
this.emit('error', ({
statusCode: 400,
message: `Invalid max rate: ${options.maxRate}`,
name: 'Request',
requestOptions: options,
}));
*/
return Promise.reject(new ErrorHandler({
statusCode: 400,
message: `Invalid max rate: ${options.maxRate}`,
name: 'Request',
requestOptions: options,
}));
};
if(options?.retryDelay && options.retryDelay < 0) {
/*
this.emit('error', ({
statusCode: 400,
message: `Invalid retry delay: ${options.retryDelay}`,
name: 'Request',
requestOptions: options,
}));
*/
return Promise.reject(new ErrorHandler({
statusCode: 400,
message: `Invalid retry delay: ${options.retryDelay}`,
name: 'Request',
requestOptions: options,
}));
};
if(options?.retries && options.retries < 0) {
/*
this.emit('error', ({
statusCode: 400,
message: `Invalid number of retries: ${options.retries}`,
name: 'Request',
requestOptions: options
}));
*/
return Promise.reject(new ErrorHandler({
statusCode: 400,
message: `Invalid number of retries: ${options.retries}`,
name: 'Request',
requestOptions: options
}));
};
if (options?.query) {
const query = new URLSearchParams();
for (const key in options.query) {
if (Object.prototype.hasOwnProperty.call(options.query, key)) {
query.append(key, String(options.query[key]));
}
}
fullUrl.search += (fullUrl.search ? '&' : '') + query.toString();
}
if (options.useHttp2 == undefined) options.useHttp2 = true;
if (options.useHttp2 && !http2) {
/*
this.emit('error', ({
statusCode: 400,
message: 'http2 is not available in this environment',
name: 'Request',
requestOptions: options,
}));
*/
return Promise.reject(new ErrorHandler({
statusCode: 400,
message: 'http2 is not available in this environment',
name: 'Request',
requestOptions: options,
}));
}
var isHttps = fullUrl.protocol === 'https:';
if (!isHttps && options.sslOptions?.passphrase || options.sslOptions?.ca || options.sslOptions?.cert || options.sslOptions?.key || options.sslOptions?.rejectUnauthorized || options.sslOptions?.secureProtocol) {
/*
this.emit('error', ({
statusCode: 400,
message: 'SSL options are only supported for HTTPS requests',
name: 'Request',
requestOptions: options,
}));
*/
return Promise.reject(new ErrorHandler({
statusCode: 400,
message: 'SSL options are only supported for HTTPS requests',
name: 'Request',
requestOptions: options,
}));
}
if (!options.headers) options.headers = { };
if (options?.headers) {
if (!options.headers['User-Agent']) options.headers['User-Agent'] = getDefaultUserAgent();
if (!options.headers['Accept']) options.headers['Accept'] = `*/*`;
if (!options.headers['Content-Type']) options.headers['Content-Type'] = 'application/json';
if (!options.headers['Content-Length']) options.headers['Content-Length'] = '0';
}
if (options && !options?.responseType) {
options.responseType = 'json';
}
if (options?.auth && options?.headers) {
const { username, password } = options.auth;
const token = Buffer.from(`${username}:${password}`).toString('base64');
options.headers['Authorization'] = `Basic ${token}`;
}
const onRequest = options?.onRequest || ((requestOptions) => requestOptions);
const validateStatus = options?.validateStatus || ((status) => status >= 200 && status < 300);
const onResponse = options?.onResponse || ((response) => response);
const onTimeout = options?.onTimeout || (() => {});
const onRedirect = options?.onRedirect || ((response) => response);
const onChunk = options?.onChunk || ((chunk) => chunk);
if(!options?.requestId) options.requestId = generateUniqueId();
if(!options?.defaultMode) {
var onRequestOptions = onRequest(options);
if (onRequestOptions) options = { ...onRequest(options), ...options };
if(this.pluginManager) options = this.pluginManager.applyOnRequest(options);
this.emit('beforeRequest', options);
};
var requestOptions: http.RequestOptions = {
method: options.method,
headers: options?.headers as http.OutgoingHttpHeaders,
...options.sslOptions,
};
if (options?.timeout) {
requestOptions.timeout = options.timeout;
}
if (options?.signal) {
requestOptions.signal = options.signal;
}
if (options?.proxy) {
var proxyAuth = options.proxy.auth ? `${options.proxy.auth.username}:${options.proxy.auth.password}` : '';
var proxyUrl = `${options.proxy.host}:${options.proxy.port}`;
var protocol = options.proxy?.protocol ? options.proxy.protocol : 'http';
requestOptions.agent = protocol.includes('socks')
? new SocksProxyAgent(`${protocol}://${proxyAuth ? `${proxyAuth}@` : ''}${proxyUrl}`) : isHttps
? new HttpsProxyAgent(`${protocol}://${proxyAuth ? `${proxyAuth}@` : ''}${proxyUrl}`)
: new HttpProxyAgent(`${protocol}://${proxyAuth ? `${proxyAuth}@` : ''}${proxyUrl}`);
}
const dataString = options?.body ? JSON.stringify(options.body) : null;
if (dataString) {
if (options?.maxBodyLength && Buffer.byteLength(dataString) > options.maxBodyLength) {
return Promise.reject(new ErrorHandler({
statusCode: 413,
message: `Request body size exceeds maxBodyLength of ${options.maxBodyLength} bytes`,
name: 'Request',
requestOptions: options
}));
}
requestOptions.headers!['Content-Length'] = Buffer.byteLength(dataString).toString();
}
const startTimestamp = Date.now();
var lib = options.useHttp2 && isHttps ? http2.request(fullUrl.toString(), requestOptions as http2.RequestOptions) : isHttps ? https.request(fullUrl.toString(),requestOptions) : http.request(fullUrl.toString(),requestOptions);
return new Promise((resolve, reject) => {
const req = lib.on('response',(res) => {
var cacheKey = `${options.method}:${fullUrl.toString()}`;
if (options.cache && cacheStore.has(cacheKey)) {
const cachedItem = cacheStore.get(cacheKey);
if (cachedItem && Date.now() < cachedItem.expiry) {
cachedItem.response.isCached = true;
resolve(cachedItem.response);
} else {
cacheStore.delete(cacheKey);
}
}
var chunks: any[] = [];
let responseData: any;
let totalLength = 0;
let responseSize = 0;
let downloaded = 0;
let lastTimestamp = startTimestamp;
const contentLength = parseInt(res.headers['content-length'] ?? '0', 10) || null;
const connectionReused = getReusedSocket(res);
const serverIp = getServerIp(res);
if(options?.responseType === 'stream') {
if(options.cache) reject(new ErrorHandler({
statusCode: 400,
message: `Stream responses cannot be cached`,
name: 'Request',
requestOptions: options,
}));
const stream = new PassThrough();
res.pipe(stream);
const response: HttpResponse<T, BodyFromSchema<B,RequestOptions>> = {
request: req,
response: res,
headers: res.headers as Record<string, string | string[]>,
config: options as RequestOptions<BodyFromSchema<B,RequestOptions>>,
requestInfo: {
method: options?.method,
url: options?.url,
fullUrl: fullUrl.href,
headers: options?.headers || {},
body: options?.body,
httpVersion: res.httpVersion,
startTimestamp,
timeout: options?.timeout,
contentLength: dataString ? Buffer.byteLength(dataString) : 0,
},
body: stream,
statusCode: res.statusCode!,
statusText: res.statusMessage || '',
timestamp: {
startTimestamp,
endTimestamp: Date.now(),
},
responseTime: Date.now() - startTimestamp,
responseSize: 0,
serverIp,
connectionReused: connectionReused || false,
isStream: true,
isCached: false,
} as HttpResponse<T, BodyFromSchema<B,RequestOptions>>;
if(!options?.defaultMode) {
stream.on('data', (chunk) => {onChunk(chunk);});
this.emit('afterResponse', response);
};
resolve(response);
} else {
res.on('data', (chunk) => {
totalLength += chunk.length;
responseSize += chunk.length;
downloaded += chunk.length;
const currentTimestamp = Date.now();
const timeElapsed = (currentTimestamp - lastTimestamp) / 1000;
lastTimestamp = currentTimestamp;
const rate = chunk.length / timeElapsed;
if (contentLength && options?.onDownloadProgress) {
const progress = Math.min(1, downloaded / contentLength);
options.onDownloadProgress({
percent: progress * 100,
transferredBytes: downloaded,
totalBytes: contentLength,
});
};
if (options?.maxContentLength && responseSize > options.maxContentLength) {
req.destroy();
/*
this.emit('error', ({
statusCode: 413,
message: `Response size exceeds maxContentLength of ${options.maxContentLength} bytes`,
name: 'Request',
requestOptions: options,
}));
*/
reject(new ErrorHandler({
statusCode: 413,
message: `Response size exceeds maxContentLength of ${options.maxContentLength} bytes`,
name: 'Request',
requestOptions: options,
}));
return;
};
if (options?.maxRate && rate > options.maxRate) {
res.pause();
setTimeout(() => {
res.resume();
}, (chunk.length / options.maxRate) * 1000);
};
chunks.push(chunk);
});
res.on('end', async () => {
const endTime = Date.now();
const responseTime = endTime - startTimestamp;
let rawData: any = Buffer.concat(chunks);
if (!options?.decompress) {
const encoding = res.headers['content-encoding'];
if (encoding === 'gzip') {
rawData = zlib.gunzipSync(rawData);
} else if (encoding === 'deflate') {
rawData = zlib.inflateSync(rawData);
} else if (encoding === 'br') {
rawData = zlib.brotliDecompressSync(rawData);
}
}
if (res.statusCode && [301, 302, 303, 307, 308].includes(res.statusCode)) {
if(currentRedirects >= (options?.maxRedirects || 5)) {
/*
this.emit('error', ({
statusCode: 310,
message: `Exceeded maximum number of redirects: ${options?.maxRedirects || 5}`,
name: 'Request',
requestOptions: options,
}));
*/
reject(new ErrorHandler({
statusCode: 310,
message: `Exceeded maximum number of redirects: ${options?.maxRedirects || 5}`,
name: 'Request',
requestOptions: options,
}));
return;
}
if (!options.defaultMode) {
onRedirect(res);
}
if(!res.headers.location) {
/*
this.emit('error', ({
statusCode: 310,
message: `Redirect location header missing`,
name: 'Request',
requestOptions: options,
}));
*/
reject(new ErrorHandler({
statusCode: 310,
message: `Redirect location header missing`,
name: 'Request',
requestOptions: options,
}));
return;
}
var newUrl = new URL(res.headers.location);
if (visitedUrls.has(newUrl.toString())) {
/*
this.emit('error', ({
statusCode: 508,
message: `Redirect loop detected`,
name: 'Request',