@jnode/request 1.0.4 → 1.1.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (3) hide show
  1. package/README.md +124 -0
  2. package/package.json +1 -1
  3. package/src/index.js +81 -3
package/README.md CHANGED
@@ -1,2 +1,126 @@
1
1
  # JustRequest
2
2
 
3
+ Simple HTTP(s) package for Node.js.
4
+
5
+ ## Installation
6
+
7
+ ```shell
8
+ npm install @jnode/request
9
+ ```
10
+
11
+ ## Usage
12
+
13
+ ### Import JustRequest
14
+
15
+ ```javascript
16
+ const { request, generateMultipartBody, RequestResponse } = require('@jnode/request');
17
+ ```
18
+
19
+ ### Making a request
20
+
21
+ ```javascript
22
+ async function fetchData() {
23
+ try {
24
+ const response = await request('GET', 'https://example.com/api/data');
25
+ console.log('Status Code:', response.statusCode);
26
+ console.log('Body:', response.text()); // Use response.json() if expecting a JSON response
27
+ } catch (error) {
28
+ console.error('Request failed:', error);
29
+ }
30
+ }
31
+
32
+ fetchData();
33
+ ```
34
+
35
+ ### Sending data with the request
36
+
37
+ ```javascript
38
+ async function postData() {
39
+ try {
40
+ const headers = {
41
+ 'Content-Type': 'application/json'
42
+ };
43
+ const body = JSON.stringify({ key: 'value' });
44
+ const response = await request('POST', 'https://example.com/api/post', headers, body);
45
+ console.log('Status Code:', response.statusCode);
46
+ console.log('Response:', response.text());
47
+ } catch (error) {
48
+ console.error('Request failed:', error);
49
+ }
50
+ }
51
+
52
+ postData();
53
+ ```
54
+
55
+ ### Generating a `multipart/form-data` body
56
+
57
+ ```javascript
58
+ const fs = require('fs');
59
+
60
+ async function uploadFile() {
61
+ const fileData = await fs.promises.readFile('./example.txt');
62
+ const parts = [{
63
+ disposition: 'form-data; name="file"; filename="example.txt"',
64
+ contentType: 'text/plain',
65
+ data: fileData
66
+ }, {
67
+ disposition: 'form-data; name="key"',
68
+ data: 'value'
69
+ }];
70
+ const body = generateMultipartBody(parts);
71
+
72
+ const headers = {
73
+ 'Content-Type': 'multipart/form-data; boundary=----JustNodeFormBoundary'
74
+ };
75
+
76
+ try {
77
+ const response = await request('POST', 'https://example.com/api/upload', headers, body);
78
+ console.log('Status Code:', response.statusCode);
79
+ console.log('Response:', response.text());
80
+ } catch (error) {
81
+ console.error('Request failed:', error);
82
+ }
83
+ }
84
+
85
+ uploadFile();
86
+ ```
87
+
88
+ ## Functions
89
+
90
+ ### `request(method, url, headers = {}, body)`
91
+
92
+ Makes an HTTP(S) request.
93
+
94
+ - `method`: HTTP method (`GET`, `POST`, `PUT`, `DELETE`, etc.).
95
+ - `url`: The request URL.
96
+ - `headers`: An object containing request headers. Defaults to an empty object.
97
+ - `body`: The request body (string or Buffer).
98
+
99
+ **Returns:** A Promise that resolves to a `RequestResponse` object.
100
+
101
+ ### `generateMultipartBody(parts = [])`
102
+
103
+ Generates the body for a `multipart/form-data` request.
104
+
105
+ - `parts`: An array of objects, where each object represents a part of the form data.
106
+ - `disposition` (Optional): Content disposition.
107
+ - `contentType` (Optional): Content type of the data. Defaults to `application/octet-stream`.
108
+ - `data`: Data (string or Buffer) of this part.
109
+ - `encoded` (Optional): If provided, the data is already base64 encoded, you may skip the default base64 encoding.
110
+
111
+ **Returns:** A string representing the multipart body.
112
+
113
+ ## Class `RequestResponse`
114
+
115
+ A class representing the response from an HTTP(S) request.
116
+
117
+ ### Properties
118
+
119
+ - `statusCode`: The HTTP status code of the response.
120
+ - `headers`: An object containing the response headers.
121
+ - `body`: The raw response body (Buffer).
122
+
123
+ ### Methods
124
+
125
+ - `text(encoding = 'utf8')`: Returns the response body as a string with optional encoding.
126
+ - `json()`: Attempts to parse the response body as JSON. Returns a JSON object or `undefined` if parsing fails.
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@jnode/request",
3
- "version": "1.0.4",
3
+ "version": "1.1.0",
4
4
  "description": "Simple HTTP(s) package for Node.js.",
