feat: add fluxer upstream source and self-hosting documentation

- Clone of github.com/fluxerapp/fluxer (official upstream)
- SELF_HOSTING.md: full VM rebuild procedure, architecture overview,
  service reference, step-by-step setup, troubleshooting, seattle reference
- dev/.env.example: all env vars with secrets redacted and generation instructions
- dev/livekit.yaml: LiveKit config template with placeholder keys
- fluxer-seattle/: existing seattle deployment setup scripts
This commit is contained in:
Vish
2026-03-13 00:55:14 -07:00
parent 5ceda343b8
commit 3b9d759b4b
5859 changed files with 1923440 additions and 0 deletions

View File

@@ -0,0 +1,116 @@
/*
* Copyright (C) 2026 Fluxer Contributors
*
* This file is part of Fluxer.
*
* Fluxer is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Fluxer is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with Fluxer. If not, see <https://www.gnu.org/licenses/>.
*/
import type {ILogger} from '@fluxer/api/src/ILogger';
import {RequestCacheMiddleware} from '@fluxer/api/src/middleware/RequestCacheMiddleware';
import {ServiceMiddleware} from '@fluxer/api/src/middleware/ServiceMiddleware';
import type {HonoEnv} from '@fluxer/api/src/types/HonoEnv';
import {Validator} from '@fluxer/api/src/Validator';
import {AppErrorHandler} from '@fluxer/errors/src/domains/core/ErrorHandlers';
import type {INatsConnectionManager} from '@fluxer/nats/src/INatsConnectionManager';
import {RpcRequest} from '@fluxer/schema/src/domains/rpc/RpcSchemas';
import {Hono} from 'hono';
import {type Msg, StringCodec, type Subscription} from 'nats';
const RPC_SUBJECT = 'rpc.api';
const QUEUE_GROUP = 'api';
export class NatsApiRpcListener {
private readonly connectionManager: INatsConnectionManager;
private readonly logger: ILogger;
private readonly rpcApp: Hono<HonoEnv>;
private readonly codec = StringCodec();
private subscription: Subscription | null = null;
private running = false;
constructor(connectionManager: INatsConnectionManager, logger: ILogger) {
this.connectionManager = connectionManager;
this.logger = logger;
this.rpcApp = new Hono<HonoEnv>({strict: true});
this.rpcApp.onError(AppErrorHandler);
this.rpcApp.use(RequestCacheMiddleware);
this.rpcApp.use(ServiceMiddleware);
this.rpcApp.post('/', Validator('json', RpcRequest), async (ctx) => {
const request = ctx.req.valid('json');
const rpcService = ctx.get('rpcService');
const requestCache = ctx.get('requestCache');
const response = await rpcService.handleRpcRequest({request, requestCache});
return ctx.json(response);
});
}
async start(): Promise<void> {
await this.connectionManager.connect();
const connection = this.connectionManager.getConnection();
this.subscription = connection.subscribe(RPC_SUBJECT, {queue: QUEUE_GROUP});
this.running = true;
this.logger.info(`NATS API RPC listener started, subscribed to ${RPC_SUBJECT} with queue group ${QUEUE_GROUP}`);
this.processMessages();
}
async stop(): Promise<void> {
this.running = false;
if (this.subscription) {
this.subscription.unsubscribe();
this.subscription = null;
}
await this.connectionManager.drain();
this.logger.info('NATS API RPC listener stopped');
}
private async processMessages(): Promise<void> {
if (!this.subscription) return;
for await (const msg of this.subscription) {
if (!this.running) break;
this.handleMessage(msg).catch((error) => {
this.logger.error(
{error: error instanceof Error ? error.message : String(error)},
'NATS API RPC handler error',
);
});
}
}
private async handleMessage(msg: Msg): Promise<void> {
const payload = this.codec.decode(msg.data);
try {
const response = await this.rpcApp.request('/', {
method: 'POST',
headers: {'Content-Type': 'application/json'},
body: payload,
});
if (!msg.reply) return;
const responseBody = await response.text();
if (response.ok) {
msg.respond(this.codec.encode(responseBody));
} else {
msg.respond(this.codec.encode(JSON.stringify({_error: true, status: response.status, message: responseBody})));
}
} catch (error) {
if (!msg.reply) return;
const message = error instanceof Error ? error.message : 'internal_error';
msg.respond(this.codec.encode(JSON.stringify({_error: true, status: 500, message})));
}
}
}

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,97 @@
/*
* Copyright (C) 2026 Fluxer Contributors
*
* This file is part of Fluxer.
*
* Fluxer is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Fluxer is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with Fluxer. If not, see <https://www.gnu.org/licenses/>.
*/
import {createTestAccount} from '@fluxer/api/src/auth/tests/AuthTestUtils';
import {createGuildID} from '@fluxer/api/src/BrandedTypes';
import {GuildRepository} from '@fluxer/api/src/guild/repositories/GuildRepository';
import {createGuild} from '@fluxer/api/src/guild/tests/GuildTestUtils';
import {type ApiTestHarness, createApiTestHarness} from '@fluxer/api/src/test/ApiTestHarness';
import {HTTP_STATUS} from '@fluxer/api/src/test/TestConstants';
import {createBuilder} from '@fluxer/api/src/test/TestRequestBuilder';
import {afterEach, beforeEach, describe, expect, test} from 'vitest';
interface RpcGuildCollectionResponse {
type: 'guild_collection';
data: {
collection: 'guild';
guild: {
id: string;
};
};
}
async function setGuildMemberCount(harness: ApiTestHarness, guildId: string, memberCount: number): Promise<void> {
await createBuilder(harness, '')
.post(`/test/guilds/${guildId}/member-count`)
.body({member_count: memberCount})
.expect(HTTP_STATUS.OK)
.execute();
}
describe('RpcService guild member count repair', () => {
let harness: ApiTestHarness;
beforeEach(async () => {
harness = await createApiTestHarness();
});
afterEach(async () => {
await harness?.shutdown();
});
test('repairs guild member_count from guild_members count when fetching guild data', async () => {
const owner = await createTestAccount(harness);
const guild = await createGuild(harness, owner.token, 'RPC Guild Member Count Repair');
const guildId = createGuildID(BigInt(guild.id));
const guildRepository = new GuildRepository();
await setGuildMemberCount(harness, guild.id, 999);
const staleGuild = await guildRepository.findUnique(guildId);
expect(staleGuild).toBeTruthy();
if (!staleGuild) {
throw new Error('Expected guild to exist before RPC member_count repair');
}
expect(staleGuild.memberCount).toBe(999);
const rpcResponse = await createBuilder<RpcGuildCollectionResponse>(harness, '')
.post('/test/rpc-session-init')
.body({
type: 'guild_collection',
guild_id: guild.id,
collection: 'guild',
})
.expect(HTTP_STATUS.OK)
.execute();
expect(rpcResponse.type).toBe('guild_collection');
expect(rpcResponse.data.collection).toBe('guild');
expect(rpcResponse.data.guild.id).toBe(guild.id);
const repairedGuild = await guildRepository.findUnique(guildId);
expect(repairedGuild).toBeTruthy();
if (!repairedGuild) {
throw new Error('Expected guild to exist after RPC member_count repair');
}
const actualMemberCount = await guildRepository.countMembers(guildId);
expect(actualMemberCount).toBe(1);
expect(repairedGuild.memberCount).toBe(actualMemberCount);
});
});