optimize firebase reads

This commit is contained in:
2026-03-09 17:41:24 +01:00
parent 4141824b00
commit d81fb3743b
10 changed files with 136 additions and 49 deletions

View File

@@ -1 +1,19 @@
# wgenerator
# wgenerator
## Admin migration
If `songUsage` needs to be rebuilt from all existing shows, log in with a user that has the `admin` role and run this in the browser console:
```js
await window.wgeneratorAdmin.rebuildSongUsage()
```
The migration:
- resets `songUsage` for all users
- scans all shows and all `shows/{id}/songs` entries
- rebuilds the per-user counters based on show ownership
It returns a summary object with processed user, show and show-song counts.
This is intended as a manual one-off migration and is read-heavy by design.

View File

@@ -1,6 +1,6 @@
import {Injectable} from '@angular/core';
import {Observable} from 'rxjs';
import {map, shareReplay} from 'rxjs/operators';
import {shareReplay} from 'rxjs/operators';
import {DbService} from 'src/app/services/db.service';
import {GuestShow} from './guest-show';
@@ -18,7 +18,7 @@ export class GuestShowDataService {
public constructor(private dbService: DbService) {}
public read$: (id: string) => Observable<GuestShow | null> = (id: string): Observable<GuestShow | null> => this.list$.pipe(map(_ => _.find(s => s.id === id) || null));
public read$: (id: string) => Observable<GuestShow | null> = (id: string): Observable<GuestShow | null> => this.dbService.doc$(`${this.collection}/${id}`);
public update$: (id: string, data: Partial<GuestShow>) => Promise<void> = async (id: string, data: Partial<GuestShow>): Promise<void> =>
await this.dbService.doc(this.collection + '/' + id).update(data);
public add: (data: Partial<GuestShow>) => Promise<string> = async (data: Partial<GuestShow>): Promise<string> => (await this.dbService.col(this.collection).add(data)).id;

View File

@@ -22,10 +22,8 @@ export class ShowDataService {
public listRaw$ = () => this.dbService.col$<Show>(this.collection);
public read$ = (showId: string): Observable<Show | null> => this.list$.pipe(map(_ => _.find(s => s.id === showId) || null));
public read$ = (showId: string): Observable<Show | null> => this.dbService.doc$(`${this.collection}/${showId}`);
// public list$ = (): Observable<Show[]> => this.dbService.col$(this.collection);
// public read$ = (showId: string): Observable<Show | null> => this.dbService.doc$(`${this.collection}/${showId}`);
public update = async (showId: string, data: Partial<Show>): Promise<void> => await this.dbService.doc(`${this.collection}/${showId}`).update(data);
public add = async (data: Partial<Show>): Promise<string> => (await this.dbService.col(this.collection).add(data)).id;
}

View File

@@ -2,7 +2,7 @@ import {Injectable} from '@angular/core';
import {Song} from './song';
import {Observable} from 'rxjs';
import {DbService} from '../../../services/db.service';
import {map, shareReplay, startWith} from 'rxjs/operators';
import {shareReplay, startWith} from 'rxjs/operators';
@Injectable({
providedIn: 'root',
@@ -22,10 +22,7 @@ export class SongDataService {
// this.list$.subscribe();
}
// public list$ = (): Observable<Song[]> => this.dbService.col$(this.collection);
//public read$ = (songId: string): Observable<Song | null> => this.dbService.doc$(this.collection + '/' + songId);
public read$ = (songId: string): Observable<Song | null> => this.list$.pipe(map(_ => _.find(s => s.id === songId) || null));
public read$ = (songId: string): Observable<Song | null> => this.dbService.doc$(this.collection + '/' + songId);
public update$ = async (songId: string, data: Partial<Song>): Promise<void> => await this.dbService.doc(this.collection + '/' + songId).update(data);
public add = async (data: Partial<Song>): Promise<string> => (await this.dbService.col(this.collection).add(data)).id;
public delete = async (songId: string): Promise<void> => await this.dbService.doc(this.collection + '/' + songId).delete();

View File

@@ -28,8 +28,7 @@
<div *ngIf="song.artist">Künstler: {{ song.artist }}</div>
<div *ngIf="song.label">Verlag: {{ song.label }}</div>
<div *ngIf="song.origin">Quelle: {{ song.origin }}</div>
<div *ngIf="song.origin">Quelle: {{ song.origin }}</div>
<div *ngIf="songCount$()|async as count">Wie oft verwendet: {{ count }}</div>
<div>Wie oft verwendet: {{ songCount$ | async }}</div>
</div>
</div>

View File

@@ -56,6 +56,7 @@ export class SongComponent implements OnInit {
public song$: Observable<Song | null> | null = null;
public files$: Observable<File[] | null> | null = null;
public user$: Observable<User | null> | null = null;
public songCount$: Observable<number> | null = null;
public faEdit = faEdit;
public faDelete = faTrash;
public faFileCirclePlus = faFileCirclePlus;
@@ -85,6 +86,17 @@ export class SongComponent implements OnInit {
map(param => param.songId),
switchMap(songId => this.fileService.read$(songId))
);
this.songCount$ = combineLatest([this.user$, this.song$]).pipe(
map(([user, song]) => {
if (!song) {
return 0;
}
return user?.songUsage?.[song.id] ?? 0;
}),
distinctUntilChanged()
);
}
public getFlags = (flags: string): string[] => {
@@ -105,12 +117,4 @@ export class SongComponent implements OnInit {
await this.showService.update$(show?.id, {order: [...show.order, newId ?? '']});
await this.router.navigateByUrl('/shows/' + show.id);
}
public songCount$ = () =>
combineLatest([this.user$, this.song$]).pipe(
map(([user, song]) => {
return user.songUsage[song.id];
}),
distinctUntilChanged()
);
}

View File

@@ -2,13 +2,21 @@ import {Injectable} from '@angular/core';
import {DbService} from './db.service';
import {firstValueFrom, Observable} from 'rxjs';
import {Config} from './config';
import {shareReplay} from 'rxjs/operators';
@Injectable({
providedIn: 'root',
})
export class ConfigService {
private readonly config$ = this.db.doc$<Config>('global/config').pipe(
shareReplay({
bufferSize: 1,
refCount: true,
})
);
public constructor(private db: DbService) {}
public get$ = (): Observable<Config | null> => this.db.doc$<Config>('global/config');
public get$ = (): Observable<Config | null> => this.config$;
public get = (): Promise<Config | null> => firstValueFrom(this.get$());
}

View File

@@ -8,15 +8,17 @@ import {shareReplay} from 'rxjs/operators';
providedIn: 'root',
})
export class GlobalSettingsService {
private readonly settings$ = this.db.doc$<GlobalSettings>('global/static').pipe(
shareReplay({
bufferSize: 1,
refCount: true,
})
);
public constructor(private db: DbService) {}
public get get$(): Observable<GlobalSettings | null> {
return this.db.doc$<GlobalSettings>('global/static').pipe(
shareReplay({
bufferSize: 1,
refCount: true,
})
);
return this.settings$;
}
public async set(data: Partial<GlobalSettings>): Promise<void> {

View File

@@ -1,13 +1,20 @@
import {Injectable} from '@angular/core';
import {AngularFireAuth} from '@angular/fire/compat/auth';
import {BehaviorSubject, firstValueFrom, Observable} from 'rxjs';
import {filter, map, shareReplay, switchMap, tap} from 'rxjs/operators';
import {filter, map, shareReplay, switchMap, take, tap} from 'rxjs/operators';
import {User} from './user';
import {DbService} from '../db.service';
import {environment} from '../../../environments/environment';
import {Router} from '@angular/router';
import {ShowDataService} from '../../modules/shows/services/show-data.service';
import {ShowSongDataService} from '../../modules/shows/services/show-song-data.service';
import firebase from 'firebase/compat/app';
export interface SongUsageMigrationResult {
usersProcessed: number;
showsProcessed: number;
showSongsProcessed: number;
}
@Injectable({
providedIn: 'root',
@@ -51,6 +58,7 @@ export class UserService {
const aUser = await this.afAuth.signInWithEmailAndPassword(user, password);
if (!aUser.user) return null;
const dUser = await this.readUser(aUser.user.uid);
if (!dUser) return null;
await this.initSongUsage(dUser);
this.iUser$.next(dUser);
this.iUserId$.next(aUser.user.uid);
@@ -81,8 +89,9 @@ export class UserService {
const aUser = await this.afAuth.createUserWithEmailAndPassword(user, password);
if (!aUser.user) return;
const userId = aUser.user.uid;
await this.db.doc('users/' + userId).set({name, chordMode: 'onlyFirst'});
await this.db.doc('users/' + userId).set({name, chordMode: 'onlyFirst', songUsage: {}});
const dUser = await this.readUser(aUser.user.uid);
if (!dUser) return;
this.iUser$.next(dUser);
await this.router.navigateByUrl('/brand/new-user');
}
@@ -90,35 +99,71 @@ export class UserService {
public incSongCount = (songId: string) => this.updateSongUsage(songId, 1);
public decSongCount = (songId: string) => this.updateSongUsage(songId, -1);
public async rebuildSongUsage(): Promise<SongUsageMigrationResult> {
const currentUser = await firstValueFrom(this.iUser$.pipe(take(1)));
if (!currentUser || !this.hasAdminRole(currentUser.role)) {
throw new Error('Admin role required to rebuild songUsage.');
}
const [users, shows] = await Promise.all([firstValueFrom(this.users$), firstValueFrom(this.showDataService.listRaw$())]);
const songUsageByUserId: Record<string, Record<string, number>> = {};
users.forEach(user => {
songUsageByUserId[user.id] = {};
});
let showSongsProcessed = 0;
for (const show of shows) {
const ownerId = show.owner;
if (!ownerId) {
continue;
}
const showSongs = await firstValueFrom(this.showSongDataService.list$(show.id));
const usage = songUsageByUserId[ownerId] ?? {};
songUsageByUserId[ownerId] = usage;
for (const showSong of showSongs) {
showSongsProcessed += 1;
usage[showSong.songId] = (usage[showSong.songId] ?? 0) + 1;
}
}
await Promise.all(
users.map(user =>
this.update$(user.id, {
songUsage: songUsageByUserId[user.id] ?? {},
})
)
);
return {
usersProcessed: users.length,
showsProcessed: shows.length,
showSongsProcessed,
};
}
private async updateSongUsage(songId: string, direction: number) {
const user = await firstValueFrom(this.user$);
if (!user) return null;
const songUsage = user?.songUsage ?? {};
let currentSongCount = songUsage[songId];
if (currentSongCount === null || currentSongCount === undefined) currentSongCount = 0;
else currentSongCount = currentSongCount + direction;
songUsage[songId] = Math.max(0, currentSongCount);
await this.update$(user.id, {songUsage});
await this.db.doc<User>('users/' + user.id).update({
[`songUsage.${songId}`]: firebase.firestore.FieldValue.increment(direction),
});
}
private async initSongUsage(user: User) {
if (user.songUsage) return;
await this.update$(user.id, {songUsage: {}});
}
const shows = await firstValueFrom(this.showDataService.listRaw$());
const myShows = shows.filter(show => show.owner === user.id);
const songUsage: {[songId: string]: number} = {};
for (const show of myShows) {
const showSongs = await firstValueFrom(this.showSongDataService.list$(show.id));
for (const showSong of showSongs) {
const current = songUsage[showSong.songId] ?? 0;
songUsage[showSong.songId] = current + 1;
}
private hasAdminRole(role: string | null | undefined): boolean {
if (!role) {
return false;
}
await this.update$(user.id, {songUsage});
return;
return role.split(';').includes('admin');
}
private readUser$ = (uid: string) => this.db.doc$<User>('users/' + uid);

View File

@@ -16,6 +16,15 @@ import {FontAwesomeModule} from '@fortawesome/angular-fontawesome';
import {AppComponent} from './app/app.component';
import {provideFirebaseApp, initializeApp} from '@angular/fire/app';
import {provideFirestore, getFirestore} from '@angular/fire/firestore';
import {UserService} from './app/services/user/user.service';
declare global {
interface Window {
wgeneratorAdmin?: {
rebuildSongUsage(): Promise<unknown>;
};
}
}
if (environment.production) {
enableProdMode();
@@ -42,4 +51,11 @@ bootstrapApplication(AppComponent, {
{provide: MAT_DATE_LOCALE, useValue: 'de-DE'},
provideAnimations(),
],
}).catch(err => console.error(err));
})
.then(appRef => {
const userService = appRef.injector.get(UserService);
window.wgeneratorAdmin = {
rebuildSongUsage: () => userService.rebuildSongUsage(),
};
})
.catch(err => console.error(err));