3.0.0 • Published 3 months ago

sync-request-curl v3.0.0

Weekly downloads
-
License
MIT
Repository
github
Last release
3 months ago

Sync Request Curl

pipeline   codecov   Maintainability   Snyk Security   GitHub top language

NPM Version   install size   Depfu Dependencies   FOSSA Status   NPM License   GitHub issues

Quality Gate Status   Codacy Badge   DeepSource   codebeat badge   GitHub stars

Downloads Total   Downloads Yearly   Downloads Monthly   Downloads Weekly   Downloads Daily


Make synchronous web requests similar to sync-request, but 20 times more quickly.

Leverages node-libcurl for performance instead of spawning child processes like sync-request.

This library was designed to run on NodeJS. It will not work in a browser.

Try with Replit


1. Installation

npm install sync-request-curl

Please refer to the compatibility section for known issues and workarounds for Windows, MacOS and Linux.

2. Usage

Try with Replit.

request(method, url, options);

GET request without options

import request from 'sync-request-curl';

const res = request(
  'GET',
  'https://comp1531namesages.alwaysdata.net'
);
console.log('Status Code:', res.statusCode);
const jsonBody = JSON.parse(res.body.toString());
console.log('Returned JSON object:', jsonBody);

GET request with query string parameters

import request from 'sync-request-curl';

const res = request(
  'GET',
  'https://comp1531forum.alwaysdata.net/echo/echo',
  {
    qs: { message: 'Hello, world!' },
  }
);
console.log('Status Code:', res.statusCode);
const jsonBody = JSON.parse(res.body.toString());
console.log('Returned JSON object:', jsonBody);

POST request with headers and JSON payload

import request from 'sync-request-curl';

const res = request(
  'POST',
  'https://comp1531quiz.alwaysdata.net/quiz/create',
  {
    headers: { lab08quizsecret: "bruno's fight club" },
    json: {
      quizTitle: 'New Quiz',
      quizSynopsis: 'Sync request curl example'
    },
  }
);
console.log('Status Code:', res.statusCode);
const jsonBody = JSON.parse(res.body.toString());
console.log('Returned JSON Object:', jsonBody);

Using a proxy URL (Note: replace with your own proxy details)

import request from 'sync-request-curl';

const res = request(
  'GET',
  'https://ipinfo.io/json',
  {
    setEasyOptions: (curl, options) => {
      curl.setOpt(options.PROXY, 'http://your-proxy-url:port');
      curl.setOpt(options.PROXYUSERPWD, 'proxyUsername:proxyPassword');
    },
  }
);

console.log('Status Code:', res.statusCode);
const jsonBody = JSON.parse(res.body.toString());
console.log(jsonBody);

2.1. Method

HTTP method (of type HttpVerb)

  • e.g. PUT/POST/GET/DELETE

Note that for the HEAD method, CURLOPT_NOBODY is set to true automatically by sync-request-curl.

2.2. URL

URL as a string

2.3. Options

Only the following options from sync-request are supported for the time being:

Below are some additional options available from node-libcurl:

In src/types.ts, the Options interface following is defined as:

export interface Options {
  /*
   * sync-request options
   */
  headers?: IncomingHttpHeaders;
  qs?: { [key: string]: any };
  json?: any;
  body?: string | Buffer;

  timeout?: number;
  followRedirects?: boolean;
  maxRedirects?: number;

  /*
   * node-libcurl options
   */
  insecure?: boolean;
  setEasyOptions?: SetEasyOptionCallback;
}

2.4. Response

  • statusCode - a number representing the HTTP status code (e.g. 200, 400, 401, 403)
  • headers - HTTP response headers. The keys/properties of the object will always be in lowercase, e.g. "content-type" instead of "Content-Type"
  • body - a string or buffer - for JSON responses, use JSON.parse(response.body.toString()) to get the returned data as an object
  • getBody - a function with an optional encoding argument that returns the body if encoding is undefined, otherwise body.toString(encoding). If statusCode >= 300, an Error is thrown instead
  • url - the final URL used in the request after all redirections are followed, and with the query string parameters appended

In src/types.ts, the Response interface is defined as:

export interface Response {
  statusCode: number;
  headers: IncomingHttpHeaders;
  body: string | Buffer;
  getBody: (encoding?: BufferEncoding) => string | Buffer; // simplified
  url: string;
}

2.5. Errors

When using the response.getBody() function, a generic Error object is thrown.

If there are issues with the request, a CurlError will be thrown. This will contain a non-zero code property that corresponds to a specific Libcurl Error from this documentation:

A few common errors are:

  1. CURLE_COULDNT_CONNECT (7)
    • Failed to connect() to host or proxy.
    • HINT: This means that the server could not be reached. For local development (e.g. in testing), ensure that your server has started successfully, or that it did not crash while handling a previous request
  2. CURLE_URL_MALFORMAT (3)
    • The URL was not properly formatted.
    • HINT: The request was not successful because your input URL is invalid, e.g. missing domain, protocol or port. Try printing out your input URL, or if it is a GET request, access it directly in a browser
  3. CURLE_PEER_FAILED_VERIFICATION (60)
    • The remote server's SSL certificate or SSH fingerprint was deemed not OK. This error code has been unified with CURLE_SSL_CACERT since 7.62.0. Its previous value was 51
    • HINT: See the Windows compatibility section for an explanation and potential workaround

