@mailhooks/sdk 2.4.0 → 2.5.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.
- package/README.md +118 -0
- package/dist/index.d.ts +15 -1
- package/dist/index.js +2 -1
- package/package.json +1 -1
package/README.md
CHANGED
|
@@ -161,6 +161,124 @@ const email = await mailhooks.emails.waitFor({
|
|
|
161
161
|
- Efficiently tracks checked emails to avoid duplicates
|
|
162
162
|
- Throws error on timeout or max retries exceeded
|
|
163
163
|
|
|
164
|
+
## Push Notifications (SSE)
|
|
165
|
+
|
|
166
|
+
Get instant push notifications when emails arrive using Server-Sent Events. This is ideal for serverless environments, client-side apps, firewalled networks, or local development where webhooks aren't practical.
|
|
167
|
+
|
|
168
|
+
### Basic Usage
|
|
169
|
+
|
|
170
|
+
```typescript
|
|
171
|
+
import { Mailhooks } from '@mailhooks/sdk';
|
|
172
|
+
|
|
173
|
+
const mailhooks = new Mailhooks({ apiKey: 'mh_xxx' });
|
|
174
|
+
|
|
175
|
+
const subscription = mailhooks.realtime.subscribe({
|
|
176
|
+
onEmailReceived: (email) => {
|
|
177
|
+
console.log('New email:', email.subject);
|
|
178
|
+
console.log('From:', email.from);
|
|
179
|
+
},
|
|
180
|
+
onConnected: (payload) => {
|
|
181
|
+
console.log('Connected!', payload.connectionId);
|
|
182
|
+
},
|
|
183
|
+
onError: (error) => {
|
|
184
|
+
console.error('Error:', error);
|
|
185
|
+
},
|
|
186
|
+
});
|
|
187
|
+
|
|
188
|
+
// Later, disconnect when done
|
|
189
|
+
subscription.disconnect();
|
|
190
|
+
```
|
|
191
|
+
|
|
192
|
+
### Distributed Mode (Worker Load Balancing)
|
|
193
|
+
|
|
194
|
+
When running multiple workers, use distributed mode so only ONE worker receives each notification:
|
|
195
|
+
|
|
196
|
+
```typescript
|
|
197
|
+
// Each worker connects with the same API key
|
|
198
|
+
// Only ONE worker receives each notification (random selection)
|
|
199
|
+
const subscription = mailhooks.realtime.subscribe({
|
|
200
|
+
mode: 'distributed',
|
|
201
|
+
onEmailReceived: async (email) => {
|
|
202
|
+
// Process email - only one worker will receive this
|
|
203
|
+
await processEmail(email.id);
|
|
204
|
+
},
|
|
205
|
+
});
|
|
206
|
+
```
|
|
207
|
+
|
|
208
|
+
### Full Event Handling
|
|
209
|
+
|
|
210
|
+
```typescript
|
|
211
|
+
const subscription = mailhooks.realtime.subscribe({
|
|
212
|
+
mode: 'broadcast', // or 'distributed'
|
|
213
|
+
onConnected: (payload) => {
|
|
214
|
+
console.log(`Connected: ${payload.connectionId}`);
|
|
215
|
+
console.log(`Mode: ${payload.mode}`);
|
|
216
|
+
},
|
|
217
|
+
onEmailReceived: (email) => {
|
|
218
|
+
console.log(`From: ${email.from}`);
|
|
219
|
+
console.log(`Subject: ${email.subject}`);
|
|
220
|
+
console.log(`Has attachments: ${email.hasAttachments}`);
|
|
221
|
+
},
|
|
222
|
+
onEmailUpdated: (update) => {
|
|
223
|
+
console.log(`Email ${update.id} updated:`, update.changes);
|
|
224
|
+
},
|
|
225
|
+
onHeartbeat: () => {
|
|
226
|
+
// Sent every 30 seconds to keep connection alive
|
|
227
|
+
},
|
|
228
|
+
onError: (error) => {
|
|
229
|
+
console.error('Connection error:', error);
|
|
230
|
+
},
|
|
231
|
+
onDisconnect: () => {
|
|
232
|
+
console.log('Disconnected');
|
|
233
|
+
},
|
|
234
|
+
autoReconnect: true, // Automatically reconnect on disconnect (default: true)
|
|
235
|
+
reconnectDelay: 5000, // Delay between reconnect attempts in ms (default: 5000)
|
|
236
|
+
});
|
|
237
|
+
```
|
|
238
|
+
|
|
239
|
+
### Node.js Usage
|
|
240
|
+
|
|
241
|
+
In Node.js, you need to install the `eventsource` package:
|
|
242
|
+
|
|
243
|
+
```bash
|
|
244
|
+
npm install eventsource
|
|
245
|
+
```
|
|
246
|
+
|
|
247
|
+
Then make EventSource available globally before importing the SDK:
|
|
248
|
+
|
|
249
|
+
```typescript
|
|
250
|
+
import EventSource from 'eventsource';
|
|
251
|
+
(global as any).EventSource = EventSource;
|
|
252
|
+
|
|
253
|
+
import { Mailhooks } from '@mailhooks/sdk';
|
|
254
|
+
// Use as normal
|
|
255
|
+
```
|
|
256
|
+
|
|
257
|
+
### Check Connection Limits
|
|
258
|
+
|
|
259
|
+
```typescript
|
|
260
|
+
const access = await mailhooks.realtime.checkAccess();
|
|
261
|
+
console.log('Has access:', access.hasAccess);
|
|
262
|
+
console.log('Max connections:', access.maxConnections); // -1 = unlimited
|
|
263
|
+
console.log('Current connections:', access.currentConnections);
|
|
264
|
+
```
|
|
265
|
+
|
|
266
|
+
### Event Types
|
|
267
|
+
|
|
268
|
+
| Event | Payload | Description |
|
|
269
|
+
|-------|---------|-------------|
|
|
270
|
+
| `connected` | `{ tenantId, connectedAt, mode, connectionId }` | Connection established |
|
|
271
|
+
| `email.received` | `{ id, from, to, subject, hasAttachments, ... }` | New email arrived |
|
|
272
|
+
| `email.updated` | `{ id, changes: { read?: boolean } }` | Email was updated |
|
|
273
|
+
| `heartbeat` | `{ timestamp }` | Keep-alive ping (every 30s) |
|
|
274
|
+
|
|
275
|
+
### Connection Modes
|
|
276
|
+
|
|
277
|
+
| Mode | Behavior | Use Case |
|
|
278
|
+
|------|----------|----------|
|
|
279
|
+
| `broadcast` | All connected clients receive every event | Dashboards, monitoring |
|
|
280
|
+
| `distributed` | One random client per API key receives each event | Worker pools, load balancing |
|
|
281
|
+
|
|
164
282
|
## Types
|
|
165
283
|
|
|
166
284
|
The SDK includes comprehensive TypeScript types:
|
package/dist/index.d.ts
CHANGED
|
@@ -153,7 +153,13 @@ declare class EmailsResource extends MailhooksClient {
|
|
|
153
153
|
}
|
|
154
154
|
|
|
155
155
|
/**
|
|
156
|
-
*
|
|
156
|
+
* Connection mode for SSE subscriptions
|
|
157
|
+
* - broadcast: All connected clients receive every event (default)
|
|
158
|
+
* - distributed: Only ONE client per API key group receives each event (load balancing)
|
|
159
|
+
*/
|
|
160
|
+
type ConnectionMode = 'broadcast' | 'distributed';
|
|
161
|
+
/**
|
|
162
|
+
* Event types for push notifications
|
|
157
163
|
*/
|
|
158
164
|
declare enum RealtimeEventType {
|
|
159
165
|
EMAIL_RECEIVED = "email.received",
|
|
@@ -190,6 +196,8 @@ interface EmailUpdatedPayload {
|
|
|
190
196
|
interface ConnectedPayload {
|
|
191
197
|
tenantId: string;
|
|
192
198
|
connectedAt: string;
|
|
199
|
+
mode?: ConnectionMode;
|
|
200
|
+
connectionId?: string;
|
|
193
201
|
}
|
|
194
202
|
/**
|
|
195
203
|
* Heartbeat event payload
|
|
@@ -220,6 +228,12 @@ interface RealtimeCallbacks {
|
|
|
220
228
|
* Subscription options
|
|
221
229
|
*/
|
|
222
230
|
interface SubscribeOptions extends RealtimeCallbacks {
|
|
231
|
+
/**
|
|
232
|
+
* Connection mode (default: 'broadcast')
|
|
233
|
+
* - broadcast: All connected clients receive every event
|
|
234
|
+
* - distributed: Only ONE client per API key group receives each event (load balancing for workers)
|
|
235
|
+
*/
|
|
236
|
+
mode?: ConnectionMode;
|
|
223
237
|
/** Auto-reconnect on disconnect (default: true) */
|
|
224
238
|
autoReconnect?: boolean;
|
|
225
239
|
/** Reconnect delay in milliseconds (default: 5000) */
|
package/dist/index.js
CHANGED
|
@@ -305,6 +305,7 @@ var RealtimeResource = class {
|
|
|
305
305
|
*/
|
|
306
306
|
subscribe(options = {}) {
|
|
307
307
|
const {
|
|
308
|
+
mode = "broadcast",
|
|
308
309
|
onEmailReceived,
|
|
309
310
|
onEmailUpdated,
|
|
310
311
|
onConnected,
|
|
@@ -328,7 +329,7 @@ var RealtimeResource = class {
|
|
|
328
329
|
);
|
|
329
330
|
}
|
|
330
331
|
const baseUrl = this.config.baseUrl ?? "https://mailhooks.dev/api";
|
|
331
|
-
const url = `${baseUrl}/v1/realtime/events?token=${encodeURIComponent(this.config.apiKey)}`;
|
|
332
|
+
const url = `${baseUrl}/v1/realtime/events?token=${encodeURIComponent(this.config.apiKey)}&mode=${mode}`;
|
|
332
333
|
const connect = () => {
|
|
333
334
|
this.eventSource = new EventSource(url);
|
|
334
335
|
this.eventSource.onmessage = (event) => {
|