Compare commits
3 Commits
db747c4f7a
...
6793460d31
| Author | SHA1 | Date | |
|---|---|---|---|
| 6793460d31 | |||
| 4dfefadc9e | |||
| 114d6ff2f5 |
@@ -9,6 +9,9 @@ DATABASE_URL="postgresql://postgres:postgres@localhost:5432/friendolls_dev?schem
|
|||||||
# Redis
|
# Redis
|
||||||
REDIS_HOST=localhost
|
REDIS_HOST=localhost
|
||||||
REDIS_PORT=6379
|
REDIS_PORT=6379
|
||||||
|
REDIS_REQUIRED=false
|
||||||
|
REDIS_CONNECT_TIMEOUT_MS=5000
|
||||||
|
REDIS_STARTUP_RETRIES=10
|
||||||
|
|
||||||
# JWT Configuration
|
# JWT Configuration
|
||||||
JWT_SECRET=replace-with-strong-random-secret
|
JWT_SECRET=replace-with-strong-random-secret
|
||||||
|
|||||||
@@ -12,13 +12,24 @@ import { RedisModule } from './database/redis.module';
|
|||||||
import { WsModule } from './ws/ws.module';
|
import { WsModule } from './ws/ws.module';
|
||||||
import { FriendsModule } from './friends/friends.module';
|
import { FriendsModule } from './friends/friends.module';
|
||||||
import { DollsModule } from './dolls/dolls.module';
|
import { DollsModule } from './dolls/dolls.module';
|
||||||
|
import { parseRedisRequired } from './common/config/env.utils';
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Validates required environment variables.
|
* Validates required environment variables.
|
||||||
* Throws an error if any required variables are missing or invalid.
|
* Throws an error if any required variables are missing or invalid.
|
||||||
* Returns the validated config.
|
* Returns the validated config.
|
||||||
*/
|
*/
|
||||||
function validateEnvironment(config: Record<string, any>): Record<string, any> {
|
function getOptionalEnvString(
|
||||||
|
config: Record<string, unknown>,
|
||||||
|
key: string,
|
||||||
|
): string | undefined {
|
||||||
|
const value = config[key];
|
||||||
|
return typeof value === 'string' ? value : undefined;
|
||||||
|
}
|
||||||
|
|
||||||
|
function validateEnvironment(
|
||||||
|
config: Record<string, unknown>,
|
||||||
|
): Record<string, unknown> {
|
||||||
const requiredVars = ['JWT_SECRET', 'DATABASE_URL'];
|
const requiredVars = ['JWT_SECRET', 'DATABASE_URL'];
|
||||||
|
|
||||||
const missingVars = requiredVars.filter((varName) => !config[varName]);
|
const missingVars = requiredVars.filter((varName) => !config[varName]);
|
||||||
@@ -30,10 +41,44 @@ function validateEnvironment(config: Record<string, any>): Record<string, any> {
|
|||||||
}
|
}
|
||||||
|
|
||||||
// Validate PORT if provided
|
// Validate PORT if provided
|
||||||
if (config.PORT && isNaN(Number(config.PORT))) {
|
if (config.PORT !== undefined && !Number.isFinite(Number(config.PORT))) {
|
||||||
throw new Error('PORT must be a valid number');
|
throw new Error('PORT must be a valid number');
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if (config.NODE_ENV === 'production') {
|
||||||
|
if (
|
||||||
|
typeof config.JWT_SECRET !== 'string' ||
|
||||||
|
config.JWT_SECRET.length < 32
|
||||||
|
) {
|
||||||
|
throw new Error(
|
||||||
|
'JWT_SECRET must be at least 32 characters in production',
|
||||||
|
);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const redisRequired = parseRedisRequired({
|
||||||
|
nodeEnv: getOptionalEnvString(config, 'NODE_ENV'),
|
||||||
|
redisRequired: getOptionalEnvString(config, 'REDIS_REQUIRED'),
|
||||||
|
});
|
||||||
|
|
||||||
|
if (redisRequired && !config.REDIS_HOST) {
|
||||||
|
throw new Error(
|
||||||
|
'REDIS_REQUIRED is enabled but REDIS_HOST is not configured',
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
const redisConnectTimeout = getOptionalEnvString(
|
||||||
|
config,
|
||||||
|
'REDIS_CONNECT_TIMEOUT_MS',
|
||||||
|
);
|
||||||
|
if (
|
||||||
|
redisConnectTimeout !== undefined &&
|
||||||
|
(!Number.isFinite(Number(redisConnectTimeout)) ||
|
||||||
|
Number(redisConnectTimeout) <= 0)
|
||||||
|
) {
|
||||||
|
throw new Error('REDIS_CONNECT_TIMEOUT_MS must be a positive number');
|
||||||
|
}
|
||||||
|
|
||||||
validateOptionalProvider(config, 'GOOGLE');
|
validateOptionalProvider(config, 'GOOGLE');
|
||||||
validateOptionalProvider(config, 'DISCORD');
|
validateOptionalProvider(config, 'DISCORD');
|
||||||
|
|
||||||
@@ -41,7 +86,7 @@ function validateEnvironment(config: Record<string, any>): Record<string, any> {
|
|||||||
}
|
}
|
||||||
|
|
||||||
function validateOptionalProvider(
|
function validateOptionalProvider(
|
||||||
config: Record<string, any>,
|
config: Record<string, unknown>,
|
||||||
provider: 'GOOGLE' | 'DISCORD',
|
provider: 'GOOGLE' | 'DISCORD',
|
||||||
): void {
|
): void {
|
||||||
const vars = [
|
const vars = [
|
||||||
|
|||||||
66
src/common/config/env.utils.ts
Normal file
66
src/common/config/env.utils.ts
Normal file
@@ -0,0 +1,66 @@
|
|||||||
|
export function parseBoolean(
|
||||||
|
value: string | undefined,
|
||||||
|
fallback: boolean,
|
||||||
|
): boolean {
|
||||||
|
if (value === undefined) {
|
||||||
|
return fallback;
|
||||||
|
}
|
||||||
|
|
||||||
|
const normalized = value.trim().toLowerCase();
|
||||||
|
if (['true', '1', 'yes', 'y', 'on'].includes(normalized)) {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (['false', '0', 'no', 'n', 'off'].includes(normalized)) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
return fallback;
|
||||||
|
}
|
||||||
|
|
||||||
|
export function parsePositiveInteger(
|
||||||
|
value: string | undefined,
|
||||||
|
fallback: number,
|
||||||
|
): number {
|
||||||
|
if (!value) {
|
||||||
|
return fallback;
|
||||||
|
}
|
||||||
|
|
||||||
|
const parsed = Number(value);
|
||||||
|
if (!Number.isFinite(parsed) || parsed <= 0) {
|
||||||
|
return fallback;
|
||||||
|
}
|
||||||
|
|
||||||
|
return Math.floor(parsed);
|
||||||
|
}
|
||||||
|
|
||||||
|
export function parseCsvList(value: string | undefined): string[] {
|
||||||
|
if (!value) {
|
||||||
|
return [];
|
||||||
|
}
|
||||||
|
|
||||||
|
return value
|
||||||
|
.split(',')
|
||||||
|
.map((item) => item.trim())
|
||||||
|
.filter((item) => item.length > 0);
|
||||||
|
}
|
||||||
|
|
||||||
|
export function isLikelyHttpOrigin(origin: string): boolean {
|
||||||
|
try {
|
||||||
|
const parsed = new URL(origin);
|
||||||
|
return parsed.protocol === 'http:' || parsed.protocol === 'https:';
|
||||||
|
} catch {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function parseRedisRequired(config: {
|
||||||
|
nodeEnv?: string;
|
||||||
|
redisRequired?: string;
|
||||||
|
}): boolean {
|
||||||
|
if (config.redisRequired === undefined) {
|
||||||
|
return config.nodeEnv === 'production';
|
||||||
|
}
|
||||||
|
|
||||||
|
return parseBoolean(config.redisRequired, false);
|
||||||
|
}
|
||||||
@@ -1,47 +1,132 @@
|
|||||||
import { Module, Global, Logger } from '@nestjs/common';
|
import {
|
||||||
|
Inject,
|
||||||
|
Injectable,
|
||||||
|
Logger,
|
||||||
|
Module,
|
||||||
|
Global,
|
||||||
|
OnModuleDestroy,
|
||||||
|
} from '@nestjs/common';
|
||||||
import { ConfigService } from '@nestjs/config';
|
import { ConfigService } from '@nestjs/config';
|
||||||
import Redis from 'ioredis';
|
import Redis from 'ioredis';
|
||||||
|
import {
|
||||||
|
parsePositiveInteger,
|
||||||
|
parseRedisRequired,
|
||||||
|
} from '../common/config/env.utils';
|
||||||
|
|
||||||
export const REDIS_CLIENT = 'REDIS_CLIENT';
|
export const REDIS_CLIENT = 'REDIS_CLIENT';
|
||||||
export const REDIS_SUBSCRIBER_CLIENT = 'REDIS_SUBSCRIBER_CLIENT';
|
export const REDIS_SUBSCRIBER_CLIENT = 'REDIS_SUBSCRIBER_CLIENT';
|
||||||
|
|
||||||
|
const DEFAULT_REDIS_STARTUP_RETRIES = 10;
|
||||||
|
|
||||||
|
@Injectable()
|
||||||
|
class RedisLifecycleService implements OnModuleDestroy {
|
||||||
|
private readonly logger = new Logger(RedisLifecycleService.name);
|
||||||
|
|
||||||
|
constructor(
|
||||||
|
@Inject(REDIS_CLIENT) private readonly redisClient: Redis | null,
|
||||||
|
@Inject(REDIS_SUBSCRIBER_CLIENT)
|
||||||
|
private readonly redisSubscriber: Redis | null,
|
||||||
|
) {}
|
||||||
|
|
||||||
|
async onModuleDestroy(): Promise<void> {
|
||||||
|
const clients = [this.redisClient, this.redisSubscriber].filter(
|
||||||
|
(client): client is Redis => client !== null,
|
||||||
|
);
|
||||||
|
|
||||||
|
if (clients.length === 0) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
await Promise.all(
|
||||||
|
clients.map(async (client) => {
|
||||||
|
try {
|
||||||
|
await client.quit();
|
||||||
|
} catch (error) {
|
||||||
|
this.logger.warn(
|
||||||
|
'Redis quit failed, forcing disconnect',
|
||||||
|
error as Error,
|
||||||
|
);
|
||||||
|
client.disconnect();
|
||||||
|
}
|
||||||
|
}),
|
||||||
|
);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
@Global()
|
@Global()
|
||||||
@Module({
|
@Module({
|
||||||
providers: [
|
providers: [
|
||||||
{
|
{
|
||||||
provide: REDIS_CLIENT,
|
provide: REDIS_CLIENT,
|
||||||
useFactory: (configService: ConfigService) => {
|
useFactory: async (configService: ConfigService) => {
|
||||||
const logger = new Logger('RedisModule');
|
const logger = new Logger('RedisModule');
|
||||||
const host = configService.get<string>('REDIS_HOST');
|
const host = configService.get<string>('REDIS_HOST');
|
||||||
const port = configService.get<number>('REDIS_PORT');
|
const port = parsePositiveInteger(
|
||||||
const password = configService.get<string>('REDIS_PASSWORD');
|
configService.get<string>('REDIS_PORT'),
|
||||||
|
6379,
|
||||||
// Fallback or "disabled" mode if no host is provided
|
|
||||||
if (!host) {
|
|
||||||
logger.warn(
|
|
||||||
'REDIS_HOST not defined. Redis features will be disabled or fall back to local memory.',
|
|
||||||
);
|
);
|
||||||
|
const password = configService.get<string>('REDIS_PASSWORD');
|
||||||
|
const connectTimeout = parsePositiveInteger(
|
||||||
|
configService.get<string>('REDIS_CONNECT_TIMEOUT_MS'),
|
||||||
|
5000,
|
||||||
|
);
|
||||||
|
const redisRequired = parseRedisRequired({
|
||||||
|
nodeEnv: configService.get<string>('NODE_ENV'),
|
||||||
|
redisRequired: configService.get<string>('REDIS_REQUIRED'),
|
||||||
|
});
|
||||||
|
const startupRetries = parsePositiveInteger(
|
||||||
|
configService.get<string>('REDIS_STARTUP_RETRIES'),
|
||||||
|
DEFAULT_REDIS_STARTUP_RETRIES,
|
||||||
|
);
|
||||||
|
|
||||||
|
if (!host) {
|
||||||
|
if (redisRequired) {
|
||||||
|
throw new Error(
|
||||||
|
'REDIS_REQUIRED is enabled but REDIS_HOST is not configured',
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
logger.warn('REDIS_HOST not defined. Redis features are disabled.');
|
||||||
return null;
|
return null;
|
||||||
}
|
}
|
||||||
|
|
||||||
const client = new Redis({
|
const client = new Redis({
|
||||||
host,
|
host,
|
||||||
port: port || 6379,
|
port,
|
||||||
password: password,
|
password,
|
||||||
// Retry strategy: keep trying to reconnect
|
lazyConnect: true,
|
||||||
|
connectTimeout,
|
||||||
|
maxRetriesPerRequest: 1,
|
||||||
|
enableOfflineQueue: false,
|
||||||
retryStrategy(times) {
|
retryStrategy(times) {
|
||||||
|
if (times > startupRetries) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
const delay = Math.min(times * 50, 2000);
|
const delay = Math.min(times * 50, 2000);
|
||||||
return delay;
|
return delay;
|
||||||
},
|
},
|
||||||
});
|
});
|
||||||
|
|
||||||
client.on('error', (err) => {
|
client.on('connect', () => {
|
||||||
logger.error('Redis connection error', err);
|
logger.log(`Connected to Redis at ${host}:${port}`);
|
||||||
});
|
});
|
||||||
|
|
||||||
client.on('connect', () => {
|
try {
|
||||||
logger.log(`Connected to Redis at ${host}:${port || 6379}`);
|
await client.connect();
|
||||||
});
|
await client.ping();
|
||||||
|
} catch {
|
||||||
|
client.disconnect();
|
||||||
|
|
||||||
|
if (redisRequired) {
|
||||||
|
throw new Error(
|
||||||
|
`Failed to connect to required Redis at ${host}:${port}`,
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
logger.warn('Redis connection failed; Redis features are disabled.');
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
return client;
|
return client;
|
||||||
},
|
},
|
||||||
@@ -49,11 +134,26 @@ export const REDIS_SUBSCRIBER_CLIENT = 'REDIS_SUBSCRIBER_CLIENT';
|
|||||||
},
|
},
|
||||||
{
|
{
|
||||||
provide: REDIS_SUBSCRIBER_CLIENT,
|
provide: REDIS_SUBSCRIBER_CLIENT,
|
||||||
useFactory: (configService: ConfigService) => {
|
useFactory: async (configService: ConfigService) => {
|
||||||
const logger = new Logger('RedisSubscriberModule');
|
const logger = new Logger('RedisSubscriberModule');
|
||||||
const host = configService.get<string>('REDIS_HOST');
|
const host = configService.get<string>('REDIS_HOST');
|
||||||
const port = configService.get<number>('REDIS_PORT');
|
const port = parsePositiveInteger(
|
||||||
|
configService.get<string>('REDIS_PORT'),
|
||||||
|
6379,
|
||||||
|
);
|
||||||
const password = configService.get<string>('REDIS_PASSWORD');
|
const password = configService.get<string>('REDIS_PASSWORD');
|
||||||
|
const connectTimeout = parsePositiveInteger(
|
||||||
|
configService.get<string>('REDIS_CONNECT_TIMEOUT_MS'),
|
||||||
|
5000,
|
||||||
|
);
|
||||||
|
const redisRequired = parseRedisRequired({
|
||||||
|
nodeEnv: configService.get<string>('NODE_ENV'),
|
||||||
|
redisRequired: configService.get<string>('REDIS_REQUIRED'),
|
||||||
|
});
|
||||||
|
const startupRetries = parsePositiveInteger(
|
||||||
|
configService.get<string>('REDIS_STARTUP_RETRIES'),
|
||||||
|
DEFAULT_REDIS_STARTUP_RETRIES,
|
||||||
|
);
|
||||||
|
|
||||||
if (!host) {
|
if (!host) {
|
||||||
return null;
|
return null;
|
||||||
@@ -61,9 +161,17 @@ export const REDIS_SUBSCRIBER_CLIENT = 'REDIS_SUBSCRIBER_CLIENT';
|
|||||||
|
|
||||||
const client = new Redis({
|
const client = new Redis({
|
||||||
host,
|
host,
|
||||||
port: port || 6379,
|
port,
|
||||||
password: password,
|
password,
|
||||||
|
lazyConnect: true,
|
||||||
|
connectTimeout,
|
||||||
|
maxRetriesPerRequest: 1,
|
||||||
|
enableOfflineQueue: false,
|
||||||
retryStrategy(times) {
|
retryStrategy(times) {
|
||||||
|
if (times > startupRetries) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
const delay = Math.min(times * 50, 2000);
|
const delay = Math.min(times * 50, 2000);
|
||||||
return delay;
|
return delay;
|
||||||
},
|
},
|
||||||
@@ -82,10 +190,29 @@ export const REDIS_SUBSCRIBER_CLIENT = 'REDIS_SUBSCRIBER_CLIENT';
|
|||||||
logger.error('Redis subscriber connection error', err);
|
logger.error('Redis subscriber connection error', err);
|
||||||
});
|
});
|
||||||
|
|
||||||
|
try {
|
||||||
|
await client.connect();
|
||||||
|
await client.ping();
|
||||||
|
} catch {
|
||||||
|
client.disconnect();
|
||||||
|
|
||||||
|
if (redisRequired) {
|
||||||
|
throw new Error(
|
||||||
|
`Failed to connect to required Redis subscriber at ${host}:${port}`,
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
logger.warn(
|
||||||
|
'Redis subscriber connection failed; cross-instance subscriptions are disabled.',
|
||||||
|
);
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
return client;
|
return client;
|
||||||
},
|
},
|
||||||
inject: [ConfigService],
|
inject: [ConfigService],
|
||||||
},
|
},
|
||||||
|
RedisLifecycleService,
|
||||||
],
|
],
|
||||||
exports: [REDIS_CLIENT, REDIS_SUBSCRIBER_CLIENT],
|
exports: [REDIS_CLIENT, REDIS_SUBSCRIBER_CLIENT],
|
||||||
})
|
})
|
||||||
|
|||||||
2
src/types/socket.d.ts
vendored
2
src/types/socket.d.ts
vendored
@@ -11,5 +11,7 @@ export type AuthenticatedSocket = BaseSocket<
|
|||||||
userId?: string;
|
userId?: string;
|
||||||
activeDollId?: string | null;
|
activeDollId?: string | null;
|
||||||
friends?: Set<string>; // Set of friend user IDs
|
friends?: Set<string>; // Set of friend user IDs
|
||||||
|
senderName?: string;
|
||||||
|
senderNameCachedAt?: number;
|
||||||
}
|
}
|
||||||
>;
|
>;
|
||||||
|
|||||||
@@ -4,10 +4,18 @@ import { createAdapter } from '@socket.io/redis-adapter';
|
|||||||
import Redis from 'ioredis';
|
import Redis from 'ioredis';
|
||||||
import { ConfigService } from '@nestjs/config';
|
import { ConfigService } from '@nestjs/config';
|
||||||
import { INestApplicationContext, Logger } from '@nestjs/common';
|
import { INestApplicationContext, Logger } from '@nestjs/common';
|
||||||
|
import {
|
||||||
|
parsePositiveInteger,
|
||||||
|
parseRedisRequired,
|
||||||
|
} from '../common/config/env.utils';
|
||||||
|
|
||||||
|
const DEFAULT_REDIS_STARTUP_RETRIES = 10;
|
||||||
|
|
||||||
export class RedisIoAdapter extends IoAdapter {
|
export class RedisIoAdapter extends IoAdapter {
|
||||||
private adapterConstructor: ReturnType<typeof createAdapter>;
|
private adapterConstructor: ReturnType<typeof createAdapter>;
|
||||||
private readonly logger = new Logger(RedisIoAdapter.name);
|
private readonly logger = new Logger(RedisIoAdapter.name);
|
||||||
|
private pubClient: Redis | null = null;
|
||||||
|
private subClient: Redis | null = null;
|
||||||
|
|
||||||
constructor(
|
constructor(
|
||||||
private app: INestApplicationContext,
|
private app: INestApplicationContext,
|
||||||
@@ -18,41 +26,63 @@ export class RedisIoAdapter extends IoAdapter {
|
|||||||
|
|
||||||
async connectToRedis(): Promise<void> {
|
async connectToRedis(): Promise<void> {
|
||||||
const host = this.configService.get<string>('REDIS_HOST');
|
const host = this.configService.get<string>('REDIS_HOST');
|
||||||
const port = this.configService.get<number>('REDIS_PORT');
|
const port = parsePositiveInteger(
|
||||||
|
this.configService.get<string>('REDIS_PORT'),
|
||||||
|
6379,
|
||||||
|
);
|
||||||
const password = this.configService.get<string>('REDIS_PASSWORD');
|
const password = this.configService.get<string>('REDIS_PASSWORD');
|
||||||
|
const startupRetries = parsePositiveInteger(
|
||||||
|
this.configService.get<string>('REDIS_STARTUP_RETRIES'),
|
||||||
|
DEFAULT_REDIS_STARTUP_RETRIES,
|
||||||
|
);
|
||||||
|
const redisRequired = parseRedisRequired({
|
||||||
|
nodeEnv: this.configService.get<string>('NODE_ENV'),
|
||||||
|
redisRequired: this.configService.get<string>('REDIS_REQUIRED'),
|
||||||
|
});
|
||||||
|
|
||||||
// Only set up Redis adapter if host is configured
|
|
||||||
if (!host) {
|
if (!host) {
|
||||||
|
if (redisRequired) {
|
||||||
|
throw new Error(
|
||||||
|
'REDIS_REQUIRED is enabled but REDIS_HOST is not configured',
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
this.logger.log('Redis adapter disabled (REDIS_HOST not set)');
|
this.logger.log('Redis adapter disabled (REDIS_HOST not set)');
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
this.logger.log(`Connecting Redis adapter to ${host}:${port || 6379}`);
|
this.logger.log(`Connecting Redis adapter to ${host}:${port}`);
|
||||||
|
|
||||||
try {
|
try {
|
||||||
|
const connectTimeout = parsePositiveInteger(
|
||||||
|
this.configService.get<string>('REDIS_CONNECT_TIMEOUT_MS'),
|
||||||
|
5000,
|
||||||
|
);
|
||||||
const pubClient = new Redis({
|
const pubClient = new Redis({
|
||||||
host,
|
host,
|
||||||
port: port || 6379,
|
port,
|
||||||
password: password,
|
password,
|
||||||
|
lazyConnect: true,
|
||||||
|
connectTimeout,
|
||||||
|
maxRetriesPerRequest: 1,
|
||||||
|
enableOfflineQueue: false,
|
||||||
retryStrategy(times) {
|
retryStrategy(times) {
|
||||||
// Retry connecting but don't crash if Redis is temporarily down during startup
|
if (times > startupRetries) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
return Math.min(times * 50, 2000);
|
return Math.min(times * 50, 2000);
|
||||||
},
|
},
|
||||||
});
|
});
|
||||||
|
|
||||||
const subClient = pubClient.duplicate();
|
const subClient = pubClient.duplicate();
|
||||||
|
|
||||||
// Wait for connection to ensure it's valid
|
await pubClient.connect();
|
||||||
await new Promise<void>((resolve, reject) => {
|
await subClient.connect();
|
||||||
pubClient.once('connect', () => {
|
await pubClient.ping();
|
||||||
this.logger.log('Redis Pub client connected');
|
await subClient.ping();
|
||||||
resolve();
|
|
||||||
});
|
this.logger.log('Redis Pub/Sub clients connected');
|
||||||
pubClient.once('error', (err) => {
|
|
||||||
this.logger.error('Redis Pub client error', err);
|
|
||||||
reject(err);
|
|
||||||
});
|
|
||||||
});
|
|
||||||
|
|
||||||
// Handle subsequent errors gracefully
|
// Handle subsequent errors gracefully
|
||||||
pubClient.on('error', (err) => {
|
pubClient.on('error', (err) => {
|
||||||
@@ -73,21 +103,53 @@ export class RedisIoAdapter extends IoAdapter {
|
|||||||
});
|
});
|
||||||
|
|
||||||
this.adapterConstructor = createAdapter(pubClient, subClient);
|
this.adapterConstructor = createAdapter(pubClient, subClient);
|
||||||
|
this.pubClient = pubClient;
|
||||||
|
this.subClient = subClient;
|
||||||
this.logger.log('Redis adapter initialized successfully');
|
this.logger.log('Redis adapter initialized successfully');
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
|
await this.close();
|
||||||
this.logger.error('Failed to initialize Redis adapter', error);
|
this.logger.error('Failed to initialize Redis adapter', error);
|
||||||
// We don't throw here to allow the app to start without Redis if connection fails,
|
|
||||||
// though functionality will be degraded if multiple instances are running.
|
if (redisRequired) {
|
||||||
|
throw error;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
createIOServer(port: number, options?: ServerOptions): any {
|
createIOServer(port: number, options?: ServerOptions): any {
|
||||||
|
const cors = {
|
||||||
|
origin: true,
|
||||||
|
credentials: true,
|
||||||
|
};
|
||||||
|
|
||||||
// eslint-disable-next-line @typescript-eslint/no-unsafe-assignment
|
// eslint-disable-next-line @typescript-eslint/no-unsafe-assignment
|
||||||
const server = super.createIOServer(port, options);
|
const server = super.createIOServer(port, {
|
||||||
|
...(options ?? {}),
|
||||||
|
cors,
|
||||||
|
});
|
||||||
if (this.adapterConstructor) {
|
if (this.adapterConstructor) {
|
||||||
// eslint-disable-next-line @typescript-eslint/no-unsafe-call, @typescript-eslint/no-unsafe-member-access
|
// eslint-disable-next-line @typescript-eslint/no-unsafe-call, @typescript-eslint/no-unsafe-member-access
|
||||||
server.adapter(this.adapterConstructor);
|
server.adapter(this.adapterConstructor);
|
||||||
}
|
}
|
||||||
return server;
|
return server;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
async close(): Promise<void> {
|
||||||
|
const clients = [this.pubClient, this.subClient].filter(
|
||||||
|
(client): client is Redis => client !== null,
|
||||||
|
);
|
||||||
|
|
||||||
|
await Promise.all(
|
||||||
|
clients.map(async (client) => {
|
||||||
|
try {
|
||||||
|
await client.quit();
|
||||||
|
} catch {
|
||||||
|
client.disconnect();
|
||||||
|
}
|
||||||
|
}),
|
||||||
|
);
|
||||||
|
|
||||||
|
this.pubClient = null;
|
||||||
|
this.subClient = null;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -6,13 +6,11 @@ import { PrismaService } from '../../../database/prisma.service';
|
|||||||
import { UserSocketService } from '../user-socket.service';
|
import { UserSocketService } from '../user-socket.service';
|
||||||
import { WsNotificationService } from '../ws-notification.service';
|
import { WsNotificationService } from '../ws-notification.service';
|
||||||
import { WS_EVENT } from '../ws-events';
|
import { WS_EVENT } from '../ws-events';
|
||||||
import { UsersService } from '../../../users/users.service';
|
|
||||||
|
|
||||||
export class ConnectionHandler {
|
export class ConnectionHandler {
|
||||||
constructor(
|
constructor(
|
||||||
private readonly jwtVerificationService: JwtVerificationService,
|
private readonly jwtVerificationService: JwtVerificationService,
|
||||||
private readonly prisma: PrismaService,
|
private readonly prisma: PrismaService,
|
||||||
private readonly usersService: UsersService,
|
|
||||||
private readonly userSocketService: UserSocketService,
|
private readonly userSocketService: UserSocketService,
|
||||||
private readonly wsNotificationService: WsNotificationService,
|
private readonly wsNotificationService: WsNotificationService,
|
||||||
private readonly logger: Logger,
|
private readonly logger: Logger,
|
||||||
@@ -94,42 +92,42 @@ export class ConnectionHandler {
|
|||||||
this.logger.log(
|
this.logger.log(
|
||||||
`WebSocket authenticated via initialize fallback (Pending Init): ${payload.sub}`,
|
`WebSocket authenticated via initialize fallback (Pending Init): ${payload.sub}`,
|
||||||
);
|
);
|
||||||
|
|
||||||
this.logger.log(
|
|
||||||
`WebSocket authenticated via initialize fallback (Pending Init): ${payload.sub}`,
|
|
||||||
);
|
|
||||||
}
|
}
|
||||||
|
|
||||||
if (!userTokenData) {
|
if (!userTokenData) {
|
||||||
throw new WsException('Unauthorized: No user data found');
|
throw new WsException('Unauthorized: No user data found');
|
||||||
}
|
}
|
||||||
|
|
||||||
const user = await this.usersService.findOne(userTokenData.userId);
|
// 2. Fetch initial state (DB Read)
|
||||||
|
const [userState, friends] = await Promise.all([
|
||||||
// 2. Register socket mapping (Redis Write)
|
|
||||||
await this.userSocketService.setSocket(user.id, client.id);
|
|
||||||
client.data.userId = user.id;
|
|
||||||
|
|
||||||
// 3. Fetch initial state (DB Read)
|
|
||||||
const [userWithDoll, friends] = await Promise.all([
|
|
||||||
this.prisma.user.findUnique({
|
this.prisma.user.findUnique({
|
||||||
where: { id: user.id },
|
where: { id: userTokenData.userId },
|
||||||
select: { activeDollId: true },
|
select: { id: true, name: true, username: true, activeDollId: true },
|
||||||
}),
|
}),
|
||||||
this.prisma.friendship.findMany({
|
this.prisma.friendship.findMany({
|
||||||
where: { userId: user.id },
|
where: { userId: userTokenData.userId },
|
||||||
select: { friendId: true },
|
select: { friendId: true },
|
||||||
}),
|
}),
|
||||||
]);
|
]);
|
||||||
|
|
||||||
client.data.activeDollId = userWithDoll?.activeDollId || null;
|
if (!userState) {
|
||||||
client.data.friends = new Set(friends.map((f) => f.friendId));
|
throw new WsException('Unauthorized: No user data found');
|
||||||
|
}
|
||||||
|
|
||||||
this.logger.log(`Client initialized: ${user.id} (${client.id})`);
|
// 3. Register socket mapping (Redis Write)
|
||||||
|
await this.userSocketService.setSocket(userState.id, client.id);
|
||||||
|
client.data.userId = userState.id;
|
||||||
|
|
||||||
|
client.data.activeDollId = userState.activeDollId || null;
|
||||||
|
client.data.friends = new Set(friends.map((f) => f.friendId));
|
||||||
|
client.data.senderName = userState.name || userState.username;
|
||||||
|
client.data.senderNameCachedAt = Date.now();
|
||||||
|
|
||||||
|
this.logger.log(`Client initialized: ${userState.id} (${client.id})`);
|
||||||
|
|
||||||
// 4. Notify client
|
// 4. Notify client
|
||||||
client.emit(WS_EVENT.INITIALIZED, {
|
client.emit(WS_EVENT.INITIALIZED, {
|
||||||
userId: user.id,
|
userId: userState.id,
|
||||||
activeDollId: client.data.activeDollId,
|
activeDollId: client.data.activeDollId,
|
||||||
});
|
});
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
@@ -157,7 +155,9 @@ export class ConnectionHandler {
|
|||||||
// Notify friends that this user has disconnected
|
// Notify friends that this user has disconnected
|
||||||
const friends = client.data.friends;
|
const friends = client.data.friends;
|
||||||
if (friends) {
|
if (friends) {
|
||||||
const friendIds = Array.from(friends);
|
const friendIds = Array.from(friends).filter(
|
||||||
|
(friendId): friendId is string => typeof friendId === 'string',
|
||||||
|
);
|
||||||
const friendSockets =
|
const friendSockets =
|
||||||
await this.userSocketService.getFriendsSockets(friendIds);
|
await this.userSocketService.getFriendsSockets(friendIds);
|
||||||
|
|
||||||
@@ -179,9 +179,5 @@ export class ConnectionHandler {
|
|||||||
this.logger.log(
|
this.logger.log(
|
||||||
`Client id: ${client.id} disconnected (user: ${user?.userId || 'unknown'})`,
|
`Client id: ${client.id} disconnected (user: ${user?.userId || 'unknown'})`,
|
||||||
);
|
);
|
||||||
|
|
||||||
this.logger.log(
|
|
||||||
`Client id: ${client.id} disconnected (user: ${user?.userId || 'unknown'})`,
|
|
||||||
);
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,4 +1,4 @@
|
|||||||
import { Logger, Inject } from '@nestjs/common';
|
import { Logger, Inject, OnModuleDestroy } from '@nestjs/common';
|
||||||
import {
|
import {
|
||||||
OnGatewayConnection,
|
OnGatewayConnection,
|
||||||
OnGatewayDisconnect,
|
OnGatewayDisconnect,
|
||||||
@@ -22,7 +22,6 @@ import { PrismaService } from '../../database/prisma.service';
|
|||||||
import { UserSocketService } from './user-socket.service';
|
import { UserSocketService } from './user-socket.service';
|
||||||
import { WsNotificationService } from './ws-notification.service';
|
import { WsNotificationService } from './ws-notification.service';
|
||||||
import { WS_EVENT, REDIS_CHANNEL } from './ws-events';
|
import { WS_EVENT, REDIS_CHANNEL } from './ws-events';
|
||||||
import { UsersService } from '../../users/users.service';
|
|
||||||
import { ConnectionHandler } from './connection/handler';
|
import { ConnectionHandler } from './connection/handler';
|
||||||
import { CursorHandler } from './cursor/handler';
|
import { CursorHandler } from './cursor/handler';
|
||||||
import { StatusHandler } from './status/handler';
|
import { StatusHandler } from './status/handler';
|
||||||
@@ -31,14 +30,13 @@ import { RedisHandler } from './utils/redis-handler';
|
|||||||
import { Broadcaster } from './utils/broadcasting';
|
import { Broadcaster } from './utils/broadcasting';
|
||||||
import { Throttler } from './utils/throttling';
|
import { Throttler } from './utils/throttling';
|
||||||
|
|
||||||
@WebSocketGateway({
|
@WebSocketGateway()
|
||||||
cors: {
|
|
||||||
origin: true,
|
|
||||||
credentials: true,
|
|
||||||
},
|
|
||||||
})
|
|
||||||
export class StateGateway
|
export class StateGateway
|
||||||
implements OnGatewayInit, OnGatewayConnection, OnGatewayDisconnect
|
implements
|
||||||
|
OnGatewayInit,
|
||||||
|
OnGatewayConnection,
|
||||||
|
OnGatewayDisconnect,
|
||||||
|
OnModuleDestroy
|
||||||
{
|
{
|
||||||
private readonly logger = new Logger(StateGateway.name);
|
private readonly logger = new Logger(StateGateway.name);
|
||||||
|
|
||||||
@@ -55,7 +53,6 @@ export class StateGateway
|
|||||||
constructor(
|
constructor(
|
||||||
private readonly jwtVerificationService: JwtVerificationService,
|
private readonly jwtVerificationService: JwtVerificationService,
|
||||||
private readonly prisma: PrismaService,
|
private readonly prisma: PrismaService,
|
||||||
private readonly usersService: UsersService,
|
|
||||||
private readonly userSocketService: UserSocketService,
|
private readonly userSocketService: UserSocketService,
|
||||||
private readonly wsNotificationService: WsNotificationService,
|
private readonly wsNotificationService: WsNotificationService,
|
||||||
@Inject(REDIS_CLIENT) private readonly redisClient: Redis | null,
|
@Inject(REDIS_CLIENT) private readonly redisClient: Redis | null,
|
||||||
@@ -70,7 +67,6 @@ export class StateGateway
|
|||||||
this.connectionHandler = new ConnectionHandler(
|
this.connectionHandler = new ConnectionHandler(
|
||||||
this.jwtVerificationService,
|
this.jwtVerificationService,
|
||||||
this.prisma,
|
this.prisma,
|
||||||
this.usersService,
|
|
||||||
this.userSocketService,
|
this.userSocketService,
|
||||||
this.wsNotificationService,
|
this.wsNotificationService,
|
||||||
this.logger,
|
this.logger,
|
||||||
@@ -156,11 +152,16 @@ export class StateGateway
|
|||||||
await this.statusHandler.handleClientReportUserStatus(client, data);
|
await this.statusHandler.handleClientReportUserStatus(client, data);
|
||||||
}
|
}
|
||||||
|
|
||||||
@SubscribeMessage(WS_EVENT.CLIENT_SEND_INTERACTION)
|
|
||||||
async handleSendInteraction(
|
async handleSendInteraction(
|
||||||
client: AuthenticatedSocket,
|
client: AuthenticatedSocket,
|
||||||
data: SendInteractionDto,
|
data: SendInteractionDto,
|
||||||
) {
|
) {
|
||||||
await this.interactionHandler.handleSendInteraction(client, data);
|
await this.interactionHandler.handleSendInteraction(client, data);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
onModuleDestroy() {
|
||||||
|
if (this.redisSubscriber) {
|
||||||
|
this.redisSubscriber.removeAllListeners('message');
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
Reference in New Issue
Block a user