wirejs-resources 0.1.172 → 0.1.174

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/dist/index.d.ts CHANGED
@@ -18,4 +18,5 @@ export * from './resources/key-value-store.js';
18
18
  export * from './resources/endpoint.js';
19
19
  export * from './resources/system-attribute.js';
20
20
  export * from './services/llm.js';
21
+ export * from './services/email-sender.js';
21
22
  export * from './config.js';
package/dist/index.js CHANGED
@@ -17,4 +17,5 @@ export * from './resources/key-value-store.js';
17
17
  export * from './resources/endpoint.js';
18
18
  export * from './resources/system-attribute.js';
19
19
  export * from './services/llm.js';
20
+ export * from './services/email-sender.js';
20
21
  export * from './config.js';
@@ -2,6 +2,7 @@ import type { AuthenticationService } from "./services/authentication";
2
2
  import type { BackgroundJob } from "./resources/background-job";
3
3
  import type { CronJob } from "./resources/cron-job";
4
4
  import type { DistributedTable } from "./resources/distributed-table";
5
+ import type { EmailSender } from "./services/email-sender";
5
6
  import type { Endpoint } from "./resources/endpoint";
6
7
  import type { FileService } from "./services/file";
7
8
  import type { KeyValueStore } from "./resources/key-value-store";
