switch to nx monorepo

This commit is contained in:
Philipinho
2024-01-09 18:58:26 +01:00
parent e1bb2632b8
commit 093e634c0b
273 changed files with 11419 additions and 31 deletions

View File

@ -0,0 +1,34 @@
import { Extension, onAuthenticatePayload } from '@hocuspocus/server';
import { UserService } from '../../core/user/user.service';
import { Injectable, UnauthorizedException } from '@nestjs/common';
import { TokenService } from '../../core/auth/services/token.service';
@Injectable()
export class AuthenticationExtension implements Extension {
constructor(
private tokenService: TokenService,
private userService: UserService,
) {}
async onAuthenticate(data: onAuthenticatePayload) {
const { documentName, token } = data;
let jwtPayload = null;
try {
jwtPayload = await this.tokenService.verifyJwt(token);
} catch (error) {
throw new UnauthorizedException('Could not verify jwt token');
}
const userId = jwtPayload.sub;
const user = await this.userService.findById(userId);
//TODO: Check if the page exists and verify user permissions for page.
// if all fails, abort connection
return {
user,
};
}
}

View File

@ -0,0 +1,64 @@
import {
Extension,
onChangePayload,
onDisconnectPayload,
} from '@hocuspocus/server';
import { Injectable } from '@nestjs/common';
import { PageService } from '../../core/page/services/page.service';
import { PageHistoryService } from '../../core/page/services/page-history.service';
@Injectable()
export class HistoryExtension implements Extension {
ACTIVE_EDITING_INTERVAL = 10 * 60 * 1000; // 10 minutes
historyIntervalMap = new Map<string, NodeJS.Timeout>();
lastEditTimeMap = new Map<string, number>();
constructor(
private readonly pageService: PageService,
private readonly pageHistoryService: PageHistoryService,
) {}
async onChange(data: onChangePayload): Promise<void> {
const pageId = data.documentName;
this.lastEditTimeMap.set(pageId, Date.now());
if (!this.historyIntervalMap.has(pageId)) {
const historyInterval = setInterval(() => {
if (this.isActiveEditing(pageId)) {
this.recordHistory(pageId);
}
}, this.ACTIVE_EDITING_INTERVAL);
this.historyIntervalMap.set(pageId, historyInterval);
}
}
async onDisconnect(data: onDisconnectPayload): Promise<void> {
const pageId = data.documentName;
if (data.clientsCount === 0) {
if (this.historyIntervalMap.has(pageId)) {
clearInterval(this.historyIntervalMap.get(pageId));
this.historyIntervalMap.delete(pageId);
this.lastEditTimeMap.delete(pageId);
}
}
}
isActiveEditing(pageId: string): boolean {
const lastEditTime = this.lastEditTimeMap.get(pageId);
if (!lastEditTime) {
return false;
}
return Date.now() - lastEditTime < this.ACTIVE_EDITING_INTERVAL;
}
async recordHistory(pageId: string) {
try {
const page = await this.pageService.findWithContent(pageId);
// Todo: compare if data is the same as the previous version
await this.pageHistoryService.saveHistory(page);
console.log(`New history created for: ${pageId}`);
} catch (err) {
console.error('An error occurred saving page history', err);
}
}
}

View File

@ -0,0 +1,68 @@
import {
Extension,
onLoadDocumentPayload,
onStoreDocumentPayload,
} from '@hocuspocus/server';
import * as Y from 'yjs';
import { PageService } from '../../core/page/services/page.service';
import { Injectable } from '@nestjs/common';
import { TiptapTransformer } from '@hocuspocus/transformer';
@Injectable()
export class PersistenceExtension implements Extension {
constructor(private readonly pageService: PageService) {}
async onLoadDocument(data: onLoadDocumentPayload) {
const { documentName, document } = data;
const pageId = documentName;
if (!document.isEmpty('default')) {
return;
}
const page = await this.pageService.findWithAllFields(pageId);
if (!page) {
console.log('page does not exist.');
//TODO: terminate connection if the page does not exist?
return;
}
if (page.ydoc) {
console.log('ydoc loaded from db');
const doc = new Y.Doc();
const dbState = new Uint8Array(page.ydoc);
Y.applyUpdate(doc, dbState);
return doc;
}
// if no ydoc state in db convert json in page.content to Ydoc.
if (page.content) {
console.log('converting json to ydoc');
const ydoc = TiptapTransformer.toYdoc(page.content, 'default');
Y.encodeStateAsUpdate(ydoc);
return ydoc;
}
console.log('creating fresh ydoc');
return new Y.Doc();
}
async onStoreDocument(data: onStoreDocumentPayload) {
const { documentName, document, context } = data;
const pageId = documentName;
const tiptapJson = TiptapTransformer.fromYdoc(document, 'default');
const ydocState = Buffer.from(Y.encodeStateAsUpdate(document));
try {
await this.pageService.updateState(pageId, tiptapJson, ydocState);
} catch (err) {
console.error(`Failed to update page ${documentName}`);
}
}
}