update many graphql field

This commit is contained in:
2024-10-12 16:34:43 +07:00
parent 244a6f3015
commit ba77bd4e1c
29 changed files with 466 additions and 56 deletions

View File

@@ -0,0 +1,9 @@
import { Global, Module } from '@nestjs/common';
import { CategorySchema } from './category.schema';
@Global()
@Module({
providers: [CategorySchema],
exports: [CategorySchema],
})
export class CategoryModule {}

View File

@@ -0,0 +1,59 @@
import { Inject, Injectable } from '@nestjs/common';
import {
Pothos,
PothosRef,
PothosSchema,
SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos';
import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from '../Prisma/prisma.service';
@Injectable()
export class CategorySchema extends PothosSchema {
constructor(
@Inject(SchemaBuilderToken) private readonly builder: Builder,
private readonly prisma: PrismaService,
) {
super();
}
@PothosRef()
category() {
return this.builder.prismaObject('Category', {
fields: (t) => ({
id: t.exposeID('id'),
name: t.exposeString('name'),
serviceAndCategory: t.relation('serviceAndCategory'),
}),
});
}
@PothosRef()
init(): void {
this.builder.queryFields((t) => ({
categories: t.prismaField({
type: [this.category()],
args: this.builder.generator.findManyArgs('Category'),
resolve: async (query, root, args, ctx, info) => {
return await this.prisma.category.findMany({
...query,
skip: args.skip ?? undefined,
take: args.take ?? 10,
orderBy: args.orderBy ?? undefined,
where: args.filter ?? undefined,
});
},
}),
category: t.prismaField({
type: this.category(),
args: this.builder.generator.findUniqueArgs('Category'),
resolve: async (query, root, args, ctx, info) => {
return await this.prisma.category.findUnique({
...query,
where: args.where ?? undefined,
});
},
}),
}));
}
}

View File

@@ -0,0 +1,9 @@
import { Global, Module } from '@nestjs/common';
import { OrderSchema } from './order.schema';
@Global()
@Module({
providers: [OrderSchema],
exports: [OrderSchema],
})
export class OrderModule {}

70
src/Order/order.schema.ts Normal file
View File

@@ -0,0 +1,70 @@
import { Inject, Injectable } from '@nestjs/common';
import {
Pothos,
PothosRef,
PothosSchema,
SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos';
import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from 'src/Prisma/prisma.service';
@Injectable()
export class OrderSchema extends PothosSchema {
constructor(
@Inject(SchemaBuilderToken) private readonly builder: Builder,
private readonly prisma: PrismaService,
) {
super();
}
// Types section
@PothosRef()
order() {
return this.builder.prismaObject('Order', {
fields: (t) => ({
id: t.exposeID('id'),
paymentId: t.exposeString('paymentId'),
userId: t.exposeID('userId'),
serviceId: t.exposeID('serviceId'),
status: t.exposeString('status'),
total: t.exposeInt('total'),
createdAt: t.expose('createdAt', { type: 'DateTime' }),
updatedAt: t.expose('updatedAt', { type: 'DateTime' }),
user: t.relation('user'),
payment: t.relation('payment'),
service: t.relation('service'),
refundTicket: t.relation('refundTicket'),
}),
});
}
@PothosRef()
init(): void {
// query section
this.builder.queryFields((t) => ({
orders: t.prismaField({
type: [this.order()],
args: this.builder.generator.findManyArgs('Order'),
resolve: async (query, root, args, ctx, info) => {
return await this.prisma.order.findMany({
...query,
take: args.take ?? 10,
skip: args.skip ?? 0,
orderBy: args.orderBy ?? undefined,
where: args.filter ?? undefined,
});
},
}),
order: t.prismaField({
type: this.order(),
args: this.builder.generator.findUniqueArgs('Order'),
resolve: async (query, root, args, ctx, info) => {
return await this.prisma.order.findUnique({
...query,
where: args.where,
});
},
}),
}));
}
}

View File

@@ -0,0 +1,9 @@
import { Global, Module } from '@nestjs/common';
import { PaymentSchema } from './payment.schema';
@Global()
@Module({
providers: [PaymentSchema],
exports: [PaymentSchema],
})
export class PaymentModule {}

View File

@@ -0,0 +1,65 @@
import { Inject, Injectable } from '@nestjs/common';
import {
Pothos,
PothosRef,
PothosSchema,
SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos';
import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from 'src/Prisma/prisma.service';
@Injectable()
export class PaymentSchema extends PothosSchema {
constructor(
@Inject(SchemaBuilderToken) private readonly builder: Builder,
private readonly prisma: PrismaService,
) {
super();
}
// Types section
@PothosRef()
payment() {
return this.builder.prismaObject('Payment', {
fields: (t) => ({
id: t.exposeID('id'),
amount: t.exposeFloat('amount'),
status: t.exposeString('status'),
createdAt: t.expose('createdAt', { type: 'DateTime' }),
updatedAt: t.expose('updatedAt', { type: 'DateTime' }),
order: t.relation('Order'),
}),
});
}
// Queries section
@Pothos()
init(): void {
this.builder.queryFields((t) => ({
payment: t.prismaField({
type: this.payment(),
args: this.builder.generator.findUniqueArgs('Payment'),
resolve: async (query, root, args, ctx, info) => {
return await this.prisma.payment.findUnique({
...query,
where: args.where,
});
},
}),
payments: t.prismaField({
type: [this.payment()],
args: this.builder.generator.findManyArgs('Payment'),
resolve: async (query, root, args, ctx, info) => {
return await this.prisma.payment.findMany({
...query,
where: args.filter ?? undefined,
orderBy: args.orderBy ?? undefined,
cursor: args.cursor ?? undefined,
take: args.take ?? 10,
skip: args.skip ?? 0,
});
},
}),
}));
}
}

View File

@@ -0,0 +1,9 @@
import { Global, Module } from '@nestjs/common';
import { RefundTicketSchema } from './refundticket.schema';
@Global()
@Module({
providers: [RefundTicketSchema],
exports: [RefundTicketSchema],
})
export class RefundTicketModule {}

View File

@@ -0,0 +1,55 @@
import { Inject, Injectable } from '@nestjs/common';
import {
Pothos,
PothosRef,
PothosSchema,
SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos';
import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from 'src/Prisma/prisma.service';
@Injectable()
export class RefundTicketSchema extends PothosSchema {
constructor(
@Inject(SchemaBuilderToken) private readonly builder: Builder,
private readonly prisma: PrismaService,
) {
super();
}
// Types section
@PothosRef()
refundTicket() {
return this.builder.prismaObject('RefundTicket', {
fields: (t) => ({
id: t.exposeID('id'),
amount: t.exposeFloat('amount'),
status: t.exposeString('status'),
createdAt: t.expose('createdAt', { type: 'DateTime' }),
updatedAt: t.expose('updatedAt', { type: 'DateTime' }),
order: t.relation('order'),
}),
});
}
// Queries section
@Pothos()
init(): void {
this.builder.queryFields((t) => ({
refundTickets: t.prismaField({
type: [this.refundTicket()],
args: this.builder.generator.findManyArgs('RefundTicket'),
resolve: async (query, root, args, ctx, info) => {
return await this.prisma.refundTicket.findMany({
...query,
where: args.filter ?? undefined,
orderBy: args.orderBy ?? undefined,
cursor: args.cursor ?? undefined,
take: args.take ?? 10,
skip: args.skip ?? 0,
});
},
}),
}));
}
}

View File

@@ -0,0 +1,9 @@
import { Global, Module } from '@nestjs/common';
import { ServiceAndCategorySchema } from './serviceandcategory.schema';
@Global()
@Module({
providers: [ServiceAndCategorySchema],
exports: [ServiceAndCategorySchema],
})
export class ServiceAndCategoryModule {}

View File

@@ -0,0 +1,31 @@
import { Inject, Injectable } from '@nestjs/common';
import {
Pothos,
PothosRef,
PothosSchema,
SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos';
import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from '../Prisma/prisma.service';
@Injectable()
export class ServiceAndCategorySchema extends PothosSchema {
constructor(
@Inject(SchemaBuilderToken) private readonly builder: Builder,
private readonly prisma: PrismaService,
) {
super();
}
@PothosRef()
serviceAndCategory() {
return this.builder.prismaObject('ServiceAndCategory', {
fields: (t) => ({
serviceId: t.exposeID('serviceId'),
categoryId: t.exposeID('categoryId'),
service: t.relation('service'),
category: t.relation('category'),
}),
});
}
}

View File

@@ -0,0 +1,9 @@
import { Global, Module } from '@nestjs/common';
import { ServiceFeedbackSchema } from './servicefeedback.schema';
@Global()
@Module({
providers: [ServiceFeedbackSchema],
exports: [ServiceFeedbackSchema],
})
export class ServiceFeedbackModule {}

View File

@@ -0,0 +1,55 @@
import { Inject, Injectable } from '@nestjs/common';
import {
Pothos,
PothosRef,
PothosSchema,
SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos';
import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from '../Prisma/prisma.service';
@Injectable()
export class ServiceFeedbackSchema extends PothosSchema {
constructor(
@Inject(SchemaBuilderToken) private readonly builder: Builder,
private readonly prisma: PrismaService,
) {
super();
}
@PothosRef()
serviceFeedback() {
return this.builder.prismaObject('ServiceFeedback', {
fields: (t) => ({
id: t.exposeID('id'),
userId: t.exposeID('userId'),
serviceId: t.exposeID('serviceId'),
rating: t.exposeFloat('rating'),
comments: t.exposeString('comments'),
createdAt: t.expose('createdAt', { type: 'DateTime' }),
updatedAt: t.expose('updatedAt', { type: 'DateTime' }),
user: t.relation('user'),
service: t.relation('service'),
}),
});
}
@Pothos()
init(): void {
this.builder.queryFields((t) => ({
serviceFeedbacks: t.prismaField({
type: [this.serviceFeedback()],
args: this.builder.generator.findManyArgs('ServiceFeedback'),
resolve: async (query, root, args, ctx, info) => {
return await this.prisma.serviceFeedback.findMany({
...query,
skip: args.skip ?? 0,
take: args.take ?? 10,
orderBy: args.orderBy ?? undefined,
where: args.filter ?? undefined,
});
},
}),
}));
}
}

View File

@@ -1,7 +1,7 @@
import { Module } from '@nestjs/common'; import { Module } from '@nestjs/common';
import { GraphqlModule } from './graphql/graphql.module'; import { GraphqlModule } from './Graphql/graphql.module';
import { ClerkModule } from './clerk/clerk.module'; import { ClerkModule } from './Clerk/clerk.module';
import { RestfulModule } from './restful/restful.module'; import { RestfulModule } from './Restful/restful.module';
@Module({ @Module({
imports: [GraphqlModule, ClerkModule, RestfulModule], imports: [GraphqlModule, ClerkModule, RestfulModule],

View File

@@ -5,8 +5,8 @@ import {
PothosSchema, PothosSchema,
SchemaBuilderToken, SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos'; } from '@smatch-corp/nestjs-pothos';
import { Builder } from '../graphql/graphql.builder'; import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from 'src/prisma/prisma.service'; import { PrismaService } from 'src/Prisma/prisma.service';
@Injectable() @Injectable()
export class CenterSchema extends PothosSchema { export class CenterSchema extends PothosSchema {

View File

@@ -1,5 +1,5 @@
import { Global, Module } from '@nestjs/common'; import { Global, Module } from '@nestjs/common';
import { CenterStaffSchema } from './centerstaff.schema'; import { CenterStaffSchema } from './centerstaff.schema';
@Global() @Global()
@Module({ @Module({

View File

@@ -5,8 +5,8 @@ import {
PothosSchema, PothosSchema,
SchemaBuilderToken, SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos'; } from '@smatch-corp/nestjs-pothos';
import { Builder } from '../graphql/graphql.builder'; import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from 'src/prisma/prisma.service'; import { PrismaService } from 'src/Prisma/prisma.service';
@Injectable() @Injectable()
export class CenterStaffSchema extends PothosSchema { export class CenterStaffSchema extends PothosSchema {

View File

@@ -5,8 +5,8 @@ import {
PothosSchema, PothosSchema,
SchemaBuilderToken, SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos'; } from '@smatch-corp/nestjs-pothos';
import { Builder } from '../graphql/graphql.builder'; import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from 'src/prisma/prisma.service'; import { PrismaService } from 'src/Prisma/prisma.service';
@Injectable() @Injectable()
export class ChatroomSchema extends PothosSchema { export class ChatroomSchema extends PothosSchema {

View File

@@ -1,4 +1,6 @@
export const cors = { import { CorsOptions } from '@nestjs/common/interfaces/external/cors-options.interface';
export const cors: CorsOptions = {
origin: process.env.CORS_ORIGIN, origin: process.env.CORS_ORIGIN,
methods: ['GET', 'POST', 'PUT', 'DELETE', 'PATCH', 'OPTIONS'], methods: ['GET', 'POST', 'PUT', 'DELETE', 'PATCH', 'OPTIONS'],
allowedHeaders: ['Content-Type', 'Authorization'], allowedHeaders: ['Content-Type', 'Authorization'],

View File

@@ -4,20 +4,25 @@ import { GraphQLModule } from '@nestjs/graphql';
import { PothosModule } from '@smatch-corp/nestjs-pothos'; import { PothosModule } from '@smatch-corp/nestjs-pothos';
import { PothosApolloDriver } from '@smatch-corp/nestjs-pothos-apollo-driver'; import { PothosApolloDriver } from '@smatch-corp/nestjs-pothos-apollo-driver';
import { Builder } from './graphql.builder'; import { Builder } from './graphql.builder';
import { PrismaService } from '../prisma/prisma.service'; import { PrismaService } from '../Prisma/prisma.service';
import { GraphQLValidationMiddleware } from 'src/middlewares/graphql.middleware'; import { GraphQLValidationMiddleware } from '../middlewares/graphql.middleware';
import { PrismaModule } from 'src/prisma/prisma.module'; import { PrismaModule } from '../Prisma/prisma.module';
import { UserModule } from 'src/user/user.module'; import { UserModule } from '../User/user.module';
import { CenterModule } from 'src/center/center.module'; import { CenterModule } from '../Center/center.module';
import { ServiceModule } from 'src/service/service.module'; import { ServiceModule } from '../Service/service.module';
import { ChatroomModule } from 'src/chatroom/chatroom.module'; import { ChatroomModule } from '../ChatRoom/chatroom.module';
import { CenterStaffModule } from 'src/centerstaff/centerstaff.module'; import { CenterStaffModule } from '../CenterStaff/centerstaff.module';
import { ResumeModule } from 'src/resume/resume.module'; import { ResumeModule } from '../Resume/resume.module';
import { WorkshopModule } from 'src/workshop/workshop.module'; import { WorkshopModule } from '../Workshop/workshop.module';
import { WorkshopOrganizationModule } from 'src/workshoporganization/workshoporganization.module'; import { WorkshopOrganizationModule } from '../WorkshopOrganization/workshoporganization.module';
import { WorkshopSubscriptionModule } from 'src/workshopsubscription/workshopsubscription.module'; import { WorkshopSubscriptionModule } from '../WorkshopSubscription/workshopsubscription.module';
import { PrismaCrudGenerator } from './graphql.generator'; import { PrismaCrudGenerator } from './graphql.generator';
import { OrderModule } from '../Order/order.module';
import { PaymentModule } from '../Payment/payment.module';
import { RefundTicketModule } from '../RefundTicket/refundticket.module';
import { ServiceAndCategoryModule } from '../ServiceAndCategory/serviceandcategory.module';
import { CategoryModule } from '../Category/category.module';
import { ServiceFeedbackModule } from '../ServiceFeedback/servicefeedback.module';
@Global() @Global()
@Module({ @Module({
imports: [ imports: [
@@ -31,6 +36,12 @@ import { PrismaCrudGenerator } from './graphql.generator';
WorkshopModule, WorkshopModule,
WorkshopOrganizationModule, WorkshopOrganizationModule,
WorkshopSubscriptionModule, WorkshopSubscriptionModule,
PaymentModule,
OrderModule,
RefundTicketModule,
ServiceAndCategoryModule,
CategoryModule,
ServiceFeedbackModule,
PothosModule.forRoot({ PothosModule.forRoot({
builder: { builder: {
inject: [PrismaService], inject: [PrismaService],

View File

@@ -10,12 +10,12 @@ async function bootstrap() {
const config = new DocumentBuilder() const config = new DocumentBuilder()
.setTitle('EPESS API') .setTitle('EPESS API')
.setDescription('API documentation for EPESS application') .setDescription('API documentation for EPESS application')
.setVersion('1.0') .setVersion('0.0.1')
.addBearerAuth() .addBearerAuth()
.build(); .build();
const document = SwaggerModule.createDocument(app, config); const document = SwaggerModule.createDocument(app, config);
SwaggerModule.setup('api', app, document); SwaggerModule.setup(process.env.SWAGGER_PATH ?? 'v1', app, document);
document.paths['/graphql'] = { document.paths['/graphql'] = {
get: { get: {

View File

@@ -1,5 +1,5 @@
import { Injectable, NestMiddleware } from '@nestjs/common'; import { Injectable, NestMiddleware } from '@nestjs/common';
import { PrismaService } from '../prisma/prisma.service'; import { PrismaService } from '../Prisma/prisma.service';
@Injectable() @Injectable()
export class PrismaContextMiddleware implements NestMiddleware { export class PrismaContextMiddleware implements NestMiddleware {

View File

@@ -5,8 +5,8 @@ import {
PothosSchema, PothosSchema,
SchemaBuilderToken, SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos'; } from '@smatch-corp/nestjs-pothos';
import { Builder } from '../graphql/graphql.builder'; import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from 'src/prisma/prisma.service'; import { PrismaService } from 'src/Prisma/prisma.service';
@Injectable() @Injectable()
export class ResumeSchema extends PothosSchema { export class ResumeSchema extends PothosSchema {

View File

@@ -1,10 +1,9 @@
import { Global, Module } from '@nestjs/common'; import { Global, Module } from '@nestjs/common';
import { ServiceSchema } from './service.schema'; import { ServiceSchema } from './service.schema';
import { PrismaCrudGenerator } from 'src/graphql/graphql.generator';
@Global() @Global()
@Module({ @Module({
providers: [ServiceSchema, PrismaCrudGenerator], providers: [ServiceSchema],
exports: [ServiceSchema], exports: [ServiceSchema],
}) })
export class ServiceModule {} export class ServiceModule {}

View File

@@ -5,8 +5,8 @@ import {
PothosSchema, PothosSchema,
SchemaBuilderToken, SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos'; } from '@smatch-corp/nestjs-pothos';
import { Builder } from '../graphql/graphql.builder'; import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from 'src/prisma/prisma.service'; import { PrismaService } from 'src/Prisma/prisma.service';
@Injectable() @Injectable()
export class ServiceSchema extends PothosSchema { export class ServiceSchema extends PothosSchema {
@@ -49,8 +49,8 @@ export class ServiceSchema extends PothosSchema {
...query, ...query,
where: args.filter ?? undefined, where: args.filter ?? undefined,
orderBy: args.orderBy ?? undefined, orderBy: args.orderBy ?? undefined,
skip: args.skip ?? undefined, skip: args.skip ?? 0,
take: args.take ?? undefined, take: args.take ?? 10,
}); });
}, },
}), }),

View File

@@ -1,9 +1,8 @@
import { Global, Module } from '@nestjs/common'; import { Global, Module } from '@nestjs/common';
import { UserSchema } from './user.schema'; import { UserSchema } from './user.schema';
import { PrismaService } from 'src/prisma/prisma.service';
@Global() @Global()
@Module({ @Module({
providers: [PrismaService, UserSchema], providers: [UserSchema],
exports: [UserSchema], exports: [UserSchema],
}) })
export class UserModule {} export class UserModule {}

View File

@@ -5,8 +5,9 @@ import {
PothosSchema, PothosSchema,
SchemaBuilderToken, SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos'; } from '@smatch-corp/nestjs-pothos';
import { Builder } from '../graphql/graphql.builder'; import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from 'src/prisma/prisma.service'; import { PrismaService } from 'src/Prisma/prisma.service';
import { clerkClient, } from '@clerk/clerk-sdk-node';
@Injectable() @Injectable()
export class UserSchema extends PothosSchema { export class UserSchema extends PothosSchema {
@@ -27,7 +28,7 @@ export class UserSchema extends PothosSchema {
email: t.exposeString('email'), email: t.exposeString('email'),
phoneNumber: t.exposeString('phoneNumber'), phoneNumber: t.exposeString('phoneNumber'),
oauthToken: t.exposeString('oauthToken', { nullable: true }), oauthToken: t.exposeString('oauthToken', { nullable: true }),
// role: t.exposeString('role'), role: t.exposeString('role'),
createdAt: t.expose('createdAt', { type: 'DateTime' }), createdAt: t.expose('createdAt', { type: 'DateTime' }),
updatedAt: t.expose('updatedAt', { type: 'DateTime' }), updatedAt: t.expose('updatedAt', { type: 'DateTime' }),
center: t.relation('center'), center: t.relation('center'),
@@ -55,19 +56,28 @@ export class UserSchema extends PothosSchema {
user: t.prismaField({ user: t.prismaField({
type: this.user(), type: this.user(),
args: { args: this.builder.generator.findUniqueArgs('User'),
id: t.arg.id({
description: 'The ID of the user to retrieve',
}),
},
resolve: async (query, root, args, ctx, info) => { resolve: async (query, root, args, ctx, info) => {
const { id } = args; return await this.prisma.user.findUnique({
if (!id) { ...query,
throw new Error('User ID is required'); where: args.where,
} });
return await this.prisma.user.findUnique({ where: { id } });
}, },
}), }),
// userByToken: t.prismaField({
// type: this.user(),
// args: this.builder.args({
// oauthToken: t.arg.string({ required: true }),
// }),
// resolve: async (query, root, args, ctx, info) => {
// // check if the token is valid
// const { user } = await clerkClient.verifyToken
// return await this.prisma.user.findFirst({
// ...query,
// where: args.where,
// });
// },
// }),
})); }));
// Mutation section // Mutation section

View File

@@ -5,8 +5,8 @@ import {
PothosSchema, PothosSchema,
SchemaBuilderToken, SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos'; } from '@smatch-corp/nestjs-pothos';
import { Builder } from '../graphql/graphql.builder'; import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from 'src/prisma/prisma.service'; import { PrismaService } from 'src/Prisma/prisma.service';
@Injectable() @Injectable()
export class WorkshopSchema extends PothosSchema { export class WorkshopSchema extends PothosSchema {

View File

@@ -5,8 +5,8 @@ import {
PothosSchema, PothosSchema,
SchemaBuilderToken, SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos'; } from '@smatch-corp/nestjs-pothos';
import { Builder } from '../graphql/graphql.builder'; import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from 'src/prisma/prisma.service'; import { PrismaService } from 'src/Prisma/prisma.service';
@Injectable() @Injectable()
export class WorkshopOrganizationSchema extends PothosSchema { export class WorkshopOrganizationSchema extends PothosSchema {

View File

@@ -5,8 +5,8 @@ import {
PothosSchema, PothosSchema,
SchemaBuilderToken, SchemaBuilderToken,
} from '@smatch-corp/nestjs-pothos'; } from '@smatch-corp/nestjs-pothos';
import { Builder } from '../graphql/graphql.builder'; import { Builder } from '../Graphql/graphql.builder';
import { PrismaService } from 'src/prisma/prisma.service'; import { PrismaService } from '../Prisma/prisma.service';
@Injectable() @Injectable()
export class WorkshopSubscriptionSchema extends PothosSchema { export class WorkshopSubscriptionSchema extends PothosSchema {