| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430 |
- import { describe, it, expect, beforeEach } from 'vitest';
- import { testClient } from 'hono/testing';
- import {
- IntegrationTestDatabase,
- setupIntegrationDatabaseHooks,
- TestDataFactory
- } from '~/utils/server/integration-test-db';
- import { IntegrationTestAssertions } from '~/utils/server/integration-test-utils';
- import { userRoutes } from '@/server/api';
- import { AuthService } from '@/server/modules/auth/auth.service';
- import { UserService } from '@/server/modules/users/user.service';
- // 设置集成测试钩子
- setupIntegrationDatabaseHooks()
- describe('用户API集成测试 (使用hono/testing)', () => {
- let client: ReturnType<typeof testClient<typeof userRoutes>>['api']['v1'];
- let testToken: string;
- beforeEach(async () => {
- // 创建测试客户端
- client = testClient(userRoutes).api.v1;
- // 创建测试用户并生成token
- const dataSource = await IntegrationTestDatabase.getDataSource();
- const userService = new UserService(dataSource);
- const authService = new AuthService(userService);
- // 确保admin用户存在
- const user = await authService.ensureAdminExists();
- // 生成admin用户的token
- testToken = authService.generateToken(user);
- // 设置默认认证头 - 需要在每个请求中手动添加
- });
- describe('用户创建测试', () => {
- it('应该成功创建用户', async () => {
- const userData = {
- username: 'testuser_create',
- email: 'testcreate@example.com',
- password: 'TestPassword123!',
- name: 'Test User',
- phone: '13800138000'
- };
- const response = await client.users.$post({
- json: userData,
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- // 断言响应
- expect(response.status).toBe(201);
- if (response.status === 201) {
- const responseData = await response.json();
- expect(responseData).toHaveProperty('id');
- expect(responseData.username).toBe(userData.username);
- expect(responseData.email).toBe(userData.email);
- expect(responseData.name).toBe(userData.name);
- // 断言数据库中存在用户
- await IntegrationTestAssertions.expectUserToExist(userData.username);
- }
- });
- it('应该拒绝创建重复用户名的用户', async () => {
- const dataSource = await IntegrationTestDatabase.getDataSource();
- if (!dataSource) throw new Error('Database not initialized');
- // 先创建一个用户
- await TestDataFactory.createTestUser(dataSource, {
- username: 'duplicate_user'
- });
- // 尝试创建相同用户名的用户
- const userData = {
- username: 'duplicate_user',
- email: 'different@example.com',
- password: 'TestPassword123!',
- name: 'Test User'
- };
- const response = await client.users.$post({
- json: userData
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- // 应该返回错误
- expect(response.status).toBe(500);
- if (response.status === 500) {
- const responseData = await response.json();
- expect(responseData.message).toContain('duplicate key');
- }
- });
- it('应该拒绝创建无效邮箱的用户', async () => {
- const userData = {
- username: 'testuser_invalid_email',
- email: 'invalid-email',
- password: 'TestPassword123!',
- name: 'Test User'
- };
- const response = await client.users.$post({
- json: userData
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- // 应该返回验证错误或服务器错误
- // 根据实际实现,可能是400验证错误或500服务器错误
- expect([400, 500]).toContain(response.status);
- if (response.status === 400) {
- const responseData = await response.json();
- // 检查是否有code属性
- if (responseData.code !== undefined) {
- expect(responseData.code).toBe(400);
- }
- // 检查是否有message属性
- if (responseData.message !== undefined) {
- expect(typeof responseData.message).toBe('string');
- }
- } else if (response.status === 500) {
- const responseData = await response.json();
- expect(responseData.message).toBeDefined();
- }
- });
- });
- describe('用户读取测试', () => {
- it('应该成功获取用户列表', async () => {
- const dataSource = await IntegrationTestDatabase.getDataSource();
- if (!dataSource) throw new Error('Database not initialized');
- // 创建几个测试用户
- await TestDataFactory.createTestUser(dataSource, { username: 'user1' });
- await TestDataFactory.createTestUser(dataSource, { username: 'user2' });
- const response = await client.users.$get({
- query: {}
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- expect(response.status).toBe(200);
- if (response.status === 200) {
- const responseData = await response.json();
- expect(Array.isArray(responseData.data)).toBe(true);
- expect(responseData.data.length).toBeGreaterThanOrEqual(2);
- }
- });
- it('应该成功获取单个用户详情', async () => {
- const dataSource = await IntegrationTestDatabase.getDataSource();
- if (!dataSource) throw new Error('Database not initialized');
- const testUser = await TestDataFactory.createTestUser(dataSource, {
- username: 'testuser_detail'
- });
- const response = await client.users[':id'].$get({
- param: { id: testUser.id }
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- expect(response.status).toBe(200);
- if (response.status === 200) {
- const responseData = await response.json();
- expect(responseData.id).toBe(testUser.id);
- expect(responseData.username).toBe(testUser.username);
- expect(responseData.email).toBe(testUser.email);
- }
- });
- it('应该返回404当用户不存在时', async () => {
- const response = await client.users[':id'].$get({
- param: { id: 999999 }
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- expect(response.status).toBe(404);
- if (response.status === 404) {
- const responseData = await response.json();
- expect(responseData.message).toContain('资源不存在');
- }
- });
- });
- describe('用户更新测试', () => {
- it('应该成功更新用户信息', async () => {
- const dataSource = await IntegrationTestDatabase.getDataSource();
- if (!dataSource) throw new Error('Database not initialized');
- const testUser = await TestDataFactory.createTestUser(dataSource, {
- username: 'testuser_update'
- });
- const updateData = {
- name: 'Updated Name',
- email: 'updated@example.com'
- };
- const response = await client.users[':id'].$put({
- param: { id: testUser.id },
- json: updateData
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- expect(response.status).toBe(200);
- if (response.status === 200) {
- const responseData = await response.json();
- expect(responseData.name).toBe(updateData.name);
- expect(responseData.email).toBe(updateData.email);
- }
- // 验证数据库中的更新
- const getResponse = await client.users[':id'].$get({
- param: { id: testUser.id }
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- if (getResponse.status === 200) {
- expect(getResponse.status).toBe(200);
- const getResponseData = await getResponse.json();
- expect(getResponseData.name).toBe(updateData.name);
- }else{
- const getResponseData = await getResponse.json();
- process.stderr.write('message:'+ getResponseData.message +"\n");
- }
- });
- it('应该返回404当更新不存在的用户时', async () => {
- const updateData = {
- name: 'Updated Name',
- email: 'updated@example.com'
- };
- const response = await client.users[':id'].$put({
- param: { id: 999999 },
- json: updateData
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- expect(response.status).toBe(404);
- if (response.status === 404) {
- const responseData = await response.json();
- expect(responseData.message).toContain('资源不存在');
- }
- });
- });
- describe('用户删除测试', () => {
- it('应该成功删除用户', async () => {
- const dataSource = await IntegrationTestDatabase.getDataSource();
- if (!dataSource) throw new Error('Database not initialized');
- const testUser = await TestDataFactory.createTestUser(dataSource, {
- username: 'testuser_delete'
- });
- const response = await client.users[':id'].$delete({
- param: { id: testUser.id }
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- IntegrationTestAssertions.expectStatus(response, 204);
- // 验证用户已从数据库中删除
- await IntegrationTestAssertions.expectUserNotToExist('testuser_delete');
- // 验证再次获取用户返回404
- const getResponse = await client.users[':id'].$get({
- param: { id: testUser.id }
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- IntegrationTestAssertions.expectStatus(getResponse, 404);
- });
- it('应该返回404当删除不存在的用户时', async () => {
- const response = await client.users[':id'].$delete({
- param: { id: 999999 }
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- IntegrationTestAssertions.expectStatus(response, 404);
- if (response.status === 404) {
- const responseData = await response.json();
- expect(responseData.message).toContain('资源不存在');
- }
- });
- });
- describe('用户搜索测试', () => {
- it('应该能够按用户名搜索用户', async () => {
- const dataSource = await IntegrationTestDatabase.getDataSource();
- if (!dataSource) throw new Error('Database not initialized');
- await TestDataFactory.createTestUser(dataSource, { username: 'search_user_1', email: 'search1@example.com' });
- await TestDataFactory.createTestUser(dataSource, { username: 'search_user_2', email: 'search2@example.com' });
- await TestDataFactory.createTestUser(dataSource, { username: 'other_user', email: 'other@example.com' });
- const response = await client.users.$get({
- query: { keyword: 'search_user' }
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- IntegrationTestAssertions.expectStatus(response, 200);
- if (response.status === 200) {
- const responseData = await response.json();
- expect(Array.isArray(responseData.data)).toBe(true);
- expect(responseData.data.length).toBe(2);
- // 验证搜索结果包含正确的用户
- const usernames = responseData.data.map((user: any) => user.username);
- expect(usernames).toContain('search_user_1');
- expect(usernames).toContain('search_user_2');
- expect(usernames).not.toContain('other_user');
- }
- });
- it('应该能够按邮箱搜索用户', async () => {
- const dataSource = await IntegrationTestDatabase.getDataSource();
- if (!dataSource) throw new Error('Database not initialized');
- await TestDataFactory.createTestUser(dataSource, { username: 'user_email_1', email: 'test.email1@example.com' });
- await TestDataFactory.createTestUser(dataSource, { username: 'user_email_2', email: 'test.email2@example.com' });
- const response = await client.users.$get({
- query: { keyword: 'test.email' }
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- IntegrationTestAssertions.expectStatus(response, 200);
- if (response.status === 200) {
- const responseData = await response.json();
- expect(responseData.data.length).toBe(2);
- const emails = responseData.data.map((user: any) => user.email);
- expect(emails).toContain('test.email1@example.com');
- expect(emails).toContain('test.email2@example.com');
- }
- });
- });
- describe('性能测试', () => {
- it('用户列表查询响应时间应小于200ms', async () => {
- const dataSource = await IntegrationTestDatabase.getDataSource();
- if (!dataSource) throw new Error('Database not initialized');
- // 创建一些测试数据
- for (let i = 0; i < 10; i++) {
- await TestDataFactory.createTestUser(dataSource, {
- username: `perf_user_${i}`,
- email: `perf${i}@example.com`
- });
- }
- const startTime = Date.now();
- const response = await client.users.$get({
- query: {}
- },
- {
- headers: {
- 'Authorization': `Bearer ${testToken}`
- }
- });
- const endTime = Date.now();
- const responseTime = endTime - startTime;
- IntegrationTestAssertions.expectStatus(response, 200);
- expect(responseTime).toBeLessThan(200); // 响应时间应小于200ms
- });
- });
- });
|