@@ -16,6 +17,7 @@ export declare const overrides: {
16
17
  BackgroundJob?: typeof BackgroundJob;
17
18
  CronJob?: typeof CronJob;
18
19
  DistributedTable?: typeof DistributedTable;
20
+ EmailSender?: typeof EmailSender;
19
21
  Endpoint?: typeof Endpoint;
20
22
  FileService?: typeof FileService;
21
23
  KeyValueStore?: typeof KeyValueStore;
@@ -1,13 +1,7 @@
1
1
  import { Resource } from '../resource.js';
2
2
  export declare class Secret extends Resource {
3
+ #private;
3
4
  constructor(scope: Resource | string, id: string);
4
- read(): Promise<string>;
5
- write(value: string, options?: {
6
- onlyIfNotExists?: boolean;
7
- }): Promise<void | undefined>;
8
- scan(): AsyncGenerator<never, AsyncGenerator<{
9
- key: string;
10
- value: string;
11
- }, any, any> | undefined, unknown>;
12
- isAlreadyExistsError(error: any): boolean | undefined;
5
+ read(): Promise<any>;
6
+ write(data: any): Promise<void>;
13
7
  }
@@ -1,38 +1,28 @@
1
- import * as crypto from 'crypto';
1
+ import crypto from 'crypto';
2
2
  import { Resource } from '../resource.js';
3
- import { KeyValueStore } from './key-value-store.js';
3
+ import { FileService } from '../services/file.js';
4
4
  import { overrides } from '../overrides.js';
5
- let secrets;
5
+ const FILENAME = 'secret';
6
6
  export class Secret extends Resource {
7
+ #fileService;
8
+ #initPromise;
7
9
  constructor(scope, id) {
8
10
  super(scope, id);
9
- secrets = new (overrides.KeyValueStore || KeyValueStore)('wirejs', 'secrets');
11
+ this.#fileService = new (overrides.FileService || FileService)(this, 'files');
10
12
  }
11
- async read() {
12
- const existingValue = await secrets?.get(this.absoluteId);
13
- if (!existingValue) {
14
- try {
15
- const initValue = crypto.randomBytes(64).toString('base64url');
16
- await this.write(initValue, { onlyIfNotExists: true });
17
- return initValue;
18
- }
19
- catch (error) {
20
- if (!this.isAlreadyExistsError(error))
21
- throw error;
22
- return this.read();
23
- }
24
- }
25
- else {
26
- return existingValue;
27
- }
28
- }
29
- async write(value, options) {
30
- return secrets?.set(this.absoluteId, value, { onlyIfNotExists: options?.onlyIfNotExists });
13
+ #initialize() {
14
+ this.#initPromise = this.#initPromise || this.#fileService.write(FILENAME, JSON.stringify(crypto.randomBytes(64).toString('base64url')), { onlyIfNotExists: true }).catch(error => {
15
+ if (!this.#fileService.isAlreadyExistsError(error))
16
+ throw error;
17
+ });
18
+ return this.#initPromise;
31
19
  }
32
- async *scan() {
33
- return secrets?.scan();
20
+ async read() {
21
+ await this.#initialize();
22
+ return JSON.parse(await this.#fileService.read(FILENAME));
34
23
  }
35
- isAlreadyExistsError(error) {
36
- return secrets?.isAlreadyExistsError(error);
24
+ async write(data) {
25
+ await this.#initialize();
26
+ await this.#fileService.write(FILENAME, JSON.stringify(data));
37
27
  }
38
28
  }
@@ -0,0 +1,15 @@
1
+ import { Resource } from '../resource.js';
2
+ export type EmailMessage = {
3
+ to: string | string[];
4
+ subject: string;
5
+ body: string;
6
+ html?: string;
7
+ };
8
+ export declare class EmailSender extends Resource {
9
+ #private;
10
+ constructor(scope: Resource | string, id: string, options: {
11
+ from: string;
12
+ });
13
+ get from(): string;
14
+ send(message: EmailMessage): Promise<void>;
15
+ }
@@ -0,0 +1,30 @@
1
+ import process from 'process';
2
+ import fs from 'fs';
3
+ import path from 'path';
4
+ import { Resource } from '../resource.js';
5
+ export class EmailSender extends Resource {
6
+ #from;
7
+ constructor(scope, id, options) {
8
+ super(scope, id);
9
+ this.#from = options.from;
10
+ }
11
+ get from() {
12
+ return this.#from;
13
+ }
14
+ async send(message) {
15
+ const outboxDir = path.join(process.cwd(), '.outbox');
16
+ await fs.promises.mkdir(outboxDir, { recursive: true });
17
+ const timestamp = new Date().toISOString().replace(/[:.]/g, '-');
18
+ const suffix = Math.random().toString(36).slice(2);
19
+ const filename = `${timestamp}-${suffix}.json`;
20
+ const email = {
21
+ from: this.#from,
22
+ to: message.to,
23
+ subject: message.subject,
24
+ body: message.body,
25
+ ...(message.html !== undefined ? { html: message.html } : {}),
26
+ sentAt: new Date().toISOString(),
27
+ };
28
+ await fs.promises.writeFile(path.join(outboxDir, filename), JSON.stringify(email, null, 2));
29
+ }
30
+ }
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "wirejs-resources",
3
- "version": "0.1.172",
3
+ "version": "0.1.174",
4
4
  "description": "Basic services and server-side resources for wirejs apps",
5
5
  "type": "module",
6
6
  "main": "./dist/index.js",
@@ -1 +0,0 @@
1
- export declare function apiTree(INTERNAL_API_URL: string, path?: string[]): () => void;
@@ -1,68 +0,0 @@
1
- async function callApi(INTERNAL_API_URL, method, ...args) {
2
- function isNode() {
3
- return typeof args[0]?.cookies?.getAll === 'function';
4
- }
5
- function apiUrl() {
6
- if (isNode()) {
7
- return INTERNAL_API_URL;
8
- }
9
- else {
10
- return "/api";
11
- }
12
- }
13
- let cookieHeader = {};
14
- if (isNode()) {
15
- const context = args[0];
16
- const cookies = context.cookies.getAll();
17
- cookieHeader = typeof cookies === 'object'
18
- ? {
19
- Cookie: Object.entries(cookies).map(kv => kv.join('=')).join('; ')
20
- }
21
- : {};
22
- }
23
- const response = await fetch(apiUrl(), {
24
- method: 'POST',
25
- headers: {
26
- 'Content-Type': 'application/json',
27
- ...cookieHeader
28
- },
29
- body: JSON.stringify([{ method, args: [...args] }]),
30
- });
31
- const body = await response.json();
32
- if (isNode()) {
33
- const context = args[0];
34
- for (const c of response.headers.getSetCookie()) {
35
- const parts = c.split(';').map(p => p.trim());
36
- const flags = parts.slice(1);
37
- const [name, value] = parts[0].split('=').map(decodeURIComponent);
38
- const httpOnly = flags.includes('HttpOnly');
39
- const secure = flags.includes('Secure');
40
- const maxAgePart = flags.find(f => f.startsWith('Max-Age='))?.split('=')[1];
41
- context.cookies.set({
42
- name,
43
- value,
44
- httpOnly,
45
- secure,
46
- maxAge: maxAgePart ? parseInt(maxAgePart) : undefined
47
- });
48
- }
49
- }
50
- const error = body[0].error;
51
- if (error) {
52
- throw new Error(error);
53
- }
54
- const value = body[0].data;
55
- return value;
56
- }
57
- ;
58
- export function apiTree(INTERNAL_API_URL, path = []) {
59
- return new Proxy(function () { }, {
60
- apply(_target, _thisArg, args) {
61
- return callApi(INTERNAL_API_URL, path, ...args);
62
- },
63
- get(_target, prop) {
64
- return apiTree(INTERNAL_API_URL, [...path, prop]);
65
- }
66
- });
67
- }
68
- ;
@@ -1 +0,0 @@
1
- export declare function apiTree(INTERNAL_API_URL: string, path?: string[]): () => void;
@@ -1,68 +0,0 @@
1
- async function callApi(INTERNAL_API_URL, method, ...args) {
2
- function isNode() {
3
- return typeof args[0]?.cookies?.getAll === 'function';
4
- }
5
- function apiUrl() {
6
- if (isNode()) {
7
- return INTERNAL_API_URL;
8
- }
9
- else {
10
- return "/api";
11
- }
12
- }
13
- let cookieHeader = {};
14
- if (isNode()) {
15
- const context = args[0];
16
- const cookies = context.cookies.getAll();
17
- cookieHeader = typeof cookies === 'object'
18
- ? {
19
- Cookie: Object.entries(cookies).map(kv => kv.join('=')).join('; ')
20
- }
21
- : {};
22
- }
23
- const response = await fetch(apiUrl(), {
24
- method: 'POST',
25
- headers: {
26
- 'Content-Type': 'application/json',
27
- ...cookieHeader
28
- },
29
- body: JSON.stringify([{ method, args: [...args] }]),
30
- });
31
- const body = await response.json();
32
- if (isNode()) {
33
- const context = args[0];
34
- for (const c of response.headers.getSetCookie()) {
35
- const parts = c.split(';').map(p => p.trim());
36
- const flags = parts.slice(1);
37
- const [name, value] = parts[0].split('=').map(decodeURIComponent);
38
- const httpOnly = flags.includes('HttpOnly');
39
- const secure = flags.includes('Secure');
40
- const maxAgePart = flags.find(f => f.startsWith('Max-Age='))?.split('=')[1];
41
- context.cookies.set({
42
- name,
43
- value,
44
- httpOnly,
45
- secure,
46
- maxAge: maxAgePart ? parseInt(maxAgePart) : undefined
47
- });
48
- }
49
- }
50
- const error = body[0].error;
51
- if (error) {
52
- throw new Error(error);
53
- }
54
- const value = body[0].data;
55
- return value;
56
- }
57
- ;
58
- export function apiTree(INTERNAL_API_URL, path = []) {
59
- return new Proxy(function () { }, {
60
- apply(_target, _thisArg, args) {
61
- return callApi(INTERNAL_API_URL, path, ...args);
62
- },
63
- get(_target, prop) {
64
- return apiTree(INTERNAL_API_URL, [...path, prop]);
65
- }
66
- });
67
- }
68
- ;
@@ -1 +0,0 @@
1
- export declare function prebuildApi(): Promise<void>;
@@ -1,27 +0,0 @@
1
- import process from 'process';
2
- import fs from 'fs';
3
- import path from 'path';
4
- export async function prebuildApi() {
5
- const CWD = process.cwd();
6
- let API_URL = '/api';
7
- const indexModule = await import(path.join(CWD, 'index.js'));
8
- try {
9
- const backendConfigModule = await import(path.join(CWD, 'config.js'));
10
- const backendConfig = backendConfigModule.default;
11
- console.log("backend config found", backendConfig);
12
- if (backendConfig.apiUrl) {
13
- API_URL = backendConfig.apiUrl;
14
- }
15
- }
16
- catch {
17
- console.log("No backend API config found.");
18
- }
19
- const apiCode = Object.keys(indexModule)
20
- .map(k => `export const ${k} = apiTree(INTERNAL_API_URL, ${JSON.stringify([k])});`)
21
- .join('\n');
22
- const baseClient = [
23
- `import { apiTree } from "wirejs-resources/hosting/client.js";`,
24
- `const INTERNAL_API_URL = ${JSON.stringify(API_URL)};`,
25
- ].join('\n');
26
- await fs.promises.writeFile(path.join(CWD, 'index.client.js'), [baseClient, apiCode].join('\n\n'));
27
- }