不要在框架 NestJS 中通过 e2e 测试
Do not pass e2e tests in framework NestJS
我使用 NestJS 框架。使用 @nestjs/typeorm 时,我创建了一个包含用户的存储库。使用这种方法创建存储库,我的e2e 测试。使用数据库时,所有数据都已成功保存。连接没有问题。这是我的文件:
app.module.ts
import { Module } from '@nestjs/common';
import { TypeOrmModule } from '@nestjs/typeorm';
import { Connection } from 'typeorm';
import { AuthModule } from './modules/auth/auth.module';
@Module({
imports: [
TypeOrmModule.forRoot(),
AuthModule,
],
})
export class AppModule {
constructor(private readonly connection: Connection) { }
}
auth.module.ts
import { Module } from '@nestjs/common';
import { TypeOrmModule } from '@nestjs/typeorm';
import { AuthService } from './auth.service';
import { AuthController } from './auth.controller';
import { Users } from '../../entity/Users';
@Module({
imports: [TypeOrmModule.forFeature([Users])],
controllers: [AuthController],
providers: [AuthService],
})
export class AuthModule {}
auth.service.ts
...
// my repo
constructor(
@InjectRepository(Users)
private readonly usersRepository: Repository<Users>,
) { }
...
app.e2e-spec.ts
import { INestApplication } from '@nestjs/common';
import { Test } from '@nestjs/testing';
import * as request from 'supertest';
import { AppModule } from './../src/app.module';
describe('AppController (e2e)', () => {
let app: INestApplication;
beforeAll(async () => {
const moduleFixture = await Test.createTestingModule({
imports: [AppModule],
}).compile();
app = moduleFixture.createNestApplication();
await app.init();
});
it('/ (GET)', () => {
return request(app.getHttpServer())
.get('/')
.expect(404)
.expect('{"statusCode":404,"error":"Not Found","message":"Cannot GET /"}'); //todo fix me
});
});
一切都是按照文档写的。当你运行npm运行test:e2e时,控制台报如下错误:
> project@0.0.0 test:e2e
> jest --config ./test/jest-e2e.json
[Nest] 7206 - 2/2/2019, 5:06:52 PM [TypeOrmModule] Unable to connect to the database. Retrying (1)...
Error: getaddrinfo ENOTFOUND postgres postgres:5432
at GetAddrInfoReqWrap.onlookup [as oncomplete] (dns.js:57:26)
[Nest] 7206 - 2/2/2019, 5:06:55 PM [TypeOrmModule] Unable to connect to the database. Retrying (2)... +3234ms
Error: getaddrinfo ENOTFOUND postgres postgres:5432
at GetAddrInfoReqWrap.onlookup [as oncomplete] (dns.js:57:26)
FAIL test/app.e2e-spec.ts (6.198s)
AppController (e2e)
✕ / (GET) (6ms)
● AppController (e2e) › / (GET)
Timeout - Async callback was not invoked within the 5000ms timeout specified by jest.setTimeout.
at mapper (../node_modules/jest-jasmine2/build/queue_runner.js:41:52)
● AppController (e2e) › / (GET)
TypeError: Cannot read property 'getHttpServer' of undefined
17 |
18 | it('/ (GET)', () => {
> 19 | return request(app.getHttpServer())
| ^
20 | .get('/')
21 | .expect(404)
22 | .expect('{"statusCode":404,"error":"Not Found","message":"Cannot GET /"}'); // todo fix me
at Object.<anonymous> (app.e2e-spec.ts:19:24)
请帮帮我!
确保根据 https://docs.nestjs.com/fundamentals/testing#end-to-end-testing 中的示例使用 app.close()
关闭 app
对象。
即使您输入了错误的 api 路径,也会发生该错误。它不会记录错误,但它总是会抛出您显示的那一行。我也有类似的问题,我将 globalPrefix 设置为 /api
并且在我的测试中我忘记了它的另一个嵌套应用程序实例,因此从 e2e 模拟中删除 /api/ 修复了所有问题。
从不在单元测试中使用 TypeOrmModule
。它将连接到数据库。当您的数据库未启动时,您将无法 运行 单元测试。
试试这个例子。
// mytest.e2e-spec.ts
import * as request from 'supertest';
import { Test } from "@nestjs/testing";
import { INestApplication } from '@nestjs/common';
import { MyTestsController } from './myTests.controller';
import { MyTestsService } from ".";
import { Warehouse } from './myTest.entity';
import { getRepositoryToken } from '@nestjs/typeorm';
describe("MyTestsController (e2e)", () => {
let app: INestApplication;
const myTests = [
{
id: "1ccc2222a-8072-4ff0-b5ff-103cc85f3be6",
name: "Name #1",
}
];
const myTestsCount = 1;
const getAllResult = { myTests, myTestsCount };
// Mock data for service
let myTestsService = { getAll: () => getAllResult };
beforeAll(async () => {
const module = await Test.createTestingModule({
providers: [
MyTestsService,
{
provide: getRepositoryToken(Warehouse),
useValue: myTestsService
}
],
controllers: [MyTestsController],
})
.overrideProvider(MyTestsService)
.useValue(myTestsService)
.compile();
app = module.createNestApplication();
await app.init();
});
beforeEach(async () => {});
it(`/GET all myTests`, async() => {
return await request(app.getHttpServer())
.get('/myTests')
.expect(200)
.expect(myTestsService.getAll());
});
afterAll(async () => {
await app.close();
});
});
和服务
// myTests.service.ts
public async getAll(query?): Promise<myTestsRO> {
const qb = await this.repo.createQueryBuilder("myTests");
const myTestsCount = await qb.getCount();
if ("limit" in query) {
qb.limit(query.limit);
}
if ("offset" in query) {
qb.offset(query.offset);
}
const myTests = await qb
.getMany()
.then(myTests =>
myTests.map(entity => WarehouseDto.fromEntity(entity))
);
return { myTests, myTestsCount };
}
和控制器
// myTest.controller.ts
@Get()
public async getAll(@Query() query): Promise<myTestsRO> {
try {
return await this.myTestsService.getAll(query);
} catch (error) {
throw new InternalServerErrorException(error.message);
}
}
希望对您有所帮助!
如果你想用模拟编写 e2e 测试,你不需要导入 AppModule
你只需要导入你的 AppController
和 AppService
,这样你就可以避免连接到您的数据库并使用模拟来测试整个应用程序流程。
import { INestApplication } from '@nestjs/common';
import { Test } from '@nestjs/testing';
import * as request from 'supertest';
import { AppController } from './../src/app.controller';
import { AppService } from './../src/app.service';
describe('AppController (e2e)', () => {
let app: INestApplication;
beforeAll(async () => {
const moduleFixture = await Test.createTestingModule({
imports: [],
controllers: [AppController],
providers: [AppService],
}).compile();
app = moduleFixture.createNestApplication();
await app.init();
});
it('/ (GET)', () => {
return request(app.getHttpServer())
.get('/')
.expect(404)
.expect('{"statusCode":404,"error":"Not Found","message":"Cannot GET /"}'); //todo fix me
});
});
通过这种方法,您可以获得一个没有 TypeOrmModule
的干净测试模块。
注意:如果您需要模拟服务,Test
有一个方法 overrideProvider
可以覆盖您的服务,还有 useClass
、useValue
或 useFactory
等方法可以提供你的模拟。
如果你想编写一个集成测试来确认所有一起工作正常,你可以覆盖你的 TypeOrmModule
的配置,将它传递给带有新数据库配置的测试模块,如 this post描述。
希望对您有所帮助。
祝你好运。
我使用 NestJS 框架。使用 @nestjs/typeorm 时,我创建了一个包含用户的存储库。使用这种方法创建存储库,我的e2e 测试。使用数据库时,所有数据都已成功保存。连接没有问题。这是我的文件:
app.module.ts
import { Module } from '@nestjs/common';
import { TypeOrmModule } from '@nestjs/typeorm';
import { Connection } from 'typeorm';
import { AuthModule } from './modules/auth/auth.module';
@Module({
imports: [
TypeOrmModule.forRoot(),
AuthModule,
],
})
export class AppModule {
constructor(private readonly connection: Connection) { }
}
auth.module.ts
import { Module } from '@nestjs/common';
import { TypeOrmModule } from '@nestjs/typeorm';
import { AuthService } from './auth.service';
import { AuthController } from './auth.controller';
import { Users } from '../../entity/Users';
@Module({
imports: [TypeOrmModule.forFeature([Users])],
controllers: [AuthController],
providers: [AuthService],
})
export class AuthModule {}
auth.service.ts
...
// my repo
constructor(
@InjectRepository(Users)
private readonly usersRepository: Repository<Users>,
) { }
...
app.e2e-spec.ts
import { INestApplication } from '@nestjs/common';
import { Test } from '@nestjs/testing';
import * as request from 'supertest';
import { AppModule } from './../src/app.module';
describe('AppController (e2e)', () => {
let app: INestApplication;
beforeAll(async () => {
const moduleFixture = await Test.createTestingModule({
imports: [AppModule],
}).compile();
app = moduleFixture.createNestApplication();
await app.init();
});
it('/ (GET)', () => {
return request(app.getHttpServer())
.get('/')
.expect(404)
.expect('{"statusCode":404,"error":"Not Found","message":"Cannot GET /"}'); //todo fix me
});
});
一切都是按照文档写的。当你运行npm运行test:e2e时,控制台报如下错误:
> project@0.0.0 test:e2e
> jest --config ./test/jest-e2e.json
[Nest] 7206 - 2/2/2019, 5:06:52 PM [TypeOrmModule] Unable to connect to the database. Retrying (1)...
Error: getaddrinfo ENOTFOUND postgres postgres:5432
at GetAddrInfoReqWrap.onlookup [as oncomplete] (dns.js:57:26)
[Nest] 7206 - 2/2/2019, 5:06:55 PM [TypeOrmModule] Unable to connect to the database. Retrying (2)... +3234ms
Error: getaddrinfo ENOTFOUND postgres postgres:5432
at GetAddrInfoReqWrap.onlookup [as oncomplete] (dns.js:57:26)
FAIL test/app.e2e-spec.ts (6.198s)
AppController (e2e)
✕ / (GET) (6ms)
● AppController (e2e) › / (GET)
Timeout - Async callback was not invoked within the 5000ms timeout specified by jest.setTimeout.
at mapper (../node_modules/jest-jasmine2/build/queue_runner.js:41:52)
● AppController (e2e) › / (GET)
TypeError: Cannot read property 'getHttpServer' of undefined
17 |
18 | it('/ (GET)', () => {
> 19 | return request(app.getHttpServer())
| ^
20 | .get('/')
21 | .expect(404)
22 | .expect('{"statusCode":404,"error":"Not Found","message":"Cannot GET /"}'); // todo fix me
at Object.<anonymous> (app.e2e-spec.ts:19:24)
请帮帮我!
确保根据 https://docs.nestjs.com/fundamentals/testing#end-to-end-testing 中的示例使用 app.close()
关闭 app
对象。
即使您输入了错误的 api 路径,也会发生该错误。它不会记录错误,但它总是会抛出您显示的那一行。我也有类似的问题,我将 globalPrefix 设置为 /api
并且在我的测试中我忘记了它的另一个嵌套应用程序实例,因此从 e2e 模拟中删除 /api/ 修复了所有问题。
从不在单元测试中使用 TypeOrmModule
。它将连接到数据库。当您的数据库未启动时,您将无法 运行 单元测试。
试试这个例子。
// mytest.e2e-spec.ts
import * as request from 'supertest';
import { Test } from "@nestjs/testing";
import { INestApplication } from '@nestjs/common';
import { MyTestsController } from './myTests.controller';
import { MyTestsService } from ".";
import { Warehouse } from './myTest.entity';
import { getRepositoryToken } from '@nestjs/typeorm';
describe("MyTestsController (e2e)", () => {
let app: INestApplication;
const myTests = [
{
id: "1ccc2222a-8072-4ff0-b5ff-103cc85f3be6",
name: "Name #1",
}
];
const myTestsCount = 1;
const getAllResult = { myTests, myTestsCount };
// Mock data for service
let myTestsService = { getAll: () => getAllResult };
beforeAll(async () => {
const module = await Test.createTestingModule({
providers: [
MyTestsService,
{
provide: getRepositoryToken(Warehouse),
useValue: myTestsService
}
],
controllers: [MyTestsController],
})
.overrideProvider(MyTestsService)
.useValue(myTestsService)
.compile();
app = module.createNestApplication();
await app.init();
});
beforeEach(async () => {});
it(`/GET all myTests`, async() => {
return await request(app.getHttpServer())
.get('/myTests')
.expect(200)
.expect(myTestsService.getAll());
});
afterAll(async () => {
await app.close();
});
});
和服务
// myTests.service.ts
public async getAll(query?): Promise<myTestsRO> {
const qb = await this.repo.createQueryBuilder("myTests");
const myTestsCount = await qb.getCount();
if ("limit" in query) {
qb.limit(query.limit);
}
if ("offset" in query) {
qb.offset(query.offset);
}
const myTests = await qb
.getMany()
.then(myTests =>
myTests.map(entity => WarehouseDto.fromEntity(entity))
);
return { myTests, myTestsCount };
}
和控制器
// myTest.controller.ts
@Get()
public async getAll(@Query() query): Promise<myTestsRO> {
try {
return await this.myTestsService.getAll(query);
} catch (error) {
throw new InternalServerErrorException(error.message);
}
}
希望对您有所帮助!
如果你想用模拟编写 e2e 测试,你不需要导入 AppModule
你只需要导入你的 AppController
和 AppService
,这样你就可以避免连接到您的数据库并使用模拟来测试整个应用程序流程。
import { INestApplication } from '@nestjs/common';
import { Test } from '@nestjs/testing';
import * as request from 'supertest';
import { AppController } from './../src/app.controller';
import { AppService } from './../src/app.service';
describe('AppController (e2e)', () => {
let app: INestApplication;
beforeAll(async () => {
const moduleFixture = await Test.createTestingModule({
imports: [],
controllers: [AppController],
providers: [AppService],
}).compile();
app = moduleFixture.createNestApplication();
await app.init();
});
it('/ (GET)', () => {
return request(app.getHttpServer())
.get('/')
.expect(404)
.expect('{"statusCode":404,"error":"Not Found","message":"Cannot GET /"}'); //todo fix me
});
});
通过这种方法,您可以获得一个没有 TypeOrmModule
的干净测试模块。
注意:如果您需要模拟服务,Test
有一个方法 overrideProvider
可以覆盖您的服务,还有 useClass
、useValue
或 useFactory
等方法可以提供你的模拟。
如果你想编写一个集成测试来确认所有一起工作正常,你可以覆盖你的 TypeOrmModule
的配置,将它传递给带有新数据库配置的测试模块,如 this post描述。
希望对您有所帮助。 祝你好运。