javascript-solid-server 0.0.9 → 0.0.10
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.
- package/README.md +95 -6
- package/benchmark.js +145 -249
- package/package.json +15 -3
- package/src/handlers/resource.js +100 -33
- package/src/patch/sparql-update.js +401 -0
- package/src/utils/conditional.js +153 -0
- package/test/conditional.test.js +250 -0
- package/test/sparql-update.test.js +219 -0
package/README.md
CHANGED
|
@@ -35,12 +35,32 @@ const server = createServer();
|
|
|
35
35
|
const serverWithConneg = createServer({ conneg: true });
|
|
36
36
|
```
|
|
37
37
|
|
|
38
|
+
## Performance
|
|
39
|
+
|
|
40
|
+
This server is designed for speed. Benchmark results on a typical development machine:
|
|
41
|
+
|
|
42
|
+
| Operation | Requests/sec | Avg Latency | p99 Latency |
|
|
43
|
+
|-----------|-------------|-------------|-------------|
|
|
44
|
+
| GET resource | 5,400+ | 1.2ms | 3ms |
|
|
45
|
+
| GET container | 4,700+ | 1.6ms | 3ms |
|
|
46
|
+
| PUT (write) | 5,700+ | 1.1ms | 2ms |
|
|
47
|
+
| POST (create) | 5,200+ | 1.3ms | 3ms |
|
|
48
|
+
| OPTIONS | 10,000+ | 0.4ms | 1ms |
|
|
49
|
+
|
|
50
|
+
Run benchmarks yourself:
|
|
51
|
+
```bash
|
|
52
|
+
npm run benchmark
|
|
53
|
+
```
|
|
54
|
+
|
|
38
55
|
## Features
|
|
39
56
|
|
|
40
|
-
### Implemented (v0.0.
|
|
57
|
+
### Implemented (v0.0.10)
|
|
41
58
|
|
|
42
59
|
- **LDP CRUD Operations** - GET, PUT, POST, DELETE, HEAD
|
|
43
60
|
- **N3 Patch** - Solid's native patch format for RDF updates
|
|
61
|
+
- **SPARQL Update** - Standard SPARQL UPDATE protocol for PATCH
|
|
62
|
+
- **Conditional Requests** - If-Match/If-None-Match headers (304, 412)
|
|
63
|
+
- **WebSocket Notifications** - Real-time updates via solid-0.1 protocol (SolidOS compatible)
|
|
44
64
|
- **Container Management** - Create, list, and manage containers
|
|
45
65
|
- **Multi-user Pods** - Create pods at `/<username>/`
|
|
46
66
|
- **WebID Profiles** - JSON-LD structured data in HTML at pod root
|
|
@@ -129,6 +149,44 @@ curl -X PATCH http://localhost:3000/alice/public/data.json \
|
|
|
129
149
|
solid:inserts { <#data> <http://example.org/name> "Updated" }.'
|
|
130
150
|
```
|
|
131
151
|
|
|
152
|
+
### PATCH with SPARQL Update
|
|
153
|
+
|
|
154
|
+
```bash
|
|
155
|
+
curl -X PATCH http://localhost:3000/alice/public/data.json \
|
|
156
|
+
-H "Authorization: Bearer YOUR_TOKEN" \
|
|
157
|
+
-H "Content-Type: application/sparql-update" \
|
|
158
|
+
-d 'PREFIX ex: <http://example.org/>
|
|
159
|
+
DELETE DATA { <#data> ex:value 42 } ;
|
|
160
|
+
INSERT DATA { <#data> ex:value 43 }'
|
|
161
|
+
```
|
|
162
|
+
|
|
163
|
+
### Conditional Requests
|
|
164
|
+
|
|
165
|
+
Use `If-Match` for safe updates (optimistic concurrency):
|
|
166
|
+
|
|
167
|
+
```bash
|
|
168
|
+
# Get current ETag
|
|
169
|
+
ETAG=$(curl -sI http://localhost:3000/alice/public/data.json | grep -i etag | awk '{print $2}')
|
|
170
|
+
|
|
171
|
+
# Update only if ETag matches
|
|
172
|
+
curl -X PUT http://localhost:3000/alice/public/data.json \
|
|
173
|
+
-H "Authorization: Bearer YOUR_TOKEN" \
|
|
174
|
+
-H "Content-Type: application/ld+json" \
|
|
175
|
+
-H "If-Match: $ETAG" \
|
|
176
|
+
-d '{"@id": "#data", "http://example.org/value": 100}'
|
|
177
|
+
```
|
|
178
|
+
|
|
179
|
+
Use `If-None-Match: *` for create-only semantics:
|
|
180
|
+
|
|
181
|
+
```bash
|
|
182
|
+
# Create only if resource doesn't exist (returns 412 if it does)
|
|
183
|
+
curl -X PUT http://localhost:3000/alice/public/new-resource.json \
|
|
184
|
+
-H "Authorization: Bearer YOUR_TOKEN" \
|
|
185
|
+
-H "Content-Type: application/ld+json" \
|
|
186
|
+
-H "If-None-Match: *" \
|
|
187
|
+
-d '{"@id": "#new"}'
|
|
188
|
+
```
|
|
189
|
+
|
|
132
190
|
## Pod Structure
|
|
133
191
|
|
|
134
192
|
```
|
|
@@ -171,18 +229,42 @@ curl -H "Authorization: DPoP ACCESS_TOKEN" \
|
|
|
171
229
|
|
|
172
230
|
```javascript
|
|
173
231
|
createServer({
|
|
174
|
-
logger: true,
|
|
175
|
-
conneg: false
|
|
232
|
+
logger: true, // Enable Fastify logging (default: true)
|
|
233
|
+
conneg: false, // Enable content negotiation (default: false)
|
|
234
|
+
notifications: false // Enable WebSocket notifications (default: false)
|
|
176
235
|
});
|
|
177
236
|
```
|
|
178
237
|
|
|
238
|
+
### WebSocket Notifications
|
|
239
|
+
|
|
240
|
+
Enable real-time notifications for resource changes:
|
|
241
|
+
|
|
242
|
+
```javascript
|
|
243
|
+
const server = createServer({ notifications: true });
|
|
244
|
+
```
|
|
245
|
+
|
|
246
|
+
Clients discover the WebSocket URL via the `Updates-Via` header:
|
|
247
|
+
|
|
248
|
+
```bash
|
|
249
|
+
curl -I http://localhost:3000/alice/public/
|
|
250
|
+
# Updates-Via: ws://localhost:3000/.notifications
|
|
251
|
+
```
|
|
252
|
+
|
|
253
|
+
Protocol (solid-0.1, compatible with SolidOS):
|
|
254
|
+
```
|
|
255
|
+
Server: protocol solid-0.1
|
|
256
|
+
Client: sub http://localhost:3000/alice/public/data.json
|
|
257
|
+
Server: ack http://localhost:3000/alice/public/data.json
|
|
258
|
+
Server: pub http://localhost:3000/alice/public/data.json (on change)
|
|
259
|
+
```
|
|
260
|
+
|
|
179
261
|
## Running Tests
|
|
180
262
|
|
|
181
263
|
```bash
|
|
182
264
|
npm test
|
|
183
265
|
```
|
|
184
266
|
|
|
185
|
-
Currently passing: **
|
|
267
|
+
Currently passing: **136 tests**
|
|
186
268
|
|
|
187
269
|
## Project Structure
|
|
188
270
|
|
|
@@ -208,12 +290,18 @@ src/
|
|
|
208
290
|
├── webid/
|
|
209
291
|
│ └── profile.js # WebID generation
|
|
210
292
|
├── patch/
|
|
211
|
-
│
|
|
293
|
+
│ ├── n3-patch.js # N3 Patch support
|
|
294
|
+
│ └── sparql-update.js # SPARQL Update support
|
|
295
|
+
├── notifications/
|
|
296
|
+
│ ├── index.js # WebSocket plugin
|
|
297
|
+
│ ├── events.js # Event emitter
|
|
298
|
+
│ └── websocket.js # solid-0.1 protocol
|
|
212
299
|
├── rdf/
|
|
213
300
|
│ ├── turtle.js # Turtle <-> JSON-LD
|
|
214
301
|
│ └── conneg.js # Content negotiation
|
|
215
302
|
└── utils/
|
|
216
|
-
|
|
303
|
+
├── url.js # URL utilities
|
|
304
|
+
└── conditional.js # If-Match/If-None-Match
|
|
217
305
|
```
|
|
218
306
|
|
|
219
307
|
## Dependencies
|
|
@@ -221,6 +309,7 @@ src/
|
|
|
221
309
|
Minimal dependencies for a fast, secure server:
|
|
222
310
|
|
|
223
311
|
- **fastify** - High-performance HTTP server
|
|
312
|
+
- **@fastify/websocket** - WebSocket support for notifications
|
|
224
313
|
- **fs-extra** - Enhanced file operations
|
|
225
314
|
- **jose** - JWT/JWK handling for Solid-OIDC
|
|
226
315
|
- **n3** - Turtle parsing (only used when conneg enabled)
|
package/benchmark.js
CHANGED
|
@@ -1,286 +1,182 @@
|
|
|
1
|
-
|
|
2
|
-
|
|
3
|
-
|
|
4
|
-
|
|
5
|
-
|
|
6
|
-
|
|
7
|
-
|
|
8
|
-
|
|
9
|
-
|
|
10
|
-
|
|
11
|
-
|
|
12
|
-
|
|
13
|
-
|
|
14
|
-
|
|
15
|
-
|
|
16
|
-
|
|
17
|
-
|
|
18
|
-
|
|
19
|
-
|
|
20
|
-
|
|
21
|
-
|
|
22
|
-
|
|
23
|
-
|
|
24
|
-
//
|
|
25
|
-
|
|
26
|
-
|
|
27
|
-
|
|
28
|
-
|
|
29
|
-
const
|
|
30
|
-
|
|
31
|
-
|
|
32
|
-
|
|
33
|
-
}
|
|
34
|
-
|
|
35
|
-
// Register a test user
|
|
36
|
-
async function registerUser (username) {
|
|
37
|
-
const { result, time } = await measureTime(async () => {
|
|
38
|
-
const response = await fetch(`${config.baseUrl}/register`, {
|
|
39
|
-
method: 'POST',
|
|
40
|
-
headers: { 'Content-Type': 'application/json' },
|
|
41
|
-
body: JSON.stringify({
|
|
42
|
-
username,
|
|
43
|
-
password: config.testPassword,
|
|
44
|
-
email: `${username}@benchmark.test`
|
|
45
|
-
})
|
|
46
|
-
});
|
|
47
|
-
return response.json();
|
|
1
|
+
#!/usr/bin/env node
|
|
2
|
+
/**
|
|
3
|
+
* Benchmark script for JavaScript Solid Server
|
|
4
|
+
*
|
|
5
|
+
* Measures throughput and latency for common operations.
|
|
6
|
+
* Run: node benchmark.js
|
|
7
|
+
*/
|
|
8
|
+
|
|
9
|
+
import autocannon from 'autocannon';
|
|
10
|
+
import { createServer } from './src/server.js';
|
|
11
|
+
import fs from 'fs-extra';
|
|
12
|
+
|
|
13
|
+
const PORT = 3030;
|
|
14
|
+
const DURATION = 10; // seconds per test
|
|
15
|
+
const CONNECTIONS = 10;
|
|
16
|
+
|
|
17
|
+
let server;
|
|
18
|
+
let token;
|
|
19
|
+
|
|
20
|
+
async function setup() {
|
|
21
|
+
// Clean data directory
|
|
22
|
+
await fs.emptyDir('./data');
|
|
23
|
+
|
|
24
|
+
// Start server (no logging for clean benchmark)
|
|
25
|
+
server = createServer({ logger: false });
|
|
26
|
+
await server.listen({ port: PORT, host: '127.0.0.1' });
|
|
27
|
+
|
|
28
|
+
// Create a test pod
|
|
29
|
+
const res = await fetch(`http://127.0.0.1:${PORT}/.pods`, {
|
|
30
|
+
method: 'POST',
|
|
31
|
+
headers: { 'Content-Type': 'application/json' },
|
|
32
|
+
body: JSON.stringify({ name: 'bench' })
|
|
48
33
|
});
|
|
34
|
+
const data = await res.json();
|
|
35
|
+
token = data.token;
|
|
49
36
|
|
|
50
|
-
|
|
51
|
-
|
|
52
|
-
}
|
|
53
|
-
|
|
54
|
-
// Login a test user
|
|
55
|
-
async function loginUser (username) {
|
|
56
|
-
const { result, time } = await measureTime(async () => {
|
|
57
|
-
const response = await fetch(`${config.baseUrl}/login`, {
|
|
58
|
-
method: 'POST',
|
|
59
|
-
headers: { 'Content-Type': 'application/json' },
|
|
60
|
-
body: JSON.stringify({
|
|
61
|
-
username,
|
|
62
|
-
password: config.testPassword
|
|
63
|
-
})
|
|
64
|
-
});
|
|
65
|
-
return response.json();
|
|
66
|
-
});
|
|
67
|
-
|
|
68
|
-
config.results.loginTime.push(time);
|
|
69
|
-
|
|
70
|
-
if (result.id_token) {
|
|
71
|
-
tokens.set(username, result.id_token);
|
|
72
|
-
}
|
|
73
|
-
|
|
74
|
-
return result;
|
|
75
|
-
}
|
|
76
|
-
|
|
77
|
-
// Create a resource
|
|
78
|
-
async function createResource (username, resourcePath, content = null) {
|
|
79
|
-
const token = tokens.get(username);
|
|
80
|
-
if (!token) throw new Error(`No token for user ${username}`);
|
|
81
|
-
|
|
82
|
-
const turtleContent = content || `
|
|
83
|
-
@prefix foaf: <http://xmlns.com/foaf/0.1/>.
|
|
84
|
-
<#me> a foaf:Person;
|
|
85
|
-
foaf:name "${username}";
|
|
86
|
-
foaf:mbox <mailto:${username}@benchmark.test>.
|
|
87
|
-
`;
|
|
88
|
-
|
|
89
|
-
const { result, time } = await measureTime(async () => {
|
|
90
|
-
const response = await fetch(`${config.baseUrl}/${username}/${resourcePath}`, {
|
|
37
|
+
// Create some test resources
|
|
38
|
+
for (let i = 0; i < 100; i++) {
|
|
39
|
+
await fetch(`http://127.0.0.1:${PORT}/bench/public/item${i}.json`, {
|
|
91
40
|
method: 'PUT',
|
|
92
41
|
headers: {
|
|
93
|
-
'Content-Type': '
|
|
42
|
+
'Content-Type': 'application/ld+json',
|
|
94
43
|
'Authorization': `Bearer ${token}`
|
|
95
44
|
},
|
|
96
|
-
body:
|
|
45
|
+
body: JSON.stringify({ '@id': `#item${i}`, 'http://example.org/value': i })
|
|
97
46
|
});
|
|
98
|
-
|
|
99
|
-
});
|
|
47
|
+
}
|
|
100
48
|
|
|
101
|
-
|
|
102
|
-
return result;
|
|
49
|
+
console.log('Setup complete: created pod with 100 resources\n');
|
|
103
50
|
}
|
|
104
51
|
|
|
105
|
-
|
|
106
|
-
|
|
107
|
-
|
|
108
|
-
|
|
52
|
+
async function teardown() {
|
|
53
|
+
await server.close();
|
|
54
|
+
await fs.emptyDir('./data');
|
|
55
|
+
}
|
|
109
56
|
|
|
110
|
-
|
|
111
|
-
|
|
112
|
-
|
|
113
|
-
|
|
114
|
-
|
|
115
|
-
|
|
57
|
+
function runBenchmark(opts) {
|
|
58
|
+
return new Promise((resolve) => {
|
|
59
|
+
const instance = autocannon({
|
|
60
|
+
...opts,
|
|
61
|
+
duration: DURATION,
|
|
62
|
+
connections: CONNECTIONS,
|
|
63
|
+
}, (err, result) => {
|
|
64
|
+
resolve(result);
|
|
116
65
|
});
|
|
117
|
-
return response.status;
|
|
118
|
-
});
|
|
119
66
|
|
|
120
|
-
|
|
121
|
-
|
|
67
|
+
autocannon.track(instance, { renderProgressBar: false });
|
|
68
|
+
});
|
|
122
69
|
}
|
|
123
70
|
|
|
124
|
-
|
|
125
|
-
|
|
126
|
-
|
|
127
|
-
|
|
71
|
+
function formatResult(result) {
|
|
72
|
+
return {
|
|
73
|
+
'Requests/sec': Math.round(result.requests.average),
|
|
74
|
+
'Latency avg': `${result.latency.average.toFixed(2)}ms`,
|
|
75
|
+
'Latency p99': `${result.latency.p99.toFixed(2)}ms`,
|
|
76
|
+
'Throughput': `${(result.throughput.average / 1024 / 1024).toFixed(2)} MB/s`
|
|
77
|
+
};
|
|
78
|
+
}
|
|
128
79
|
|
|
129
|
-
|
|
130
|
-
|
|
131
|
-
|
|
132
|
-
|
|
133
|
-
|
|
134
|
-
}
|
|
135
|
-
});
|
|
136
|
-
return response.status;
|
|
80
|
+
async function benchmarkGET() {
|
|
81
|
+
console.log('📖 Benchmarking GET (read resource)...');
|
|
82
|
+
const result = await runBenchmark({
|
|
83
|
+
url: `http://127.0.0.1:${PORT}/bench/public/item0.json`,
|
|
84
|
+
method: 'GET'
|
|
137
85
|
});
|
|
138
|
-
|
|
139
|
-
config.results.deleteTime.push(time);
|
|
140
|
-
return result;
|
|
86
|
+
return formatResult(result);
|
|
141
87
|
}
|
|
142
88
|
|
|
143
|
-
|
|
144
|
-
|
|
145
|
-
|
|
146
|
-
|
|
147
|
-
|
|
148
|
-
|
|
149
|
-
|
|
150
|
-
|
|
151
|
-
const username = `${config.testUserPrefix}${i}`;
|
|
152
|
-
users.push(username);
|
|
153
|
-
await registerUser(username);
|
|
154
|
-
await loginUser(username);
|
|
155
|
-
}
|
|
89
|
+
async function benchmarkGETContainer() {
|
|
90
|
+
console.log('📂 Benchmarking GET (container listing)...');
|
|
91
|
+
const result = await runBenchmark({
|
|
92
|
+
url: `http://127.0.0.1:${PORT}/bench/public/`,
|
|
93
|
+
method: 'GET'
|
|
94
|
+
});
|
|
95
|
+
return formatResult(result);
|
|
96
|
+
}
|
|
156
97
|
|
|
157
|
-
|
|
158
|
-
|
|
159
|
-
|
|
160
|
-
|
|
161
|
-
|
|
162
|
-
|
|
163
|
-
|
|
164
|
-
|
|
98
|
+
let putCounter = 1000;
|
|
99
|
+
async function benchmarkPUT() {
|
|
100
|
+
console.log('✏️ Benchmarking PUT (create/update resource)...');
|
|
101
|
+
const result = await runBenchmark({
|
|
102
|
+
url: `http://127.0.0.1:${PORT}/bench/public/new`,
|
|
103
|
+
method: 'PUT',
|
|
104
|
+
headers: {
|
|
105
|
+
'Content-Type': 'application/ld+json',
|
|
106
|
+
'Authorization': `Bearer ${token}`
|
|
107
|
+
},
|
|
108
|
+
setupClient: (client) => {
|
|
109
|
+
client.setBody(JSON.stringify({ '@id': '#test', 'http://example.org/v': putCounter++ }));
|
|
165
110
|
}
|
|
166
|
-
}
|
|
167
|
-
|
|
168
|
-
// Run operations with measured throughput
|
|
169
|
-
console.log(`Starting operations (${operations.length} total)...`);
|
|
170
|
-
const startTime = performance.now();
|
|
171
|
-
let completedOps = 0;
|
|
172
|
-
const endTime = startTime + config.testDuration;
|
|
173
|
-
|
|
174
|
-
// Create chunks of operations to run in parallel
|
|
175
|
-
const chunks = [];
|
|
176
|
-
const chunkSize = operations.length > 100 ? 100 : operations.length;
|
|
177
|
-
|
|
178
|
-
for (let i = 0; i < operations.length; i += chunkSize) {
|
|
179
|
-
chunks.push(operations.slice(i, i + chunkSize));
|
|
180
|
-
}
|
|
181
|
-
|
|
182
|
-
for (const chunk of chunks) {
|
|
183
|
-
if (performance.now() >= endTime) break;
|
|
184
|
-
|
|
185
|
-
await Promise.all(chunk.map(async (operation) => {
|
|
186
|
-
if (performance.now() < endTime) {
|
|
187
|
-
await operation();
|
|
188
|
-
completedOps++;
|
|
189
|
-
}
|
|
190
|
-
}));
|
|
191
|
-
}
|
|
192
|
-
|
|
193
|
-
// Calculate throughput (ops/sec)
|
|
194
|
-
const actualDuration = Math.min(performance.now() - startTime, config.testDuration);
|
|
195
|
-
const throughput = (completedOps / actualDuration) * 1000;
|
|
196
|
-
config.results.throughput.push({
|
|
197
|
-
concurrentUsers,
|
|
198
|
-
operations: completedOps,
|
|
199
|
-
duration: actualDuration,
|
|
200
|
-
throughput
|
|
201
111
|
});
|
|
202
|
-
|
|
203
|
-
console.log(`Completed ${completedOps} operations in ${actualDuration.toFixed(2)}ms`);
|
|
204
|
-
console.log(`Throughput: ${throughput.toFixed(2)} operations/second`);
|
|
112
|
+
return formatResult(result);
|
|
205
113
|
}
|
|
206
114
|
|
|
207
|
-
|
|
208
|
-
|
|
209
|
-
|
|
210
|
-
|
|
211
|
-
|
|
212
|
-
|
|
213
|
-
|
|
214
|
-
|
|
215
|
-
|
|
216
|
-
|
|
115
|
+
async function benchmarkPOST() {
|
|
116
|
+
console.log('📝 Benchmarking POST (create in container)...');
|
|
117
|
+
const result = await runBenchmark({
|
|
118
|
+
url: `http://127.0.0.1:${PORT}/bench/public/`,
|
|
119
|
+
method: 'POST',
|
|
120
|
+
headers: {
|
|
121
|
+
'Content-Type': 'application/ld+json',
|
|
122
|
+
'Authorization': `Bearer ${token}`
|
|
123
|
+
},
|
|
124
|
+
body: JSON.stringify({ '@id': '#new', 'http://example.org/created': true })
|
|
125
|
+
});
|
|
126
|
+
return formatResult(result);
|
|
127
|
+
}
|
|
217
128
|
|
|
218
|
-
|
|
219
|
-
|
|
220
|
-
|
|
221
|
-
|
|
222
|
-
|
|
223
|
-
|
|
224
|
-
|
|
225
|
-
|
|
129
|
+
async function benchmarkOPTIONS() {
|
|
130
|
+
console.log('🔍 Benchmarking OPTIONS (discovery)...');
|
|
131
|
+
const result = await runBenchmark({
|
|
132
|
+
url: `http://127.0.0.1:${PORT}/bench/public/item0.json`,
|
|
133
|
+
method: 'OPTIONS'
|
|
134
|
+
});
|
|
135
|
+
return formatResult(result);
|
|
136
|
+
}
|
|
226
137
|
|
|
227
|
-
|
|
228
|
-
|
|
229
|
-
|
|
230
|
-
|
|
231
|
-
|
|
138
|
+
async function benchmarkHEAD() {
|
|
139
|
+
console.log('📋 Benchmarking HEAD (metadata only)...');
|
|
140
|
+
const result = await runBenchmark({
|
|
141
|
+
url: `http://127.0.0.1:${PORT}/bench/public/item0.json`,
|
|
142
|
+
method: 'HEAD'
|
|
143
|
+
});
|
|
144
|
+
return formatResult(result);
|
|
145
|
+
}
|
|
232
146
|
|
|
233
|
-
|
|
234
|
-
console.log('
|
|
235
|
-
console.log('
|
|
236
|
-
console.log(`
|
|
237
|
-
console.log(` Login: ${averages.login.toFixed(2)} ms`);
|
|
238
|
-
console.log(` Read: ${averages.read.toFixed(2)} ms`);
|
|
239
|
-
console.log(` Write: ${averages.write.toFixed(2)} ms`);
|
|
240
|
-
console.log(` Delete: ${averages.delete.toFixed(2)} ms`);
|
|
147
|
+
async function main() {
|
|
148
|
+
console.log('🚀 JavaScript Solid Server Benchmark');
|
|
149
|
+
console.log('=====================================');
|
|
150
|
+
console.log(`Duration: ${DURATION}s per test, ${CONNECTIONS} concurrent connections\n`);
|
|
241
151
|
|
|
242
|
-
|
|
243
|
-
config.results.throughput.forEach(result => {
|
|
244
|
-
console.log(` ${result.concurrentUsers} users: ${result.throughput.toFixed(2)} ops/sec`);
|
|
245
|
-
});
|
|
152
|
+
await setup();
|
|
246
153
|
|
|
247
|
-
|
|
248
|
-
}
|
|
154
|
+
const results = {};
|
|
249
155
|
|
|
250
|
-
|
|
251
|
-
|
|
252
|
-
|
|
253
|
-
|
|
254
|
-
|
|
156
|
+
results['GET resource'] = await benchmarkGET();
|
|
157
|
+
results['GET container'] = await benchmarkGETContainer();
|
|
158
|
+
results['HEAD'] = await benchmarkHEAD();
|
|
159
|
+
results['OPTIONS'] = await benchmarkOPTIONS();
|
|
160
|
+
results['PUT'] = await benchmarkPUT();
|
|
161
|
+
results['POST'] = await benchmarkPOST();
|
|
255
162
|
|
|
256
|
-
|
|
257
|
-
|
|
258
|
-
console.log('=== JavaScript Solid Server Benchmark ===');
|
|
259
|
-
console.log(`Server URL: ${config.baseUrl}`);
|
|
260
|
-
console.log(`Test Duration: ${config.testDuration / 1000} seconds per concurrency level`);
|
|
163
|
+
console.log('\n📊 Results Summary');
|
|
164
|
+
console.log('==================\n');
|
|
261
165
|
|
|
262
|
-
|
|
263
|
-
|
|
264
|
-
|
|
265
|
-
|
|
266
|
-
|
|
267
|
-
}
|
|
268
|
-
} catch (error) {
|
|
269
|
-
console.error('Error connecting to server:', error.message);
|
|
270
|
-
console.error('Please make sure the server is running before starting the benchmark.');
|
|
271
|
-
return;
|
|
166
|
+
// Print as table
|
|
167
|
+
console.log('| Operation | Req/sec | Avg Latency | p99 Latency |');
|
|
168
|
+
console.log('|-----------|---------|-------------|-------------|');
|
|
169
|
+
for (const [op, data] of Object.entries(results)) {
|
|
170
|
+
console.log(`| ${op.padEnd(13)} | ${String(data['Requests/sec']).padStart(7)} | ${data['Latency avg'].padStart(11)} | ${data['Latency p99'].padStart(11)} |`);
|
|
272
171
|
}
|
|
273
172
|
|
|
274
|
-
|
|
275
|
-
|
|
276
|
-
|
|
277
|
-
}
|
|
173
|
+
console.log('\n');
|
|
174
|
+
|
|
175
|
+
await teardown();
|
|
278
176
|
|
|
279
|
-
//
|
|
280
|
-
|
|
177
|
+
// Output JSON for README
|
|
178
|
+
console.log('JSON results:');
|
|
179
|
+
console.log(JSON.stringify(results, null, 2));
|
|
281
180
|
}
|
|
282
181
|
|
|
283
|
-
|
|
284
|
-
startBenchmark().catch(error => {
|
|
285
|
-
console.error('Benchmark error:', error);
|
|
286
|
-
});
|
|
182
|
+
main().catch(console.error);
|
package/package.json
CHANGED
|
@@ -1,13 +1,22 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "javascript-solid-server",
|
|
3
|
-
"version": "0.0.
|
|
3
|
+
"version": "0.0.10",
|
|
4
4
|
"description": "A minimal, fast Solid server",
|
|
5
5
|
"main": "src/index.js",
|
|
6
6
|
"type": "module",
|
|
7
|
+
"repository": {
|
|
8
|
+
"type": "git",
|
|
9
|
+
"url": "git+https://github.com/JavaScriptSolidServer/JavaScriptSolidServer.git"
|
|
10
|
+
},
|
|
11
|
+
"bugs": {
|
|
12
|
+
"url": "https://github.com/JavaScriptSolidServer/JavaScriptSolidServer/issues"
|
|
13
|
+
},
|
|
14
|
+
"homepage": "https://github.com/JavaScriptSolidServer/JavaScriptSolidServer#readme",
|
|
7
15
|
"scripts": {
|
|
8
16
|
"start": "node src/index.js",
|
|
9
17
|
"dev": "node --watch src/index.js",
|
|
10
|
-
"test": "node --test --test-concurrency=1"
|
|
18
|
+
"test": "node --test --test-concurrency=1",
|
|
19
|
+
"benchmark": "node benchmark.js"
|
|
11
20
|
},
|
|
12
21
|
"dependencies": {
|
|
13
22
|
"@fastify/websocket": "^8.3.1",
|
|
@@ -25,5 +34,8 @@
|
|
|
25
34
|
"linked-data",
|
|
26
35
|
"decentralized"
|
|
27
36
|
],
|
|
28
|
-
"license": "MIT"
|
|
37
|
+
"license": "MIT",
|
|
38
|
+
"devDependencies": {
|
|
39
|
+
"autocannon": "^8.0.0"
|
|
40
|
+
}
|
|
29
41
|
}
|