Nest Slides
Nest Slides
JS
1/171
Outline
Intro to Nest.js
Requests
Dependency injection
Persisting data
Logging requests
Authentication
Testing
Tricks
2/171
Outline
Intro to Nest.js
Introduction
Nest functional structure
Nest project file structure
Nest application from scratch
Nest CLI
API REST clients
3/171
What is Nest.js?
Is built with and fully supports TypeScript (yet still enables developers to
code in pure JavaScript) and combines elements of OOP (Object Oriented
Programming), FP (Functional Programming), and FRP (Functional Reactive
Programming).
4/171
Nest.js main features
5/171
Outline
Intro to Nest.js
Introduction
Nest functional structure
Nest project file structure
Nest application from scratch
Nest CLI
API REST clients
6/171
Nest application architecture
Roughly, a Nest application will take requests, process it in some way and
return a response.
The requests handling logic is divided into modular blocks. Each type of
block is intended for a specific purpose. Nest has tools to help us to write
this blocks in a fast and efficient way. Several building blocks are packed in
one module.
7/171
Nest building blocks
Nest, out of the box, provides us the following list of building blocks types:
8/171
Modularity
9/171
Outline
Intro to Nest.js
Introduction
Nest functional structure
Nest project file structure
Nest application from scratch
Nest CLI
API REST clients
10/171
Modular file structure
The file structure of a Nest.js project follows a modular pattern in line with
the logic structure of Nest.
Using nest CLI, we can generate the Nest project scaffold to examine the
basic file structure of a Nest project.
The command will generate a folder named as the project with the following
file structure:
11/171
Common dependencies
We can see the nest dependencies in package.json file in the project root.
Below is shown a list of the most important ones:
All the logic that will be coded by us must be placed in a folder called src in
the root of the project. Every Nest application will contain at least one
module and one controller.
Below is shown the scaffold /src folder:
14/171
Naming convention
In order to make our code more scalable and maintainable, we have to use a
few naming conventions when we build our Nest application.
15/171
Outline
Intro to Nest.js
Introduction
Nest functional structure
Nest project file structure
Nest application from scratch
Nest CLI
API REST clients
16/171
Start project
A Nest application will contain at least one module and one controller. So a
minimum viable app will contain a module and a controller.
$ npm init -y
$ npm install @nestjs / common @nestjs / core @nestjs / platform - express reflect - metadata typescript
17/171
Basic files
We have to create an src folder with three files inside it: main.ts,
app.module.ts and app.controller.ts.
18/171
Running the application
This command is for only for running the application from scratch. Later we
will use Nest CLI to run our app.
The application will start to listen for http requests at port 3000 of our
machine.
19/171
Outline
Intro to Nest.js
Introduction
Nest functional structure
Nest project file structure
Nest application from scratch
Nest CLI
API REST clients
20/171
Nest CLI installation
Nest CLI has 6 commands that we can use: new, generate, info, build,
start and add.
21/171
nest new
22/171
nest new
Nest CLI will automatically fill our project directory with all the
necessary files to run a basic Nest application.
23/171
nest new
24/171
nest generate
25/171
nest generate
Using the --help option we can see all possible class files that we
can create with nest generate:
26/171
nest generate
The class files generated using the generate command, will follow
the Nest naming convention by default. We don’t need to specify the
component type in the <name> field to follow Nest naming
convention, the generate command will create the class following it
automatically.
Example:
27/171
nest generate, module generation example
@Module({})
export class MyAppModule {}
28/171
nest generate, controller generation example
We can create a controller and add it directly to an existing app using the
syntax <”existing app name”/”controller name”> as controller name.
For example, if we use the following command:
@Controller('my-handling-logic')
export class MyHandlingLogicController {}
29/171
nest generate, controller generation example
If we do not specify the --flat option Nest CLI will create the new controller
inside a folders controllers (src/myapp/controllers/). For large projects with
lots of files, it can be useful to sort component class files by types in
different folders, but for our scope, it’s not strictly necessary and the Nest
CLI lets us make the choice.
30/171
nest info
31/171
nest build and nest start
$ nest build
$ nest start
To run the app live reload mode, that its whenever changes are
made to the code, live updates are done to the application
(development mode)
32/171
nest add
33/171
Outline
Intro to Nest.js
Introduction
Nest functional structure
Nest project file structure
Nest application from scratch
Nest CLI
API REST clients
34/171
VSCode REST Client extension
To test our application in an easy way manually, we have to use an API client.
Postman is a widely used client, but VSCode’s REST Client extension offers a
lighter option to send custom HTTP requests to our API.
35/171
.http file
Then, to send HTTP requests we have to create a file with .http extension.
The extension will detect it as a known file extension and will highlight the
syntax of the inner code.
36/171
Outline
Intro to Nest.js
Requests
Dependency injection
Persisting data
Logging requests
Authentication
Testing
Tricks
37/171
Outline
Requests
Controllers
Pipes
Services and Repositories
Returning an error
38/171
Controllers
39/171
Controllers
Controller methods can take any name, but need to use decorators like
@Get() and @Post() that accept the route suffix pattern as parameter. The
methods can be either sync or async. The returned HTTP status code is 200
for @Get() and 201 for @Post(), @Patch(), @Put(), etc.
In the controller we also have several parameter decorators for accessing
data in the request:
40/171
Controllers
@Get('suffix/:someParam/moreSuffix')
methodName(@Param() params: any, @Query('optionA'): optionA: string, @Param('someParam') paramA: string) {
this.someService.methodA(optionA);
41/171
Outline
Requests
Controllers
Pipes
Services and Repositories
Returning an error
42/171
Pipes
Pipes validate the data contained within the request. To add ValidationPipe,
for example, we have to:
43/171
ValidationPipe
ValidationPipe allows us to use DTOs for validating the requests to our Nest
application. A Data Transfer Object, or DTO, is used to describe the
properties of the body, query or route parameters of the request. The format
is as follows:
44/171
DTOs
45/171
DTOs
@ValidateNested() will make Nest.js validate the nested DTO. Note that we
also need to change the type.
Finally, we can make attributes optional while preserving type validation. To
do so, we need to use @IsOptional() from class-validator.
46/171
ValidationPipe
47/171
Outline
Requests
Controllers
Pipes
Services and Repositories
Returning an error
48/171
Services and Repositories
Services are used for managing business logic, repositories are used for
managing storage-related logic. Separating the two allows a more modular
structure of our application.
A service uses one or more repositories. A service may end up having the
same method signatures as the repository. Service and repository class
names are of the form ModuleService and ModuleRepository respectively.
The methods in a repository must be async and thus return a Promise.
49/171
Outline
Requests
Controllers
Pipes
Services and Repositories
Returning an error
50/171
Returning an error
51/171
Outline
Intro to Nest.js
Requests
Dependency injection
Persisting data
Logging requests
Authentication
Testing
Tricks
52/171
Outline
Dependency injection
Logic behind DI
Organizing code with modules
53/171
Inversion of control
54/171
How Nest does DI
55/171
How to use DI
56/171
Injection scopes
57/171
Outline
Dependency injection
Logic behind DI
Organizing code with modules
58/171
Importing modules
@Module({
providers: [dependencyClass],
exports: [dependencyClass]
})
export class OtherModule {}
@Module({
imports: [OtherModule],
})
export class ThisModule {}
59/171
How the injector uses modules
This way the module has access to the dependencies listed in the exports
property of the other one. The dependency is still accessed through the
constructor methods.
Now the injector has another list for exported dependencies that can be
used in other injectors. The injector that is importing the dependencies will
have the previously exported classes made available. Note that children of
child modules don’t need to be imported as they’re implicitly injected.
60/171
Outline
Intro to Nest.js
Requests
Dependency injection
Persisting data
Logging requests
Authentication
Testing
Tricks
61/171
Outline
Persisting data
TypeORM
Prisma
TypeORM vs Prisma
VSCode SQLite extension
62/171
TypeORM
63/171
Connect DB
@Module({
imports: [TypeOrmModule.forRoot({
type: 'sqlite',
database: 'db.sqlite',
entities: [],
synchronize: true
})],
controllers: [AppController],
providers: [AppService],
})
Type specifies the type of DBMS. Database tells TypeORM the name of the
database. Entities is the array of entity classes. Synchronize tells TypeORM
whether or not to automatically run migrations, which is dangerous in a
production environment.
64/171
Entities
Entity class files are named name.entity.ts and the class themselves are
named Name, without the Entity suffix. So, for a Users module, the entity will
be named user.entity.ts and the class User.
The main decorators for entities, imported from typeorm, are:
• Entity: Specifies that the class is indeed an entity and a DB table must
be associated with it.
• PrimaryGeneratedColumn: Specifies that the attribute is the primary
key of the table.
• Column: Speficies that the attribute is a column of the table.
65/171
Entities
@Module({
imports: [TypeOrmModule.forFeature([Name])],
controllers: [NamesController],
providers: [NamesService]
})
export class NamesModule {}
66/171
Interacting with DB
A repository is not the same as an entity. The repository, on one hand, is the
interface that allows us to communicate with the database implementation.
The entity, on the other hand, specifies how the data is structured in the
database.
A repository has several methods, all of them are explained in the
documentation.
67/171
Outline
Persisting data
TypeORM
Prisma
TypeORM vs Prisma
VSCode SQLite extension
68/171
Prisma
$ npm i prisma
69/171
Connect DB
This will generate a prisma directory with a schema.prisma file inside it. It
will look like this:
generator client {
provider = "prisma-client-js"
}
datasource db {
provider = "sqlite"
url = env("DATABASE_URL")
}
The datasource db part specifies what DBMS to use and what url in the .env
file is used to connect. This file will be generated in the root directory and
will have a DATABASE_URL variable. We set its value to ”file:./dev.db” so that
the SQLite database is stored in a file. With other DBMS it will be necessary
to connect to the specific URL of the database server.
70/171
Connect DB
We will need to implement an injectable service. This will extend the Prisma
client to make it work with the Nest.js injectors. We need to create a file
named prisma.service.ts in the src/prisma directory:
@Injectable()
export class PrismaService extends PrismaClient implements OnModuleInit {
async onModuleInit() {
await this.$connect();
}
71/171
Connect DB
@Module({
providers: [PrismaService],
exports: [PrismaService]
})
export class PrismaModule {}
Now the module can be imported wherever we want to use its service.
72/171
Connect DB
VSCode may complain about the class still not being updated. A quick
solution is to close and run the program again.
73/171
Models
model Name {}
If we’re using the Prisma extension for VSCode, it will tell us that a unique or
id attribue is needed. In Prisma attributes define extra properties to the
column. Each column follows the format:
Examples of Type are: Int, Float, String, Date, DateTime and Boolean.
Examples of attributes are @id, @default and @unique.
Attributes can also be block-based. A block is a grouping of two or more
columns. Block-based attributes require an array as an argument and are
declared at the end of the model.
74/171
Models
The command will generate the migrations and database file inside the
prisma directory. In this case, a migration named init will be created and
run. Also, dev indicates that we are in a development environment. In a
production environment we would use deploy.
75/171
Interacting with DB
76/171
Outline
Persisting data
TypeORM
Prisma
TypeORM vs Prisma
VSCode SQLite extension
77/171
TypeORM vs Prisma
Both TypeORM and Prisma are very popular ORMs. However, TypeORM is
slightly more popular than Prisma. But Prisma has better documentation
than TypeORM.
Both have a CLI. Nevertheless, Prisma has more tools than TypeORM, like
Prisma Studio. Another plus of Prisma is cursor-based pagination.
78/171
Outline
Persisting data
TypeORM
Prisma
TypeORM vs Prisma
VSCode SQLite extension
79/171
VSCode SQLite extension
With Ctrl+Shift+P we can then search for “SQLite: Open Database” to start
exploring the database in a new section of the explorer tab.
80/171
Outline
Intro to Nest.js
Requests
Dependency injection
Persisting data
Logging requests
Authentication
Testing
Tricks
81/171
Outline
82/171
Import
TypeORM
Prisma
83/171
Outline
84/171
Constructor
TypeORM
Prisma
85/171
Outline
86/171
Create
TypeORM uses hooks, which are methods called when modifying the
database records.
TypeORM
Prisma
87/171
Outline
88/171
Read
We can find one record by its primary key, or find the first one by matching
properties or find many by matching properties.
this.repo.findOne(pk);
this.repo.findOne({
key1: val1,
key2: val2
});
this.repo.find({
key1: val1,
key2: val2
});
TypeORM
89/171
Read
this.prisma.name.findUnique({
where: { pk }
});
this.prisma.name.findFirst({
where: {
key1: val1,
key2: val2
}
});
this.prisma.name.findMany({
where: {
key1: val1,
key2: val2
}
});
Prisma
90/171
Outline
91/171
Partial
This is useful for when we don’t want to specify again all the properties of a
model/entity. Partial is native to TypeScript. Note that in Prisma we get the
entities from @prisma/client.
whatever: Partial<Name>;
TypeORM
Prisma
92/171
Outline
93/171
Update
partial: Partial<Name>;
partial = some_partial_obj;
const name = await this.repo.findOne(pk);
Object.assign(name, partial);
Allow hooks to execute after create.
return this.repo.save(name);
TypeORM
partial: Partial<Name>;
partial = some_partial_obj;
return this.prisma.name.update({
data: partial,
where: { pk }
})
Prisma
94/171
Outline
95/171
Delete
TypeORM
this.prisma.name.delete({
where: { pk }
});
this.prisma.name.deleteMany({
where: {
key1: val1,
key2: val2
}
});
Prisma
96/171
Outline
97/171
NotFoundException
if(!await this.repo.findOne(pk))
throw new NotFoundException()
TypeORM
Prisma
98/171
Outline
Intro to Nest.js
Requests
Dependency injection
Persisting data
Logging requests
Authentication
Testing
Tricks
99/171
Outline
Logging requests
Logger
Interceptor
Logger with requestId
Logger with setContext()
Bare logger
100/171
Logger
101/171
Outline
Logging requests
Logger
Interceptor
Logger with requestId
Logger with setContext()
Bare logger
102/171
Interceptors
They are useful for binding extra logic before and after method execution.
They can also transform the returned value or the thrown exception.
* Interceptors are not middlewares. They both behave similarly.
103/171
How to
104/171
Example
@Injectable()
export class LoggingInterceptor implements NestInterceptor {
intercept(context: ExecutionContext, next: CallHandler): Observable<any> {
console.log('Before ');
105/171
Outline
Logging requests
Logger
Interceptor
Logger with requestId
Logger with setContext()
Bare logger
106/171
RequestIdInterceptor
We can build an interceptor that will modify the request with requestId. This
can be helpful if we want to identify each request in the logs.
@Injectable()
export class ReqestIdInterceptor implements NestInterceptor {
intercept(ctx: ExecutionContext, next: CallHandler): Observable<any> {
const reqId = Math.floor(Math.random() * 999999);
const reqIdStr = reqId.toString().padStart(6, '0');
ctx.switchToHttp().getRequest().requestId = reqIdStr;
return next.handle();
}
}
107/171
RequestIdMiddleware
Note that here we are importing from the express package and thus we are
working at a lower level. The middleware should be used like in regular
Express:
108/171
LoggerService
@Injectable()
export class CustomLoggerService extends ConsoleLogger {
constructor(@Inject(REQUEST) private readonly req: any = undefined) {
super();
if (this.req) this.context = this.req.requestId;
}
109/171
LoggerService
110/171
Outline
Logging requests
Logger
Interceptor
Logger with requestId
Logger with setContext()
Bare logger
111/171
RequestIdInterceptor
Or, in the case that we are using logger directly in the interceptor, we can
ditch the requestId and use logger.setContext() directly.
@Injectable()
export class ReqestIdInterceptor implements NestInterceptor {
constructor(private readonly logger: CustomLoggerService = undefined) {}
return next.handle();
}
}
112/171
LoggerService
113/171
Outline
Logging requests
Logger
Interceptor
Logger with requestId
Logger with setContext()
Bare logger
114/171
Bare logger
115/171
Outline
Intro to Nest.js
Requests
Dependency injection
Persisting data
Logging requests
Authentication
Testing
Tricks
116/171
Outline
117/171
Exclude function
118/171
Outline
119/171
Exclude with interceptor
120/171
Exclude with interceptor
121/171
Outline
Intro to Nest.js
Requests
Dependency injection
Persisting data
Logging requests
Authentication
Testing
Tricks
122/171
Outline
Authentication
Hashing passwords
Session
Custom decorator
Guard
JWT
123/171
register
We will use salted hashes for storing the passwords on the database:
124/171
authenticate
return user;
}
125/171
AuthService
@Injectable()
export class AuthService {
constructor(private usersService: UsersService) {}
async register(email: string, password: string) { }
async authenticate(email: string, password: string) { }
}
126/171
Outline
Authentication
Hashing passwords
Session
Custom decorator
Guard
JWT
127/171
Session
128/171
Session
Due to Nest.js using tsconfig.json, we have to use the require syntax for
cookie-session instead. If we have installed Prisma, the .env file will be
located in the root directory.
Then, in the controller we will have to import Session from
@nestjs/common. The session is used as an argument with:
And then we can access every property of the session cookie in the route
handler. We can now assign the id of the user to the session whenever a
successful login or registration is done. And we remove this id when the user
signs out.
129/171
Outline
Authentication
Hashing passwords
Session
Custom decorator
Guard
JWT
130/171
Custom decorator
We may want to add a custom param decorator with the current user in
some route handlers.
We create a new src/users/decorators/current-user.decorator.ts file. Inside
we want to export a const with createParamDecorator(), which will turn the
variable into a param decorator:
131/171
Custom decorator
The function uses a callback whose return value is assigned to the argument
of the route handler. The callback function inside createParamDecorator()
has two parameters:
• The first one is the argument we put whenever we call the decorator.
We can change the data type to never so it tells other developers that
the decorator doesn’t accept any arguments.
• The second one is the execution context. It can be of type HTTP, RPC or
WebSocket.
Now we can access the userId through the HTTP request and use it to gather
the User from the UserService. However, there’s a caveat. We can’t use the
injector from the decorator to interact with UserService. For it to work we
will need an interceptor.
132/171
Custom decorator
Since the decorator has access to the request, the new interceptor will query
the service for the user and add it to the request object. We create a new
src/users/interceptors/current-user.interceptor.ts file:
@Injectable()
export class CurrentUserInterceptor implements NestInterceptor {
constructor(private userService: UsersService) {}
if (userId) {
const user = await this.userService.findOne(userId);
request.currentUser = user;
}
return handler.handle();
}
}
Now the decorator has access to the current user. Note that the request, and
the current user, can also be accessed from the controller, but we want to
have the decorator functionality. 133/171
Custom decorator
{
provide: APP_INTERCEPTOR, APP_INTERCEPTOR is imported from @nestjs/core.
useClass: CurrentUserInterceptor
}
This will make the interceptor available everywhere in our application. Note
that global-scoped interceptors will always execute. So adding too many will
be detrimental to the performance.
134/171
Outline
Authentication
Hashing passwords
Session
Custom decorator
Guard
JWT
135/171
Guard
We may want to restrict some routes to signed in users only. This is done
with a guard.
A guard is a class that, as its name suggests, protects a route handler. A
guard adds requirements in a route. This requierement is analyzed with the
canActivate() method. Guards can be global-scoped, controller-scoped or
handler-scoped.
We create a src/guards/auth.guard.ts file:
Authentication
Hashing passwords
Session
Custom decorator
Guard
JWT
137/171
JWT
We may also want to use a JWT, JSON Web Token, to authenticate the client.
Now we can import the JwtModule and inject JwtService from @nestjs/jwt
where we need it.
JwtModule.register({
global: true,
secret: process.env.JWT_SECRET,
signOptions: { expiresIn: '60s' },
})
The secret is used to sign the JWT. The signed JWT is later verified in the
guard. The global property tells Nest to apply the module globally in our
application.
138/171
JWT
139/171
Outline
Intro to Nest.js
Requests
Dependency injection
Persisting data
Logging requests
Authentication
Testing
Tricks
140/171
Outline
Testing
Unit testing
E2E testing
141/171
Unit testing
Unit tests allow us to check that the behaviour of functions inside a class
are as expected. Unit tests are defined inside the src directory. The files
follow the name.type.spec.ts nomenclature. For example, a UsersController
might have a users.controller.spec.ts test file.
142/171
Mock dependencies
To avoid having to generate all the dependencies through the injector, we’re
going to create a testing module in the test file. Before delving into how this
module is coded, it’s important to see how we can load an arbitrary object
faking a dependency. It’s done so as follows:
{
provide: LegitimateService,
useValue: mockLegitimateService
}
143/171
Mock dependencies
Nest.js uses the Jest package for testing. Jest functions and methods don’t
need to be imported as they are automatically added to the global scope.
However, using it with Prisma while keeping type-safety is tricky. A solution
is to use arrow functions with Promise.resolve(returnVal). But we will have to
specify all mocked methods as async/await to return a Promise instead of a
PrismaPromise. Moreover, it is recommended to use
Partial<LegitimateService> as the type of the object so we have proper
type-safety.
144/171
Running tests
To run tests:
To speed up the tests, replace the test:watch line in the package.json file
and change it to:
145/171
Understanding the code
The basic layout for a test, with the previous authentication service as an
example, is as follows:
146/171
Understanding the code
147/171
Intelligent mocks
For simple methods in the mock service, we can instead use a global array
for storing values. This way we can simulate the database. Note that changes
are no longer local and that each it is executed in sequential order.
148/171
Outline
Testing
Unit testing
E2E testing
149/171
E2E testing
E2E, or end-to-end, testing allows us to check that the behaviour to the end
user is as expected. Instead of having one unit test for each
service/controller, only a single E2E suite (set of tests) is needed. The E2E
suite is stored in the tests directory.
Here we are not testing a single service/controller, but the whole
application. Hence, we don’t need to mock any dependencies. However, we
may want to remove some providers. To do so, we simply have to add
.overrideProvider(ServiceToRemove).useValue(null) before .compile().
150/171
Running tests
151/171
Running tests
1 {
2 "moduleFileExtensions": ["js", "json", "ts"],
3 "rootDir": ".",
4 "testEnvironment": "node",
5 "testRegex": ".e2e.spec.ts$",
6 "transform": {
7 "^.+ .(t|j)s$": "ts-jest"
8 },
9 "moduleNameMapper": {
10 "^src/(.*)$": "<rootDir>/ /src/$1"
11 }
12 }
152/171
Running tests
Since we are running tests sequentially, it’s interesting to make a test fail if
the previous one did. To do this we import fail from the assert package. This
way we can check for a condition at the start of the ’it’ callback and call a fail
if needed. This is useful if we want to avoid doing unnecessary operations.
Moreover, we may find that some of the calls may take too long and fail. By
default Jest has a timeout of 5000 ms. We can change it with
jest.setTimeout(), in milliseconds.
153/171
Running tests
154/171
Running tests
it('as X: do a Z', () {
if (!previousObject) fail('missing previousObject');
const body = {
name: previousObject.name,
type: 'animal'
};
request(client).post('/api/do-a-z').set('Authorization', `Bearer ${jwt}`).send(body).expect(201);
});
155/171
Outline
Intro to Nest.js
Requests
Dependency injection
Persisting data
Logging requests
Authentication
Testing
Tricks
156/171
Outline
Tricks
Request lifecycle
Error handling
API service
Cron job
Swagger
157/171
Request lifecycle
1. Incoming request
2. Globally bound middleware
3. Module bound middleware
4. Global guards
5. Controller guards
6. Route guards
7. Global interceptors (pre-controller)
8. Controller interceptors (pre-controller)
9. Route interceptors (pre-controller)
10. Global pipes
158/171
Request lifecycle
159/171
Outline
Tricks
Request lifecycle
Error handling
API service
Cron job
Swagger
160/171
Error handling
handle here
}
}
161/171
Outline
Tricks
Request lifecycle
Error handling
API service
Cron job
Swagger
162/171
API service
We can use this service fer fetching data from a remote API. It also provides
validation of request and response data with DTOs.
@Injectable()
export class ApiService {
constructor(private readonly httpService: HttpService) {}
163/171
API service
private async _call(endpoint: string, body: any = {}, reqDto: any, resDto: any = undefined): Promise<any> {
await this._validate(body, reqDto);
try {
var { data } = await firstValueFrom(this.httpService.post(endpoint, body));
} catch (error) {
throw new BadGatewayException();
}
164/171
Outline
Tricks
Request lifecycle
Error handling
API service
Cron job
Swagger
165/171
Cron job
Cron jobs are scheduled tasks in the operative system. They follow the
format:
1 * * * * * command
2 | | | | |
3 | | | | day of week
4 | | | months
5 | | day of month
6 | hours
7 minutes
166/171
Cron job
To start using the functionality, we only need to use the @Cron() decorator
in a service method. The decorator accepts a string following the ”* * * * * *”
format (which also allows seconds):
1 * * * * * *
2 | | | | | |
3 | | | | | day of week
4 | | | | months
5 | | | day of month
6 | | hours
7 | minutes
8 seconds (optional)
Be wary that cron jobs fall outside of dependency injection. This means that
we need to use static providers aka ”regular classes”. We need to instantiate
each dependency manually.
167/171
Outline
Tricks
Request lifecycle
Error handling
API service
Cron job
Swagger
168/171
Swagger
169/171
Swagger
170/171
Swagger
1 {
2 "$schema": "https: json.schemastore.org/nest-cli",
3 "collection": "@nestjs/schematics",
4 "sourceRoot": "src",
5 "compilerOptions": {
6 "deleteOutDir": true,
7 "plugins": ["@nestjs/swagger"]
8 }
9 }
171/171