It is possible to check the cURL code as follows:

import request, { CurlError } from 'sync-request-curl';

try {
  request('GET', 'https://google.fake.url.com');
} catch (error) {
  if (error instanceof CurlError) {
    // outputs 6 (CURLE_COULDNT_RESOLVE_HOST)
    console.log(error.code);
  }
}

In src/errors.ts, the CurlError class is defined as:

export class CurlError extends Error {
  // https://curl.se/libcurl/c/libcurl-errors.html
  code: number;
  constructor(code: number, message: string) {
    super(message);
    if (code < 1 || code > 99) {
      throw new Error(`CurlError code must be between 1 and 99. Given: ${code}`);
    }
    this.code = code;
    Object.setPrototypeOf(this, CurlError.prototype);
  }
}

3. License

Copyright (c) 2023 Khiet Tam Nguyen

Permission is hereby granted, free of charge, to any person obtaining a
copy of this software and associated documentation files (the “Software”),
to deal in the Software without restriction, including without limitation
the rights to use, copy, modify, merge, publish, distribute, sublicense,
and/or sell copies of the Software, and to permit persons to whom the
Software is furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED “AS IS”, WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL
THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
DEALINGS IN THE SOFTWARE.

FOSSA Status

4. Compatibility

4.1. Windows

For installation issues, be sure to review the Windows Build Requirements from node-libcurl's documentation.

In addition, your requests may unexpectedly fail with a Libcurl Error (code 60, CURLE_PEER_FAILED_VERIFICATION) when using NodeJS natively on Windows.

The reason is covered in the below resources:

One quick workaround is to set the insecure option to true when sending your requests. This is the same as setting the Libcurl Easy's equivalent SSL_VERIFYPEER to 0, or using curl in the command line with the -k or --insecure option.

Alternatively, consider using Windows Subsystem for Linux (WSL).

4.2. MacOS

The build for MacOS may fail during the installation process.

In most cases, this can be fixed by following these Github issues:

and carefully reviewing the MacOS Build Requirements from node-libcurl's documentation. Otherwise, we recommend uninstalling this library and installing sync-request.

4.3. Linux

In rare cases, the build for distributions such as Debian or Ubuntu may fail. This is attributed to missing dependencies such as Python or Libcurl. Below are some related issues:

Be sure to also check the Linux Build Requirements from node-libcurl's documentation.

5. Caveats

See sync-request for the original documentation. Please note that sync-request-curl only supports a subset of the original features in sync-request and additional features through leveraging node-libcurl.

sync-request-curl was developed to improve performance with sending synchronous requests in NodeJS. It is also free from the sync-request bug which leaves an orphaned sync-rpc process, resulting in a leaked handle being detected in Jest.

sync-request-curl was designed to work with UNIX-like systems for UNSW students enrolled in COMP1531 Software Engineering Fundamentals. It has been tested on Alpine, Arch, Debian and Ubuntu Linux and is compatible with Windows/MacOS.

3.0.0

3 months ago

2.2.0

3 months ago

2.1.11

3 months ago

0.0.1-vercel

6 months ago

2.1.9

6 months ago

2.1.10

6 months ago

0.0.0-vercel

6 months ago

0.0.2-vercel

6 months ago

2.1.6

7 months ago

2.1.8

7 months ago

2.1.7

7 months ago

2.1.4

7 months ago

2.1.5

7 months ago

2.1.3

8 months ago

2.1.2

8 months ago

2.1.1

8 months ago

2.1.0

8 months ago

2.0.1

8 months ago

2.0.0

9 months ago

1.5.13

9 months ago

1.5.12

9 months ago

1.5.11

9 months ago

1.5.10

9 months ago

1.5.9

9 months ago

1.5.8

9 months ago

1.5.7

9 months ago

1.5.6

9 months ago

1.5.5

9 months ago

1.5.4

9 months ago

1.5.3

9 months ago

1.5.2

9 months ago

1.5.1

9 months ago

1.5.0

9 months ago

1.4.2

9 months ago

1.4.1

9 months ago

1.4.0

9 months ago

1.3.14

9 months ago

1.3.13

9 months ago

1.3.12

9 months ago

1.3.11

9 months ago

1.3.10

9 months ago

1.3.9

9 months ago

1.3.8

9 months ago

1.3.7

9 months ago

1.3.6

9 months ago

1.3.5

9 months ago

1.3.4

9 months ago

1.3.3

9 months ago

1.3.2

9 months ago

1.3.1

9 months ago

1.3.0

9 months ago

1.2.3

9 months ago

1.2.2

9 months ago

1.2.1

9 months ago

1.2.0

9 months ago

1.1.5

9 months ago

1.1.4

9 months ago

1.1.3

9 months ago

1.1.2

9 months ago

1.1.1

9 months ago

1.1.0

9 months ago

1.0.4

9 months ago

1.0.3

9 months ago

1.0.2

9 months ago

1.0.1

9 months ago

1.0.0

9 months ago

0.0.1

9 months ago