The official JavaScript client SDK for EventSourcingDB – a purpose-built database for event sourcing.
EventSourcingDB enables you to build and operate event-driven applications with native support for writing, reading, and observing events. This client SDK provides convenient access to its capabilities in JavaScript and TypeScript.
For more information on EventSourcingDB, see its official documentation.
This client SDK includes support for Testcontainers to spin up EventSourcingDB instances in integration tests. For details, see Using Testcontainers.
Install the client SDK:
npm install eventsourcingdb
Import the Client
class and create an instance by providing the URL of your EventSourcingDB instance and the API token to use:
import { Client } from 'eventsourcingdb';
const url = new URL('http://localhost:3000');
const apiToken = 'secret';
const client = new Client(url, apiToken);
Then call the ping
function to check whether the instance is reachable. If it is not, the function will throw an error:
await client.ping();
Note that ping
does not require authentication, so the call may succeed even if the API token is invalid.
If you want to verify the API token, call verifyApiToken
. If the token is invalid, the function will throw an error:
await client.verifyApiToken();
Call the writeEvents
function and hand over an array with one or more events. You do not have to provide all event fields – some are automatically added by the server.
Specify source
, subject
, type
, and data
according to the CloudEvents format.
The function returns the written events, including the fields added by the server:
const writtenEvents = await client.writeEvents([
{
source: 'https://library.eventsourcingdb.io',
subject: '/books/42',
type: 'io.eventsourcingdb.library.book-acquired',
data: {
title: '2001 – A Space Odyssey',
author: 'Arthur C. Clarke',
isbn: '978-0756906788'
}
}
]);
If you only want to write events in case a subject (such as /books/42
) does not yet have any events, import the isSubjectPristine
function and pass it as the second argument as an array of preconditions:
import { isSubjectPristine } from 'eventsourcingdb';
const writtenEvents = await client.writeEvents([
// events
], [
isSubjectPristine('/books/42')
]);
If you only want to write events in case the last event of a subject (such as /books/42
) has a specific ID (e.g., 0
), import the isSubjectOnEventId
function and pass it as an array of preconditions in the second argument:
import { isSubjectOnEventId } from 'eventsourcingdb';
const writtenEvents = await client.writeEvents([
// events
], [
isSubjectOnEventId('/books/42', '0')
]);
Note that according to the CloudEvents standard, event IDs must be of type string.
If you want to write events depending on an EventQL query, import the isEventQlQueryTrue
function and pass it as an array of preconditions in the second argument:
import { isEventQlQueryTrue } from 'eventsourcingdb';
const writtenEvents = await client.writeEvents([
// events
], [
isEventQlQueryTrue(`FROM e IN events WHERE e.type == 'io.eventsourcingdb.library.book-borrowed' PROJECT INTO COUNT() < 10`)
]);
Note that the query must return a single row with a single value, which is interpreted as a boolean.
To read all events of a subject, call the readEvents
function with the subject as the first argument and an options object as the second argument. Set the recursive
option to false
. This ensures that only events of the given subject are returned, not events of nested subjects.
The function returns an asynchronous iterator, which you can use e.g. inside a for await
loop:
for await (const event of client.readEvents('/books/42', {
recursive: false
})) {
// ...
}
If you want to read not only all the events of a subject, but also the events of all nested subjects, set the recursive
option to true
:
for await (const event of client.readEvents('/books/42', {
recursive: true
})) {
// ...
}
This also allows you to read all events ever written. To do so, provide /
as the subject and set recursive
to true
, since all subjects are nested under the root subject.
By default, events are read in chronological order. To read in anti-chronological order, provide the order
option and set it to antichronological
:
for await (const event of client.readEvents('/books/42', {
recursive: false,
order: 'antichronological'
})) {
// ...
}
Note that you can also specify chronological
to explicitly enforce the default order.
Sometimes you do not want to read all events, but only a range of events. For that, you can specify the lowerBound
and upperBound
options – either one of them or even both at the same time.
Specify the ID and whether to include or exclude it, for both the lower and upper bound:
for await (const event of client.readEvents('/books/42', {
recursive: false,
lowerBound: { id: '100', type: 'inclusive' },
upperBound: { id: '200', type: 'exclusive' }
})) {
// ...
}
To read starting from the latest event of a given type, provide the fromLatestEvent
option and specify the subject, the type, and how to proceed if no such event exists.
Possible options are read-nothing
, which skips reading entirely, or read-everything
, which effectively behaves as if fromLatestEvent
was not specified:
for await (const event of client.readEvents('/books/42', {
recursive: false,
fromLatestEvent: {
subject: '/books/42',
type: 'io.eventsourcingdb.library.book-borrowed',
ifEventIsMissing: 'read-everything'
}
})) {
// ...
}
Note that fromLatestEvent
and lowerBound
can not be provided at the same time.
If you need to abort reading use break
or return
within the for await
loop. However, this only works if there is currently an iteration going on.
To abort reading independently of that, hand over an abort signal as third argument when calling readEvents
, and abort the appropriate AbortController
:
const controller = new AbortController();
for await (const event of client.readEvents('/books/42', {
recursive: false
}, controller.signal)) {
// ...
}
// Somewhere else, abort the controller, which will cause
// reading to end.
controller.abort();
To run an EventQL query, call the runEventQlQuery
function and provide the query as argument. The function returns an asynchronous iterator, which you can use e.g. inside a for await
loop:
for await (const row of client.runEventQlQuery(`
FROM e IN events
PROJECT INTO e
`)) {
// ...
}
Note that each row returned by the iterator matches the projection specified in your query.
If you need to abort a query use break
or return
within the for await
loop. However, this only works if there is currently an iteration going on.
To abort the query independently of that, hand over an abort signal as second argument when calling runEventQlQuery
, and abort the appropriate AbortController:
const controller = new AbortController();
for await (const row of client.runEventQlQuery(`
FROM e IN events
PROJECT INTO e
`, controller.signal)) {
// ...
}
// Somewhere else, abort the controller, which will cause
// the query to end.
controller.abort();
To observe all events of a subject, call the observeEvents
function with the subject as the first argument and an options object as the second argument. Set the recursive
option to false
. This ensures that only events of the given subject are returned, not events of nested subjects.
The function returns an asynchronous iterator, which you can use e.g. inside a for await
loop:
for await (const event of client.observeEvents('/books/42', {
recursive: false
})) {
// ...
}
If you want to observe not only all the events of a subject, but also the events of all nested subjects, set the recursive
option to true
:
for await (const event of client.observeEvents('/books/42', {
recursive: true
})) {
// ...
}
This also allows you to observe all events ever written. To do so, provide /
as the subject and set recursive
to true
, since all subjects are nested under the root subject.
Sometimes you do not want to observe all events, but only a range of events. For that, you can specify the lowerBound
option.
Specify the ID and whether to include or exclude it:
for await (const event of client.observeEvents('/books/42', {
recursive: false,
lowerBound: { id: '100', type: 'inclusive' }
})) {
// ...
}
To observe starting from the latest event of a given type, provide the fromLatestEvent
option and specify the subject, the type, and how to proceed if no such event exists.
Possible options are wait-for-event
, which waits for an event of the given type to happen, or read-everything
, which effectively behaves as if fromLatestEvent
was not specified:
for await (const event of client.observeEvents('/books/42', {
recursive: false,
fromLatestEvent: {
subject: '/books/42',
type: 'io.eventsourcingdb.library.book-borrowed',
ifEventIsMissing: 'read-everything'
}
})) {
// ...
}
Note that fromLatestEvent
and lowerBound
can not be provided at the same time.
If you need to abort observing use break
or return
within the for await
loop. However, this only works if there is currently an iteration going on.
To abort observing independently of that, hand over an abort signal as third argument when calling observeEvents
, and abort the appropriate AbortController
:
const controller = new AbortController();
for await (const event of client.observeEvents('/books/42', {
recursive: false
}, controller.signal)) {
// ...
}
// Somewhere else, abort the controller, which will cause
// observing to end.
controller.abort();
To register an event schema, call the registerEventSchema
function and hand over an event type and the desired schema:
await client.registerEventSchema('io.eventsourcingdb.library.book-acquired', {
type: 'object',
properties: {
title: { type: 'string' },
author: { type: 'string' },
isbn: { type: 'string' }
},
required: [
'title',
'author',
'isbn'
],
additionalProperties: false
});
To list all subjects, call the readSubjects
function with /
as the base subject. The function returns an asynchronous iterator, which you can use e.g. inside a for await
loop:
for await (const subject of client.readSubjects('/')) {
// ...
}
If you only want to list subjects within a specific branch, provide the desired base subject instead:
for await (const subject of client.readSubjects('/books')) {
// ...
}
If you need to abort listing use break
or return
within the for await
loop. However, this only works if there is currently an iteration going on.
To abort listing independently of that, hand over an abort signal as second argument when calling readSubjects
, and abort the appropriate AbortController
:
const controller = new AbortController();
for await (const subject of client.readSubjects(
'/', controller.signal)
) {
// ...
}
// Somewhere else, abort the controller, which will cause
// reading to end.
controller.abort();
To list all event types, call the readEventTypes
function. The function returns an asynchronous iterator, which you can use e.g. inside a for await
loop:
for await (const eventType of client.readEventTypes()) {
// ...
}
If you need to abort listing use break
or return
within the for await
loop. However, this only works if there is currently an iteration going on.
To abort listing independently of that, hand over an abort signal as argument when calling readEventTypes
, and abort the appropriate AbortController
:
const controller = new AbortController();
for await (const eventType of client.readEventTypes()) {
// ...
}
// Somewhere else, abort the controller, which will cause
// reading to end.
controller.abort();
To list a specific event type, call the readEventType
function with the event type as an argument. The function returns the detailed event type, which includes the schema:
eventType = await client.readEventType("io.eventsourcingdb.library.book-acquired");
To verify the integrity of an event, call the verifyHash
function on the event instance. This recomputes the event's hash locally and compares it to the hash stored in the event. If the hashes differ, the function returns an error:
event.VerifyHash();
Note that this only verifies the hash. If you also want to verify the signature, you can skip this step and call verifySignature
directly, which performs a hash verification internally.
To verify the authenticity of an event, call the verifySignature
function on the event instance. This requires the public key that matches the private key used for signing on the server.
The function first verifies the event's hash, and then checks the signature. If any verification step fails, it returns an error:
const verificationKey = // an ed25519 public key
event.verifySignature(verificationKey);
Import the Container
class, create an instance, call the start
function to run a test container, get a client, run your test code, and finally call the stop
function to stop the test container:
import { Container } from 'eventsourcingdb';
const container = new Container();
await container.start();
const client = container.getClient();
// ...
await container.stop();
To check if the test container is running, call the isRunning
function:
const isRunning = container.isRunning();
By default, Container
uses the latest
tag of the official EventSourcingDB Docker image. To change that, call the withImageTag
function:
const container = new Container()
.withImageTag('1.0.0');
Similarly, you can configure the port to use and the API token. Call the withPort
or the withApiToken
function respectively:
const container = new Container()
.withPort(4000)
.withApiToken('secret');
If you want to sign events, call the withSigningKey
function. This generates a new signing and verification key pair inside the container:
const container = new Container()
.withSigningKey();
You can retrieve the private key (for signing) and the public key (for verifying signatures) once the container has been started:
const signingKey = container.getSigningKey();
const verificationKey = container.getVerificationKey();
The signingKey
can be used when configuring the container to sign outgoing events. The verificationKey
can be passed to verifySignature
when verifying events read from the database.
In case you need to set up the client yourself, use the following functions to get details on the container:
getHost()
returns the host namegetMappedPort()
returns the portgetBaseUrl()
returns the full URL of the containergetApiToken()
returns the API token