5
5
  "main": "src/index.js",
6
6
  "scripts": {
package/src/index.js CHANGED
@@ -1,6 +1,6 @@
1
1
  /*
2
2
  JustRequest
3
- v.1.0.0
3
+ v.1.1.0
4
4
 
5
5
  Simple HTTP(s) package for Node.js.
6
6
 
@@ -10,6 +10,10 @@ by JustNode Dev Team / JustApple
10
10
  //load node packages
11
11
  const http = require('http');
12
12
  const https = require('https');
13
+ const fs = require('fs');
14
+ const { URL } = require('url');
15
+ const { pipeline } = require('stream/promises');
16
+ const crypto = require('crypto');
13
17
 
14
18
  //https request in async/await
15
19
  function request(method, url, headers = {}, body) {
@@ -26,7 +30,7 @@ function request(method, url, headers = {}, body) {
26
30
  headers: headers
27
31
  }, (res) => {
28
32
  let chunks = [];
29
- res.on('data', (chunk) => chunks.push(chunk));
33
+ res.on('data', chunks.push);
30
34
  res.on('end', () => {
31
35
  resolve(new RequestResponse(res, Buffer.concat(chunks)));
32
36
  });
@@ -53,6 +57,80 @@ function generateMultipartBody(parts = []) {
53
57
  return result;
54
58
  }
55
59
 
60
+ //http multipart/form-data request
61
+ async function multipartRequest(method, url, headers, parts, options) {
62
+ return new Promise(async (resolve, reject) => {
63
+ const parsedUrl = new URL(url); //parse url
64
+ const isHttps = parsedUrl.protocol === 'https:'; //check protocol
65
+ const reqModule = isHttps ? https : http; //select module from http and https
66
+
67
+ const boundary = `----WebKitFormBoundary${Date.now().toString(16)}${crypto.randomUUID()}`; //create a random boundary
68
+ headers['Content-Type'] = `multipart/form-data; boundary=${boundary}`; //set header
69
+
70
+ //set options
71
+ options = {
72
+ method,
73
+ headers,
74
+ ...options
75
+ };
76
+
77
+ //make a request
78
+ const req = reqModule.request(url, options, (res) => {
79
+ //save buffers
80
+ let chunks = [];
81
+ res.on('data', chunks.push);
82
+
83
+ res.on('end', () => {
84
+ resolve(new RequestResponse(res, Buffer.concat(chunks)));
85
+ });
86
+
87
+ res.on('error', (err) => {
88
+ reject(err);
89
+ });
90
+ });
91
+
92
+ req.on('error', (err) => {
93
+ reject(err);
94
+ });
95
+
96
+ //send every parts
97
+ for (const part of parts) {
98
+ req.write(`--${boundary}\r\n`); //write boundary
99
+
100
+ //write disposition
101
+ if (part.disposition) {
102
+ req.write(`Content-Disposition: ${part.disposition}\r\n`);
103
+ }
104
+
105
+ //write content type
106
+ let contentType = part.type ?? 'application/octet-stream';
107
+ req.write(`Content-Type: ${contentType}\r\n`);
108
+
109
+ //send data
110
+ if (part.file) { //local file, using streams
111
+ req.write('\r\n');
112
+ const fileStream = fs.createReadStream(part.file);
113
+ await pipeline(fileStream, req, { end: false }); //pipe stream but not end
114
+ req.write('\r\n');
115
+ } else if (part.data) { //string or buffer data
116
+ req.write('\r\n');
117
+ req.write(part.data + '\r\n');
118
+ } else if (part.base64) { //base64 data
119
+ req.write('Content-Transfer-Encoding: base64\r\n\r\n'); //using base64 encoding
120
+ req.write(part.base64 + '\r\n');
121
+ } else if (part.stream) { //any readable stream
122
+ req.write('\r\n');
123
+ await pipeline(part.stream, req, { end: false });
124
+ req.write('\r\n');
125
+ }
126
+ }
127
+
128
+ //end request
129
+ req.write(`--${boundary}--\r\n`);
130
+ req.end();
131
+ });
132
+ }
133
+
56
134
  //request response
57
135
  class RequestResponse {
58
136
  constructor(res, body) {
@@ -79,4 +157,4 @@ class RequestResponse {
79
157
  }
80
158
 
81
159
  //export
82
- module.exports = { request, generateMultipartBody, RequestResponse };
160
+ module.exports = { request, multipartRequest, generateMultipartBody, RequestResponse };