1
0
mirror of https://github.com/Unleash/unleash.git synced 2025-01-20 00:08:02 +01:00

1-1049 Emit events after db transaction is complete (#4174)

This PR fixes an issue where events generated during a db transaction
would get published before the transaction was complete. This caused
errors in some of our services that expected the data to be stored
before the transaction had been commited. Refer to [linear issue
1-1049](https://linear.app/unleash/issue/1-1049/event-emitter-should-emit-events-after-db-transaction-is-commited-not)
for more info.

Fixes 1-1049.

## Changes

The most important change here is that the `eventStore` no longer emits
events when they happen (because that can be in the middle of a
transaction). Instead, events are stored with a new `announced` column.
The new event announcer service runs on a schedule (every second) and
publishes any new events that have not been published.

Parts of the code have largely been lifted from the
`client-application-store`, which uses a similar logic.

I have kept the emitting of the event within the event store because a
lot of other services listen to events from this store, so removing that
would require a large rewrite. It's something we could look into down
the line, but it seems like too much of a change to do right now.

## Discussion

### Terminology:

Published vs announced? We should settle on one or the other. Announced
is consistent with the client-application store, but published sounds
more fitting for events.

### Publishing and marking events as published

The current implementation fetches all events that haven't been marked
as announced, sets them as announced, and then emits them. It's possible
that Unleash would crash in the interim or something else might happen,
causing the events not to get published. Maybe it would make sense to
just fetch the events and only mark them as published after the
announcement? On the other hand, that might get us into other problems.
Any thoughts on this would be much appreciated.
This commit is contained in:
Thomas Heartman 2023-07-10 08:43:22 +02:00 committed by GitHub
parent 2708247056
commit d60e505a40
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
8 changed files with 84 additions and 12 deletions

View File

@ -98,13 +98,9 @@ class EventStore implements IEventStore {
async store(event: IBaseEvent): Promise<void> {
try {
const rows = await this.db(TABLE)
await this.db(TABLE)
.insert(this.eventToDbRow(event))
.returning(EVENT_COLUMNS);
const savedEvent = this.rowToEvent(rows[0]);
process.nextTick(() =>
this.eventEmitter.emit(event.type, savedEvent),
);
} catch (error: unknown) {
this.logger.warn(`Failed to store "${event.type}" event: ${error}`);
}
@ -148,13 +144,9 @@ class EventStore implements IEventStore {
async batchStore(events: IBaseEvent[]): Promise<void> {
try {
const savedRows = await this.db(TABLE)
await this.db(TABLE)
.insert(events.map(this.eventToDbRow))
.returning(EVENT_COLUMNS);
const savedEvents = savedRows.map(this.rowToEvent);
process.nextTick(() =>
savedEvents.forEach((e) => this.eventEmitter.emit(e.type, e)),
);
} catch (error: unknown) {
this.logger.warn(`Failed to store events: ${error}`);
}
@ -411,6 +403,22 @@ class EventStore implements IEventStore {
): EventEmitter {
return this.eventEmitter.off(eventName, listener);
}
private async setUnannouncedToAnnounced(): Promise<IEvent[]> {
const rows = await this.db(TABLE)
.update({ announced: true })
.where('announced', false)
.whereNotNull('announced')
.returning(EVENT_COLUMNS);
return rows.map(this.rowToEvent);
}
async publishUnannouncedEvents(): Promise<void> {
const events = await this.setUnannouncedToAnnounced();
events.forEach((e) => this.eventEmitter.emit(e.type, e));
}
}
export default EventStore;

View File

@ -0,0 +1,22 @@
import { IUnleashConfig } from '../types/option';
import { IUnleashStores } from '../types/stores';
import { Logger } from '../logger';
import { IEventStore } from '../types/stores/event-store';
export default class EventAnnouncer {
private logger: Logger;
private eventStore: IEventStore;
constructor(
{ eventStore }: Pick<IUnleashStores, 'eventStore'>,
{ getLogger }: Pick<IUnleashConfig, 'getLogger'>,
) {
this.logger = getLogger('services/event-service.ts');
this.eventStore = eventStore;
}
async publishUnannouncedEvents(): Promise<void> {
return this.eventStore.publishUnannouncedEvents();
}
}

View File

@ -58,6 +58,7 @@ import {
} from '../features/change-request-access-service/createChangeRequestAccessReadModel';
import ConfigurationRevisionService from '../features/feature-toggle/configuration-revision-service';
import { createFeatureToggleService } from '../features';
import EventAnnouncerService from './event-announcer-service';
// TODO: will be moved to scheduler feature directory
export const scheduleServices = async (
@ -72,6 +73,7 @@ export const scheduleServices = async (
projectHealthService,
configurationRevisionService,
maintenanceService,
eventAnnouncerService,
} = services;
if (await maintenanceService.isMaintenanceMode()) {
@ -116,6 +118,13 @@ export const scheduleServices = async (
),
secondsToMilliseconds(1),
);
schedulerService.schedule(
eventAnnouncerService.publishUnannouncedEvents.bind(
eventAnnouncerService,
),
secondsToMilliseconds(1),
);
};
export const createServices = (
@ -240,10 +249,13 @@ export const createServices = (
schedulerService,
);
const eventAnnouncerService = new EventAnnouncerService(stores, config);
return {
accessService,
accountService,
addonService,
eventAnnouncerService,
featureToggleService: featureToggleServiceV2,
featureToggleServiceV2,
featureTypeService,

View File

@ -42,6 +42,7 @@ import { Knex } from 'knex';
import ExportImportService from '../features/export-import-toggles/export-import-service';
import { ISegmentService } from '../segments/segment-service-interface';
import ConfigurationRevisionService from '../features/feature-toggle/configuration-revision-service';
import EventAnnouncerService from 'lib/services/event-announcer-service';
export interface IUnleashServices {
accessService: AccessService;
@ -88,6 +89,7 @@ export interface IUnleashServices {
exportImportService: ExportImportService;
configurationRevisionService: ConfigurationRevisionService;
schedulerService: SchedulerService;
eventAnnouncerService: EventAnnouncerService;
transactionalExportImportService: (
db: Knex.Transaction,
) => ExportImportService;

View File

@ -7,6 +7,7 @@ import { IQueryOperations } from 'lib/db/event-store';
export interface IEventStore
extends Store<IEvent, number>,
Pick<EventEmitter, 'on' | 'setMaxListeners' | 'emit' | 'off'> {
publishUnannouncedEvents(): Promise<void>;
store(event: IBaseEvent): Promise<void>;
batchStore(events: IBaseEvent[]): Promise<void>;
getEvents(): Promise<IEvent[]>;

View File

@ -0,0 +1,22 @@
'use strict';
exports.up = function (db, cb) {
// mark existing events as announced, set the default to false for future events.
db.runSql(
`
ALTER TABLE events
ADD COLUMN IF NOT EXISTS "announced" BOOLEAN DEFAULT TRUE,
ALTER COLUMN "announced" SET DEFAULT FALSE;
`,
cb(),
);
};
exports.down = function (db, cb) {
db.runSql(
`
ALTER TABLE events DROP COLUMN IF EXISTS "announced";
`,
cb,
);
};

View File

@ -43,7 +43,7 @@ test('Should include id and createdAt when saving', async () => {
const seen: Array<IEvent> = [];
eventStore.on(APPLICATION_CREATED, (e) => seen.push(e));
await eventStore.store(event1);
jest.advanceTimersByTime(100);
await eventStore.publishUnannouncedEvents();
expect(seen).toHaveLength(1);
expect(seen[0].id).toBeTruthy();
expect(seen[0].createdAt).toBeTruthy();
@ -74,6 +74,7 @@ test('Should include empty tags array for new event', async () => {
// Trigger
await eventStore.store(event);
await eventStore.publishUnannouncedEvents();
return promise;
});
@ -108,7 +109,7 @@ test('Should be able to store multiple events at once', async () => {
const seen = [];
eventStore.on(APPLICATION_CREATED, (e) => seen.push(e));
await eventStore.batchStore([event1, event2, event3]);
jest.advanceTimersByTime(100);
await eventStore.publishUnannouncedEvents();
expect(seen.length).toBe(3);
seen.forEach((e) => {
expect(e.id).toBeTruthy();

View File

@ -121,6 +121,10 @@ class FakeEventStore implements IEventStore {
): EventEmitter {
return this.eventEmitter.off(eventName, listener);
}
publishUnannouncedEvents(): Promise<void> {
throw new Error('Method not implemented.');
}
}
module.exports = FakeEventStore;