socketzustand
parent
e325736daa
commit
3fbbd85857
|
@ -9,7 +9,7 @@
|
||||||
"build": "nest build",
|
"build": "nest build",
|
||||||
"format": "prettier --write \"src/**/*.ts\" \"test/**/*.ts\"",
|
"format": "prettier --write \"src/**/*.ts\" \"test/**/*.ts\"",
|
||||||
"start": "nest start",
|
"start": "nest start",
|
||||||
"start:dev": "cross-env NODE_ENV=dev nest start --watch",
|
"dev": "cross-env NODE_ENV=dev nest start --watch",
|
||||||
"start:debug": "nest start --debug --watch",
|
"start:debug": "nest start --debug --watch",
|
||||||
"start:prod": "node dist/main",
|
"start:prod": "node dist/main",
|
||||||
"lint": "eslint \"{src,apps,libs,test}/**/*.ts\" --fix",
|
"lint": "eslint \"{src,apps,libs,test}/**/*.ts\" --fix",
|
||||||
|
|
|
@ -3,12 +3,12 @@ import { APP_PIPE } from "@nestjs/core";
|
||||||
|
|
||||||
import { ConfigModule } from "./common/config/config.module";
|
import { ConfigModule } from "./common/config/config.module";
|
||||||
import { database } from "./config/database.config";
|
import { database } from "./config/database.config";
|
||||||
|
import { ChatModule } from "./modules/chat/chat.module";
|
||||||
import { Configure } from "./modules/config/configure";
|
import { Configure } from "./modules/config/configure";
|
||||||
import { CoreModule } from "./modules/core/core.module";
|
import { CoreModule } from "./modules/core/core.module";
|
||||||
import { DatabaseModule } from "./modules/database/database.module";
|
import { DatabaseModule } from "./modules/database/database.module";
|
||||||
import { FileMOdule } from "./modules/file/file.module";
|
import { FileMOdule } from "./modules/file/file.module";
|
||||||
import { UserModule } from "./modules/user/user.module";
|
import { UserModule } from "./modules/user/user.module";
|
||||||
import { EventsGateway } from "./websocket/events.gateway";
|
|
||||||
|
|
||||||
// 当providers 为空时,就会从di容器从import的模块中查找->其他模块需要两个部分一个是providers,一个是exports,providers是用来提供实例的,exports是用来导出模块的
|
// 当providers 为空时,就会从di容器从import的模块中查找->其他模块需要两个部分一个是providers,一个是exports,providers是用来提供实例的,exports是用来导出模块的
|
||||||
// 第二种直接在当前providers中导入其他模块的providers,然后在当前模块的providers中导入其他模块的exports,这样就可以实现模块间的依赖注入
|
// 第二种直接在当前providers中导入其他模块的providers,然后在当前模块的providers中导入其他模块的exports,这样就可以实现模块间的依赖注入
|
||||||
|
@ -24,6 +24,7 @@ export class AppModule {
|
||||||
ConfigModule.forRoot(),
|
ConfigModule.forRoot(),
|
||||||
CoreModule.forRoot(configure),
|
CoreModule.forRoot(configure),
|
||||||
FileMOdule.forRoot(),
|
FileMOdule.forRoot(),
|
||||||
|
ChatModule.forRoot(configure),
|
||||||
],
|
],
|
||||||
controllers: [],
|
controllers: [],
|
||||||
exports: [
|
exports: [
|
||||||
|
@ -39,7 +40,6 @@ export class AppModule {
|
||||||
provide: APP_PIPE,
|
provide: APP_PIPE,
|
||||||
useValue: new ValidationPipe({ transform: true, whitelist: true }),
|
useValue: new ValidationPipe({ transform: true, whitelist: true }),
|
||||||
},
|
},
|
||||||
EventsGateway,
|
|
||||||
],
|
],
|
||||||
global: true,
|
global: true,
|
||||||
};
|
};
|
||||||
|
|
|
@ -0,0 +1,36 @@
|
||||||
|
import { DynamicModule, Module } from "@nestjs/common";
|
||||||
|
import { JwtModule, JwtService } from "@nestjs/jwt";
|
||||||
|
import { TypeOrmModule } from "@nestjs/typeorm";
|
||||||
|
|
||||||
|
import { Configure } from "../config/configure";
|
||||||
|
import { AUTH_JWT_SECRET } from "../user/constants";
|
||||||
|
import * as entities from "../user/entities";
|
||||||
|
import { AuthService, TokenService, UserService } from "../user/services";
|
||||||
|
import { UserModule } from "../user/user.module";
|
||||||
|
import { ChatGateway } from "./gateway/chat.gateway";
|
||||||
|
|
||||||
|
@Module({})
|
||||||
|
export class ChatModule {
|
||||||
|
static forRoot(configure: Configure): DynamicModule {
|
||||||
|
const jwtSecret = configure.env().get(AUTH_JWT_SECRET, "11");
|
||||||
|
return {
|
||||||
|
module: ChatModule,
|
||||||
|
imports: [
|
||||||
|
JwtModule.register({
|
||||||
|
secret: jwtSecret,
|
||||||
|
}),
|
||||||
|
UserModule.forRoot(configure),
|
||||||
|
TypeOrmModule.forFeature(Object.values(entities), "default"),
|
||||||
|
],
|
||||||
|
providers: [
|
||||||
|
ChatGateway,
|
||||||
|
UserService,
|
||||||
|
JwtService,
|
||||||
|
AuthService,
|
||||||
|
TokenService,
|
||||||
|
{ provide: AUTH_JWT_SECRET, useValue: jwtSecret },
|
||||||
|
],
|
||||||
|
exports: [],
|
||||||
|
};
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,134 @@
|
||||||
|
import {
|
||||||
|
ConnectedSocket,
|
||||||
|
MessageBody,
|
||||||
|
OnGatewayConnection,
|
||||||
|
OnGatewayDisconnect,
|
||||||
|
OnGatewayInit,
|
||||||
|
SubscribeMessage,
|
||||||
|
WebSocketGateway,
|
||||||
|
WebSocketServer,
|
||||||
|
} from "@nestjs/websockets";
|
||||||
|
import { Server, Socket } from "socket.io";
|
||||||
|
import { TokenService } from "src/modules/user/services/token.service";
|
||||||
|
|
||||||
|
import { RCode } from "../type";
|
||||||
|
|
||||||
|
// 好友消息
|
||||||
|
interface FriendMessageDto {
|
||||||
|
_id: number;
|
||||||
|
userId: string;
|
||||||
|
friendId: string;
|
||||||
|
content: string;
|
||||||
|
messageType: string;
|
||||||
|
time: number;
|
||||||
|
}
|
||||||
|
|
||||||
|
interface UserPayload {
|
||||||
|
id: string;
|
||||||
|
username: string;
|
||||||
|
role: string;
|
||||||
|
exp: number;
|
||||||
|
iat: number;
|
||||||
|
}
|
||||||
|
@WebSocketGateway({
|
||||||
|
cors: {
|
||||||
|
origin: "*",
|
||||||
|
},
|
||||||
|
})
|
||||||
|
export class ChatGateway
|
||||||
|
implements OnGatewayInit, OnGatewayConnection, OnGatewayDisconnect
|
||||||
|
{
|
||||||
|
constructor(private readonly tokenService: TokenService) {}
|
||||||
|
@WebSocketServer() server: Server;
|
||||||
|
|
||||||
|
async handleConnection(client: Socket, ..._args: any[]) {
|
||||||
|
const token = client.handshake.query.token;
|
||||||
|
if (token && typeof token === "string") {
|
||||||
|
const user: UserPayload =
|
||||||
|
await this.tokenService.verifyAccessToken(token);
|
||||||
|
if (user) {
|
||||||
|
const userId = user.id;
|
||||||
|
// 用户独有消息房间 根据userId
|
||||||
|
client.join(userId);
|
||||||
|
console.log(`User ${userId} connected`);
|
||||||
|
client.broadcast.emit("userOnline", {
|
||||||
|
code: RCode.OK,
|
||||||
|
msg: "User online",
|
||||||
|
data: userId,
|
||||||
|
});
|
||||||
|
return "连接成功";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
handleDisconnect(client: Socket) {
|
||||||
|
const userId = client.handshake.query.userId;
|
||||||
|
console.log("用户下线", userId);
|
||||||
|
// 下线提醒广播给所有人
|
||||||
|
client.broadcast.emit("userOffline", {
|
||||||
|
code: RCode.OK,
|
||||||
|
msg: "userOffline",
|
||||||
|
data: userId,
|
||||||
|
});
|
||||||
|
}
|
||||||
|
afterInit(_server: Server) {
|
||||||
|
console.log("Init");
|
||||||
|
}
|
||||||
|
|
||||||
|
// 加入私聊的socket连接
|
||||||
|
@SubscribeMessage("joinFriendSocket")
|
||||||
|
joinFriendSocket(
|
||||||
|
@ConnectedSocket() client: Socket,
|
||||||
|
@MessageBody() data: { friendId: string; userId: string },
|
||||||
|
) {
|
||||||
|
if (data.friendId && data.userId) {
|
||||||
|
const ids: string[] = [data.friendId, data.userId];
|
||||||
|
const rommid = ids.sort((a, b) => a.localeCompare(b)).join("");
|
||||||
|
client.join(rommid);
|
||||||
|
this.server.to(data.userId).emit("joinFriendSocket", {
|
||||||
|
code: RCode.OK,
|
||||||
|
msg: "进入私聊socket成功",
|
||||||
|
data,
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
// 发送私聊消息
|
||||||
|
@SubscribeMessage("friendMessage")
|
||||||
|
friendMessage(
|
||||||
|
@ConnectedSocket() client: Socket,
|
||||||
|
@MessageBody() data: FriendMessageDto,
|
||||||
|
) {
|
||||||
|
if (data.userId && data.friendId) {
|
||||||
|
const ids: string[] = [data.friendId, data.userId];
|
||||||
|
const rommid = ids.sort((a, b) => a.localeCompare(b)).join("");
|
||||||
|
client.join(rommid);
|
||||||
|
data.time = new Date().valueOf();
|
||||||
|
this.server.to(rommid).emit("friendMessage", {
|
||||||
|
code: RCode.OK,
|
||||||
|
msg: "发送私聊消息成功",
|
||||||
|
data,
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
@SubscribeMessage("chatData")
|
||||||
|
getAllData(@MessageBody() token: string) {
|
||||||
|
console.log(token,"chatData");
|
||||||
|
|
||||||
|
const user: UserPayload = this.tokenService.verifyAccessToken(token);
|
||||||
|
if (user) {
|
||||||
|
const onLineUserIds = Array.from(
|
||||||
|
new Set(
|
||||||
|
Object.values(this.server.sockets.sockets).map(
|
||||||
|
(socket) => socket.request._query.userId,
|
||||||
|
),
|
||||||
|
),
|
||||||
|
);
|
||||||
|
this.server.to(user.id).emit("chatData", {
|
||||||
|
code: RCode.OK,
|
||||||
|
msg: "获取聊天数据成功",
|
||||||
|
data: {
|
||||||
|
onLineUserIds,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,12 @@
|
||||||
|
export interface UserPayload {
|
||||||
|
id: string;
|
||||||
|
username: string;
|
||||||
|
role: string;
|
||||||
|
exp: number;
|
||||||
|
iat: number;
|
||||||
|
}
|
||||||
|
export enum RCode {
|
||||||
|
OK,
|
||||||
|
FAIL,
|
||||||
|
ERROR,
|
||||||
|
}
|
|
@ -0,0 +1,9 @@
|
||||||
|
import { Injectable } from "@nestjs/common";
|
||||||
|
|
||||||
|
@Injectable()
|
||||||
|
export class GetGroupMessageDto {
|
||||||
|
userId: string;
|
||||||
|
groupId: string;
|
||||||
|
current: number;
|
||||||
|
pageSize: number;
|
||||||
|
}
|
|
@ -0,0 +1,38 @@
|
||||||
|
import { Column, Entity, PrimaryGeneratedColumn } from "typeorm";
|
||||||
|
|
||||||
|
@Entity()
|
||||||
|
export class GroupEntity {
|
||||||
|
@PrimaryGeneratedColumn("uuid")
|
||||||
|
groupId: string;
|
||||||
|
|
||||||
|
@Column()
|
||||||
|
userId: string;
|
||||||
|
|
||||||
|
@Column()
|
||||||
|
groupName: string;
|
||||||
|
|
||||||
|
@Column({ default: "群主很懒,没写公告" })
|
||||||
|
notice: string;
|
||||||
|
|
||||||
|
@Column({ type: "double", default: new Date().valueOf() })
|
||||||
|
createTime: number;
|
||||||
|
}
|
||||||
|
|
||||||
|
@Entity()
|
||||||
|
export class GroupMapEntity {
|
||||||
|
@PrimaryGeneratedColumn()
|
||||||
|
_id: number;
|
||||||
|
|
||||||
|
@Column()
|
||||||
|
groupId: string;
|
||||||
|
|
||||||
|
@Column()
|
||||||
|
userId: string;
|
||||||
|
|
||||||
|
@Column({
|
||||||
|
type: "double",
|
||||||
|
default: new Date().valueOf(),
|
||||||
|
comment: "进群时间",
|
||||||
|
})
|
||||||
|
createTime: number;
|
||||||
|
}
|
|
@ -0,0 +1,22 @@
|
||||||
|
import { Column, Entity, PrimaryGeneratedColumn } from "typeorm";
|
||||||
|
|
||||||
|
@Entity()
|
||||||
|
export class GroupMessageEntity {
|
||||||
|
@PrimaryGeneratedColumn()
|
||||||
|
_id: number;
|
||||||
|
|
||||||
|
@Column()
|
||||||
|
userId: string;
|
||||||
|
|
||||||
|
@Column()
|
||||||
|
groupId: string;
|
||||||
|
|
||||||
|
@Column()
|
||||||
|
content: string;
|
||||||
|
|
||||||
|
@Column()
|
||||||
|
messageType: string;
|
||||||
|
|
||||||
|
@Column("double")
|
||||||
|
time: number;
|
||||||
|
}
|
|
@ -0,0 +1,15 @@
|
||||||
|
import { Module } from "@nestjs/common";
|
||||||
|
import { TypeOrmModule } from "@nestjs/typeorm";
|
||||||
|
|
||||||
|
import { GroupEntity, GroupMapEntity } from "./entities/group.entity";
|
||||||
|
import { GroupMessageEntity } from "./entities/groupMessage.entity";
|
||||||
|
|
||||||
|
@Module({
|
||||||
|
imports: [
|
||||||
|
TypeOrmModule.forFeature([GroupEntity, GroupMapEntity, GroupMessageEntity]),
|
||||||
|
],
|
||||||
|
providers: [],
|
||||||
|
controllers: [],
|
||||||
|
exports: [],
|
||||||
|
})
|
||||||
|
export class GroupModule {}
|
|
@ -0,0 +1,69 @@
|
||||||
|
import { Injectable } from "@nestjs/common";
|
||||||
|
import { InjectRepository } from "@nestjs/typeorm";
|
||||||
|
import { In, Repository } from "typeorm";
|
||||||
|
|
||||||
|
import { RCode } from "../chat/type";
|
||||||
|
import { GetGroupMessageDto } from "./dtos/group.dto";
|
||||||
|
import { GroupEntity, GroupMapEntity } from "./entities/group.entity";
|
||||||
|
import { GroupMessageEntity } from "./entities/groupMessage.entity";
|
||||||
|
|
||||||
|
@Injectable()
|
||||||
|
export class GroupService {
|
||||||
|
constructor(
|
||||||
|
@InjectRepository(GroupEntity)
|
||||||
|
private readonly groupRepository: Repository<GroupEntity>,
|
||||||
|
@InjectRepository(GroupMapEntity)
|
||||||
|
private readonly groupMapRepository: Repository<GroupMapEntity>,
|
||||||
|
@InjectRepository(GroupMessageEntity)
|
||||||
|
private readonly groupMessageRepository: Repository<GroupMessageEntity>,
|
||||||
|
) {}
|
||||||
|
async postGroups(groupIds: string[]) {
|
||||||
|
if (!groupIds || groupIds.length === 0) {
|
||||||
|
return { code: RCode.ERROR, data: [], msg: "群组ID不能为空" };
|
||||||
|
}
|
||||||
|
try {
|
||||||
|
const groups = await this.groupRepository.find({
|
||||||
|
where: { groupId: In(groupIds) },
|
||||||
|
});
|
||||||
|
return { code: RCode.OK, data: groups, msg: "获取群信息成功" };
|
||||||
|
} catch (e) {
|
||||||
|
return { code: RCode.ERROR, data: [], msg: "获取群信息失败" };
|
||||||
|
}
|
||||||
|
}
|
||||||
|
async getUserGroups(userId: string) {
|
||||||
|
try {
|
||||||
|
if (!userId) {
|
||||||
|
const data = await this.groupMapRepository.find();
|
||||||
|
return { code: RCode.ERROR, data, msg: "用户ID不能为空" };
|
||||||
|
}
|
||||||
|
const data = await this.groupMapRepository.find({
|
||||||
|
where: { userId },
|
||||||
|
});
|
||||||
|
return { code: RCode.OK, data, msg: "获取用户群信息成功" };
|
||||||
|
} catch (e) {
|
||||||
|
return { code: RCode.ERROR, data: [], msg: "获取用户群信息失败" };
|
||||||
|
}
|
||||||
|
}
|
||||||
|
async getGroupMessages(value: GetGroupMessageDto) {
|
||||||
|
const { userId, groupId, current, pageSize } = value;
|
||||||
|
const groupUser = await this.groupMapRepository
|
||||||
|
.findOne({
|
||||||
|
where: { userId, groupId },
|
||||||
|
})
|
||||||
|
.catch((_) => null);
|
||||||
|
if (!groupUser) {
|
||||||
|
return { code: RCode.ERROR, data: [], msg: "用户不在该群组中" };
|
||||||
|
}
|
||||||
|
const { createTime } = groupUser;
|
||||||
|
const groupMessage = await this.groupMessageRepository
|
||||||
|
.createQueryBuilder("groupMessage")
|
||||||
|
.where("groupMessage.groupId = :groupId", { groupId })
|
||||||
|
.andWhere("groupMessage.time >= :createTime", {
|
||||||
|
createTime: createTime - 86400000,
|
||||||
|
})
|
||||||
|
.skip(current)
|
||||||
|
.take(pageSize)
|
||||||
|
.orderBy("groupMessage.time", "ASC")
|
||||||
|
.getMany();
|
||||||
|
}
|
||||||
|
}
|
|
@ -1,8 +1,11 @@
|
||||||
import { Injectable } from "@nestjs/common";
|
import { Inject, Injectable } from "@nestjs/common";
|
||||||
|
import { JwtService } from "@nestjs/jwt";
|
||||||
import { InjectRepository } from "@nestjs/typeorm";
|
import { InjectRepository } from "@nestjs/typeorm";
|
||||||
import { EntityNotFoundError, Repository } from "typeorm";
|
import { EntityNotFoundError, Repository } from "typeorm";
|
||||||
|
|
||||||
|
import { AUTH_JWT_SECRET } from "../constants";
|
||||||
import { CreateUserDto } from "../dtos/user.dto";
|
import { CreateUserDto } from "../dtos/user.dto";
|
||||||
|
import { AccessTokenEntity } from "../entities/access-token.entity";
|
||||||
import { UserEntity } from "../entities/user.entity";
|
import { UserEntity } from "../entities/user.entity";
|
||||||
import { decrypt } from "../helpers";
|
import { decrypt } from "../helpers";
|
||||||
import { TokenService } from "./token.service";
|
import { TokenService } from "./token.service";
|
||||||
|
@ -11,10 +14,15 @@ import { UserService } from "./user.service";
|
||||||
@Injectable()
|
@Injectable()
|
||||||
export class AuthService {
|
export class AuthService {
|
||||||
constructor(
|
constructor(
|
||||||
|
protected jwtService: JwtService,
|
||||||
private userService: UserService,
|
private userService: UserService,
|
||||||
private tokenService: TokenService,
|
private tokenService: TokenService,
|
||||||
@InjectRepository(UserEntity)
|
@InjectRepository(UserEntity)
|
||||||
protected userRepository: Repository<UserService>,
|
protected userRepository: Repository<UserService>,
|
||||||
|
@Inject(AUTH_JWT_SECRET)
|
||||||
|
protected access_secret: string,
|
||||||
|
@InjectRepository(AccessTokenEntity)
|
||||||
|
protected accesTokenRepository: Repository<AccessTokenEntity>,
|
||||||
) {}
|
) {}
|
||||||
async validateUser(credential: string, password: string) {
|
async validateUser(credential: string, password: string) {
|
||||||
const user = await this.userService.findOneByCredential(credential);
|
const user = await this.userService.findOneByCredential(credential);
|
||||||
|
|
|
@ -100,8 +100,8 @@ export class TokenService {
|
||||||
});
|
});
|
||||||
accessToken && (await accessToken.remove());
|
accessToken && (await accessToken.remove());
|
||||||
}
|
}
|
||||||
async verifyAccessToken(token: string) {
|
verifyAccessToken(token: string) {
|
||||||
const user = await this.jwtService.verify(token, {
|
const user = this.jwtService.verify(token, {
|
||||||
secret: this.access_secret,
|
secret: this.access_secret,
|
||||||
});
|
});
|
||||||
return user || false;
|
return user || false;
|
||||||
|
|
|
@ -22,7 +22,6 @@ import { UserSubscriber } from "./subscribers/user.subscriber";
|
||||||
export class UserModule {
|
export class UserModule {
|
||||||
static forRoot(configure: Configure) {
|
static forRoot(configure: Configure) {
|
||||||
const jwtSecret = configure.env().get(AUTH_JWT_SECRET, "11");
|
const jwtSecret = configure.env().get(AUTH_JWT_SECRET, "11");
|
||||||
console.log(jwtSecret);
|
|
||||||
const smtpconfig = smtp(configure);
|
const smtpconfig = smtp(configure);
|
||||||
if (!jwtSecret) {
|
if (!jwtSecret) {
|
||||||
throw new Error("AUTH_JWT_SECRET is not set");
|
throw new Error("AUTH_JWT_SECRET is not set");
|
||||||
|
@ -50,7 +49,7 @@ export class UserModule {
|
||||||
{ provide: "smtpConfig", useValue: smtpconfig },
|
{ provide: "smtpConfig", useValue: smtpconfig },
|
||||||
],
|
],
|
||||||
controllers: [UserController, AuthController, AccountController],
|
controllers: [UserController, AuthController, AccountController],
|
||||||
exports: [],
|
exports: [TokenService, UserService, AuthService],
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,61 +0,0 @@
|
||||||
import {
|
|
||||||
OnGatewayConnection,
|
|
||||||
OnGatewayDisconnect,
|
|
||||||
OnGatewayInit,
|
|
||||||
SubscribeMessage,
|
|
||||||
WebSocketGateway,
|
|
||||||
WebSocketServer,
|
|
||||||
} from "@nestjs/websockets";
|
|
||||||
import { Server, Socket } from "socket.io";
|
|
||||||
|
|
||||||
@WebSocketGateway({
|
|
||||||
cors: {
|
|
||||||
origin: "*",
|
|
||||||
},
|
|
||||||
})
|
|
||||||
export class EventsGateway
|
|
||||||
implements OnGatewayInit, OnGatewayConnection, OnGatewayDisconnect
|
|
||||||
{
|
|
||||||
users = 0;
|
|
||||||
@WebSocketServer() server: Server;
|
|
||||||
|
|
||||||
handleConnection(client: Socket, ...args: any[]) {
|
|
||||||
console.log(client.id, "connected");
|
|
||||||
this.users++;
|
|
||||||
return this.server.emit("users", `当前在线人数:${this.users}`);
|
|
||||||
}
|
|
||||||
handleDisconnect(client: Socket) {
|
|
||||||
console.log(client.id, "disconnected");
|
|
||||||
this.users--;
|
|
||||||
return this.server.emit("users", `当前在线人数:${this.users}`);
|
|
||||||
}
|
|
||||||
afterInit(server: Server) {
|
|
||||||
console.log("Init");
|
|
||||||
}
|
|
||||||
@SubscribeMessage("events")
|
|
||||||
handleMessage(client: Socket, payload: string): void {
|
|
||||||
console.log(client.id, "sent message", payload);
|
|
||||||
|
|
||||||
// 获取当前时间并格式化为“YYYY-MM-DD HH:mm:ss”
|
|
||||||
const currentTime = new Date()
|
|
||||||
.toLocaleString("zh-CN", {
|
|
||||||
year: "numeric",
|
|
||||||
month: "2-digit",
|
|
||||||
day: "2-digit",
|
|
||||||
hour: "2-digit",
|
|
||||||
minute: "2-digit",
|
|
||||||
second: "2-digit",
|
|
||||||
hour12: false, // 使用24小时制
|
|
||||||
})
|
|
||||||
.replace(/\//g, "-")
|
|
||||||
.replace(/,/, " "); // 替换分隔符以符合所需格式
|
|
||||||
|
|
||||||
// 创建一个新的消息对象,包含时间和消息内容
|
|
||||||
const messageWithTime = {
|
|
||||||
time: currentTime, // 当前时间
|
|
||||||
data: payload,
|
|
||||||
};
|
|
||||||
|
|
||||||
this.server.emit("msgToClient", messageWithTime); // 发送包含时间的消息对象
|
|
||||||
}
|
|
||||||
}
|
|
|
@ -1,3 +1,4 @@
|
||||||
DATABASE_URL="postgresql://postgres:pass123@127.0.0.1:5432/web2?schema=public"
|
DATABASE_URL="postgresql://postgres:pass123@127.0.0.1:5432/web2?schema=public"
|
||||||
NEXT_PUBLIC_APP_URL="http://0.0.0.0:3001"
|
NEXT_PUBLIC_APP_URL="http://0.0.0.0:3001"
|
||||||
AUTH_JWT_SECRET="hTVLuGqhuKZW9HUnKzs83yvVBitlwc5d0PNfJqDRsRs="
|
AUTH_JWT_SECRET="hTVLuGqhuKZW9HUnKzs83yvVBitlwc5d0PNfJqDRsRs="
|
||||||
|
NEXT_PUBLIC_SOCKET_URL="http://127.0.0.1:4000"
|
|
@ -1,57 +1,45 @@
|
||||||
"use client";
|
"use client";
|
||||||
import { useEffect, useState } from "react";
|
|
||||||
|
|
||||||
import { socket } from "@/lib/socket";
|
import { useGetCookies } from "cookies-next";
|
||||||
|
import { useEffect } from "react";
|
||||||
|
|
||||||
|
import { useAuthStore } from "@/app/_components/auth/store";
|
||||||
|
import useSocketStory from "@/lib/socket";
|
||||||
|
|
||||||
export default function ChatPage() {
|
export default function ChatPage() {
|
||||||
const [isConnected, setIsConnected] = useState(socket.connected);
|
const cookies = useGetCookies();
|
||||||
const [fooEvents, setFooEvents] = useState<any[]>([]);
|
const token = cookies()?.auth_token || "";
|
||||||
const [msg, setMsg] = useState("");
|
const { connect, socket,emit } = useSocketStory((state) => state);
|
||||||
|
const { auth } = useAuthStore((state) => state);
|
||||||
|
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
if (socket) {
|
||||||
|
emit("chatData",token)
|
||||||
|
socket.on("chatData", (data:any) => {
|
||||||
|
console.log("chatData", data);
|
||||||
|
});
|
||||||
|
// socket 已经可用,可以注册事件或发送消息
|
||||||
|
console.log("socket 已连接", socket);
|
||||||
|
}
|
||||||
|
return ()=>{
|
||||||
|
if (socket) {
|
||||||
|
socket.off("chatData");
|
||||||
|
console.log("socket 已断开", socket);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}, [socket]);
|
||||||
|
// 只负责连接
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
function onConnect() {
|
connect({
|
||||||
setIsConnected(true);
|
token,
|
||||||
}
|
user: { userId: auth?.id || "" },
|
||||||
function onDisconnect() {
|
});
|
||||||
setIsConnected(false);
|
// 只在 auth/cookies/connect 变化时重新连接
|
||||||
}
|
}, [auth, cookies, connect]);
|
||||||
function onFooEvent(value: any) {
|
|
||||||
console.log(value);
|
|
||||||
|
|
||||||
setFooEvents((previous) => [...previous, value]);
|
|
||||||
}
|
|
||||||
socket.on("connect", onConnect);
|
|
||||||
socket.on("disconnect", onDisconnect);
|
|
||||||
socket.on("msgToClient", onFooEvent);
|
|
||||||
|
|
||||||
return () => {
|
|
||||||
socket.off("connect", onConnect);
|
|
||||||
socket.off("disconnect", onDisconnect);
|
return <div>Chat Page</div>;
|
||||||
socket.off("msgToClient", onFooEvent);
|
|
||||||
};
|
|
||||||
}, []);
|
|
||||||
return (
|
|
||||||
<div className=" tw-pt-24 tw-flex tw-flex-col">
|
|
||||||
<p>{isConnected ? "Connected" : "Disconnected"}</p>
|
|
||||||
<button type="button" onClick={() => socket.connect()}>
|
|
||||||
Connect
|
|
||||||
</button>
|
|
||||||
<button type="button" onClick={() => socket.disconnect()}>
|
|
||||||
Disconnect
|
|
||||||
</button>
|
|
||||||
<input
|
|
||||||
type="text"
|
|
||||||
onChange={(e) => setMsg(e.target.value)}
|
|
||||||
placeholder="Type something"
|
|
||||||
/>
|
|
||||||
<button onClick={() => socket.emit("events", msg)} type="button">
|
|
||||||
Send
|
|
||||||
</button>
|
|
||||||
<ul>
|
|
||||||
11
|
|
||||||
{fooEvents.map((event, index) => (
|
|
||||||
<li key={index}>{event.data}</li>
|
|
||||||
))}
|
|
||||||
</ul>
|
|
||||||
</div>
|
|
||||||
);
|
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,3 +1,45 @@
|
||||||
|
"use client";
|
||||||
|
|
||||||
|
import { useState } from "react";
|
||||||
|
|
||||||
export default function TestPage() {
|
export default function TestPage() {
|
||||||
return <div></div>;
|
const data = [
|
||||||
|
{ id: "1", value: "Test 1" },
|
||||||
|
{ id: "2", value: "Test 2" },
|
||||||
|
{ id: "3", value: "Test 3" },
|
||||||
|
];
|
||||||
|
|
||||||
|
const [selectedValue, setSelectedValue] = useState<string | null>(null);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className=" tw-pt-64">
|
||||||
|
<div>
|
||||||
|
<Test2 data={data} onSelect={setSelectedValue}></Test2>
|
||||||
|
</div>
|
||||||
|
<div>{selectedValue && <Test value={selectedValue}></Test>}</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const Test = ({ value }: { value: string }) => {
|
||||||
|
return <div>{value}</div>;
|
||||||
|
};
|
||||||
|
|
||||||
|
const Test2 = ({
|
||||||
|
data,
|
||||||
|
onSelect,
|
||||||
|
}: {
|
||||||
|
data: { id: string; value: string }[];
|
||||||
|
onSelect: (value: string) => void;
|
||||||
|
}) => {
|
||||||
|
return (
|
||||||
|
<div>
|
||||||
|
{data.map((item) => (
|
||||||
|
// eslint-disable-next-line jsx-a11y/click-events-have-key-events, jsx-a11y/no-static-element-interactions
|
||||||
|
<div onClick={() => onSelect(item.value)} key={item.id}>
|
||||||
|
{item.value}
|
||||||
|
</div>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
|
@ -0,0 +1,29 @@
|
||||||
|
"use client";
|
||||||
|
import type React from "react";
|
||||||
|
import type { PropsWithChildren } from "react";
|
||||||
|
|
||||||
|
import { useEffect } from "react";
|
||||||
|
|
||||||
|
import useSocketStory from "@/lib/socket";
|
||||||
|
|
||||||
|
import { ThemeProvider } from "./theme/theme-provider";
|
||||||
|
|
||||||
|
export const StocketProvider: React.FC<PropsWithChildren> = ({ children }) => {
|
||||||
|
const disconnect = useSocketStory((state) => state.disconnect);
|
||||||
|
useEffect(() => {
|
||||||
|
window.addEventListener("beforeunload", disconnect);
|
||||||
|
return () => {
|
||||||
|
window.removeEventListener("beforeunload", disconnect);
|
||||||
|
};
|
||||||
|
}, [disconnect]);
|
||||||
|
return (
|
||||||
|
<ThemeProvider
|
||||||
|
attribute="class"
|
||||||
|
defaultTheme="system"
|
||||||
|
enableSystem
|
||||||
|
disableTransitionOnChange
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
</ThemeProvider>
|
||||||
|
);
|
||||||
|
};
|
|
@ -0,0 +1,75 @@
|
||||||
|
"use client";
|
||||||
|
import { useEffect, useState } from "react";
|
||||||
|
|
||||||
|
import { socket } from "@/lib/socket";
|
||||||
|
|
||||||
|
import type { User } from "./onLineUserList";
|
||||||
|
|
||||||
|
import { Button } from "../ui/button";
|
||||||
|
import { Textarea } from "../ui/textarea";
|
||||||
|
|
||||||
|
//event: "msgToClient" 返回值
|
||||||
|
interface MessageWithTime {
|
||||||
|
id: string;
|
||||||
|
time: string;
|
||||||
|
massage: string;
|
||||||
|
user: UserPayload | undefined;
|
||||||
|
}
|
||||||
|
|
||||||
|
// jwt payload
|
||||||
|
interface UserPayload {
|
||||||
|
id: string;
|
||||||
|
username: string;
|
||||||
|
role: string;
|
||||||
|
exp: number;
|
||||||
|
iat: number;
|
||||||
|
}
|
||||||
|
|
||||||
|
export const Talk = ({ user }: { user: User }) => {
|
||||||
|
const [fooEvents, setFooEvents] = useState<MessageWithTime[]>([]);
|
||||||
|
const [message, setmessage] = useState("");
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
function onFooEvent(value: any) {
|
||||||
|
const uniqueId = `${Date.now()}-${Math.random()}`;
|
||||||
|
setFooEvents((previous) => [...previous, { ...value, id: uniqueId }]);
|
||||||
|
}
|
||||||
|
|
||||||
|
socket.on("msgToClient", onFooEvent);
|
||||||
|
return () => {
|
||||||
|
socket.off("msgToClient", onFooEvent);
|
||||||
|
};
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className=" tw-flex tw-flex-col tw-gap-4 tw-w-full tw-ml-12">
|
||||||
|
<h1>Talk with {user.user.username}</h1>
|
||||||
|
<div>
|
||||||
|
{fooEvents.map((event) => (
|
||||||
|
<div key={event.id}>
|
||||||
|
<div>
|
||||||
|
<p>{event.user?.username}</p>
|
||||||
|
<p>{event.time}</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<p>{event.massage}</p>
|
||||||
|
</div>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
<Textarea
|
||||||
|
value={message}
|
||||||
|
onChange={(e) => setmessage(e.target.value)}
|
||||||
|
placeholder="Type something"
|
||||||
|
/>
|
||||||
|
<Button
|
||||||
|
onClick={() => {
|
||||||
|
socket.emit("events", { message, userId: user.user.id });
|
||||||
|
setmessage("");
|
||||||
|
}}
|
||||||
|
variant={"secondary"}
|
||||||
|
>
|
||||||
|
Send
|
||||||
|
</Button>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
};
|
|
@ -0,0 +1,69 @@
|
||||||
|
import { User2 } from "lucide-react";
|
||||||
|
import { useEffect, useState } from "react";
|
||||||
|
|
||||||
|
import { socket } from "@/lib/socket";
|
||||||
|
|
||||||
|
import { Button } from "../ui/button";
|
||||||
|
import {
|
||||||
|
HoverCard,
|
||||||
|
HoverCardContent,
|
||||||
|
HoverCardTrigger,
|
||||||
|
} from "../ui/hover-card";
|
||||||
|
|
||||||
|
export interface User {
|
||||||
|
socketId: string;
|
||||||
|
user: UserPayload;
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface UserPayload {
|
||||||
|
id: string;
|
||||||
|
username: string;
|
||||||
|
role: string;
|
||||||
|
exp: number;
|
||||||
|
iat: number;
|
||||||
|
}
|
||||||
|
export const OnLineUserList = ({
|
||||||
|
setSocketId,
|
||||||
|
}: {
|
||||||
|
setSocketId: (v: User) => void;
|
||||||
|
}) => {
|
||||||
|
const [users, setUsers] = useState<User[]>([]);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
socket.on("onlineUsers", (users) => {
|
||||||
|
setUsers(users);
|
||||||
|
});
|
||||||
|
|
||||||
|
return () => {
|
||||||
|
setUsers([]);
|
||||||
|
};
|
||||||
|
}, []);
|
||||||
|
return (
|
||||||
|
<div className=" tw-w-52 tw-border-2 tw-p-5 tw-space-y-4 tw-h-full">
|
||||||
|
<h2 className=" tw-text-lg tw-font-semibold">在线用户列表</h2>
|
||||||
|
<ul className=" tw-flex tw-gap-3 tw-flex-col">
|
||||||
|
{users.length === 0
|
||||||
|
? "No online users"
|
||||||
|
: users.map((user) => (
|
||||||
|
<div key={user.socketId}>
|
||||||
|
<HoverCard>
|
||||||
|
<HoverCardTrigger asChild>
|
||||||
|
<Button variant={"link"} onClick={() => setSocketId(user)}>
|
||||||
|
<User2></User2>
|
||||||
|
{user.user.username}
|
||||||
|
</Button>
|
||||||
|
</HoverCardTrigger>
|
||||||
|
<HoverCardContent>
|
||||||
|
<div>
|
||||||
|
<p>
|
||||||
|
<span>用户身份:</span> {user.user.role}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</HoverCardContent>
|
||||||
|
</HoverCard>
|
||||||
|
</div>
|
||||||
|
))}
|
||||||
|
</ul>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
};
|
|
@ -37,7 +37,13 @@ export const Header = () => {
|
||||||
<div className="tw-flex tw-justify-between tw-items-center ">
|
<div className="tw-flex tw-justify-between tw-items-center ">
|
||||||
<div className=" tw-flex-1 tw-flex tw-flex-row tw-ml-8 ">
|
<div className=" tw-flex-1 tw-flex tw-flex-row tw-ml-8 ">
|
||||||
<Link href={"/"}>
|
<Link href={"/"}>
|
||||||
<Image src={"/logo.png"} alt="logo" width={174} height={40}></Image>
|
<Image
|
||||||
|
src={"/logo.png"}
|
||||||
|
alt="logo"
|
||||||
|
width={174}
|
||||||
|
height={40}
|
||||||
|
priority
|
||||||
|
></Image>
|
||||||
</Link>
|
</Link>
|
||||||
</div>
|
</div>
|
||||||
<div className=" tw-flex tw-flex-auto tw-flex-col tw-w-3/5 tw-justify-center tw-items-center ">
|
<div className=" tw-flex tw-flex-auto tw-flex-col tw-w-3/5 tw-justify-center tw-items-center ">
|
||||||
|
|
|
@ -42,18 +42,23 @@ export interface ButtonProps
|
||||||
asChild?: boolean;
|
asChild?: boolean;
|
||||||
}
|
}
|
||||||
|
|
||||||
const Button = React.forwardRef<HTMLButtonElement, ButtonProps>(
|
const Button = ({
|
||||||
({ className, variant, size, asChild = false, ...props }, ref) => {
|
ref,
|
||||||
const Comp = asChild ? Slot : "button";
|
className,
|
||||||
return (
|
variant,
|
||||||
<Comp
|
size,
|
||||||
className={cn(buttonVariants({ variant, size, className }))}
|
asChild = false,
|
||||||
ref={ref}
|
...props
|
||||||
{...props}
|
}: ButtonProps & { ref?: React.RefObject<HTMLButtonElement | null> }) => {
|
||||||
/>
|
const Comp = asChild ? Slot : "button";
|
||||||
);
|
return (
|
||||||
},
|
<Comp
|
||||||
);
|
className={cn(buttonVariants({ variant, size, className }))}
|
||||||
|
ref={ref}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
};
|
||||||
Button.displayName = "Button";
|
Button.displayName = "Button";
|
||||||
|
|
||||||
export { Button, buttonVariants };
|
export { Button, buttonVariants };
|
||||||
|
|
|
@ -8,8 +8,8 @@ import "./styles/index.css";
|
||||||
import { Toaster } from "@/app/_components/ui/sonner";
|
import { Toaster } from "@/app/_components/ui/sonner";
|
||||||
import { cn } from "@/lib/utils";
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
import { StocketProvider } from "./_components/appProvider/stocketProvider";
|
||||||
import { Header } from "./_components/header";
|
import { Header } from "./_components/header";
|
||||||
import { ThemeProvider } from "./_components/theme/theme-provider";
|
|
||||||
|
|
||||||
const outfit = Outfit({
|
const outfit = Outfit({
|
||||||
weight: ["400", "500", "600", "700"],
|
weight: ["400", "500", "600", "700"],
|
||||||
|
@ -35,15 +35,9 @@ const RootLayout: React.FC<PropsWithChildren> = ({ children }) => {
|
||||||
"tw-antialiased tw-leading-8 tw-overflow-x-hidden",
|
"tw-antialiased tw-leading-8 tw-overflow-x-hidden",
|
||||||
)}
|
)}
|
||||||
>
|
>
|
||||||
<ThemeProvider
|
<Header></Header>
|
||||||
attribute="class"
|
<StocketProvider>{children}</StocketProvider>
|
||||||
defaultTheme="system"
|
|
||||||
enableSystem
|
|
||||||
disableTransitionOnChange
|
|
||||||
>
|
|
||||||
<Header></Header>
|
|
||||||
{children}
|
|
||||||
</ThemeProvider>
|
|
||||||
<Toaster></Toaster>
|
<Toaster></Toaster>
|
||||||
</body>
|
</body>
|
||||||
</html>
|
</html>
|
||||||
|
|
|
@ -0,0 +1 @@
|
||||||
|
export const SOCKET_URL = process.env.NEXT_PUBLIC_SOCKET_URL;
|
|
@ -1,2 +1,94 @@
|
||||||
import { io } from "socket.io-client";
|
import io from "socket.io-client";
|
||||||
export const socket = io("http://127.0.0.1:4000", { autoConnect: false });
|
import { toast } from "sonner";
|
||||||
|
|
||||||
|
import { SOCKET_URL } from "./config";
|
||||||
|
import { createStore } from "./store";
|
||||||
|
|
||||||
|
interface joinFriendSocketData {
|
||||||
|
friendId: string;
|
||||||
|
userId: string;
|
||||||
|
}
|
||||||
|
interface FriendMessageDto {
|
||||||
|
_id: number;
|
||||||
|
userId: string;
|
||||||
|
friendId: string;
|
||||||
|
content: string;
|
||||||
|
messageType: string;
|
||||||
|
time: number;
|
||||||
|
}
|
||||||
|
|
||||||
|
interface EmitModeDataTypes {
|
||||||
|
userOnline: undefined;
|
||||||
|
userOffline: undefined;
|
||||||
|
joinFriendSocket: joinFriendSocketData;
|
||||||
|
chatData: string;
|
||||||
|
friendMessage: FriendMessageDto;
|
||||||
|
}
|
||||||
|
|
||||||
|
interface Store {
|
||||||
|
socket: null | any;
|
||||||
|
emitMode: keyof EmitModeDataTypes;
|
||||||
|
setEmitMode: (mode: keyof EmitModeDataTypes) => void;
|
||||||
|
emit: <T extends keyof EmitModeDataTypes>(
|
||||||
|
event: T,
|
||||||
|
data: EmitModeDataTypes[T],
|
||||||
|
) => void;
|
||||||
|
connect: ({
|
||||||
|
token,
|
||||||
|
user,
|
||||||
|
}: {
|
||||||
|
token: string;
|
||||||
|
user: { userId: string };
|
||||||
|
}) => void;
|
||||||
|
disconnect: () => void;
|
||||||
|
}
|
||||||
|
|
||||||
|
const useSocketStory = createStore<Store>((set, get) => {
|
||||||
|
return {
|
||||||
|
socket: null,
|
||||||
|
emitMode: "chatData",
|
||||||
|
setEmitMode: (mode) => set({ emitMode: mode }),
|
||||||
|
emit: (event, data) => {
|
||||||
|
const socket = get().socket;
|
||||||
|
if (socket) {
|
||||||
|
socket.emit(event, data, (res: { code: number }) => {
|
||||||
|
if (res.code !== 200) {
|
||||||
|
toast.error("Failed to send message");
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
toast.error("Socket not connected");
|
||||||
|
},
|
||||||
|
connect: ({ token, user }) => {
|
||||||
|
const socket = get().socket;
|
||||||
|
if (socket) {
|
||||||
|
toast.error("Socket already connected");
|
||||||
|
} else {
|
||||||
|
const newsocket = io(SOCKET_URL, {
|
||||||
|
reconnection: true,
|
||||||
|
query: {
|
||||||
|
token,
|
||||||
|
userId: user.userId,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
newsocket.on("connect", () => {
|
||||||
|
console.log("SOCKET CONNECTED!", newsocket.id);
|
||||||
|
// Update the socket in the global state when connected
|
||||||
|
|
||||||
|
set(() => ({ socket: newsocket }));
|
||||||
|
console.log("SOCKET CONNECTED! store",get().socket.id);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
},
|
||||||
|
disconnect: () => {
|
||||||
|
const { socket } = get();
|
||||||
|
if (socket) {
|
||||||
|
socket.disconnect();
|
||||||
|
set({ socket: null });
|
||||||
|
} else {
|
||||||
|
toast.error("Socket not connected");
|
||||||
|
}
|
||||||
|
},
|
||||||
|
};
|
||||||
|
});
|
||||||
|
export default useSocketStory;
|
||||||
|
|
|
@ -10,7 +10,8 @@
|
||||||
"gen": "turbo gen workspace",
|
"gen": "turbo gen workspace",
|
||||||
"web2:dev": "turbo dev --filter=web2",
|
"web2:dev": "turbo dev --filter=web2",
|
||||||
"web2:build": "turbo build --filter=web2",
|
"web2:build": "turbo build --filter=web2",
|
||||||
"talk:dev": "turbo start:dev --filter=talk"
|
"talk:dev": "turbo start:dev --filter=talk",
|
||||||
|
"startall:dev": "turbo run startall:dev"
|
||||||
},
|
},
|
||||||
"devDependencies": {
|
"devDependencies": {
|
||||||
"@repo/typescript-config": "workspace:*",
|
"@repo/typescript-config": "workspace:*",
|
||||||
|
|
15
turbo.json
15
turbo.json
|
@ -12,12 +12,15 @@
|
||||||
"cache": false,
|
"cache": false,
|
||||||
"persistent": true
|
"persistent": true
|
||||||
},
|
},
|
||||||
"3rapp/api#cli":{
|
"web2:dev": {
|
||||||
"cache": false
|
"cache": false,
|
||||||
|
"persistent": true,
|
||||||
|
"env": ["NODE_ENV=development"]
|
||||||
},
|
},
|
||||||
"3rapp/admin#dev":{
|
"talk:dev": {
|
||||||
"dependsOn": ["@3rapp/utils#build"]
|
"cache": false,
|
||||||
},
|
"persistent": true,
|
||||||
"start:dev":{}
|
"env": ["NODE_ENV=development"]
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
Loading…
Reference in New Issue