| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965 |
- import { TIMEOUTS } from '../../utils/timeouts';
- import { test, expect } from '../../utils/test-setup';
- import { readFileSync } from 'fs';
- import { join, dirname } from 'path';
- import { fileURLToPath } from 'url';
- import type { Page } from '@playwright/test';
- const __filename = fileURLToPath(import.meta.url);
- const __dirname = dirname(__filename);
- const testUsers = JSON.parse(readFileSync(join(__dirname, '../../fixtures/test-users.json'), 'utf-8'));
- // 存储 API 创建的测试数据
- let createdPersonName: string | null = null;
- let createdPlatformName: string | null = null;
- let createdCompanyName: string | null = null;
- // 获取认证 token
- async function getAuthToken(request: Parameters<typeof test>[0]['request']): Promise<string | null> {
- const loginResponse = await request.post('http://localhost:8080/api/v1/auth/login', {
- data: {
- username: testUsers.admin.username,
- password: testUsers.admin.password
- }
- });
- if (!loginResponse.ok()) {
- console.debug('API 登录失败:', await loginResponse.text());
- return null;
- }
- const loginData = await loginResponse.json();
- return loginData.data?.token || loginData.token || null;
- }
- // API 调用辅助函数 - 使用 API 直接创建残疾人数据
- async function createDisabledPersonViaAPI(
- request: Parameters<typeof test>[0]['request'],
- personData: {
- name: string;
- gender: string;
- idCard: string;
- disabilityId: string;
- disabilityType: string;
- disabilityLevel: string;
- idAddress: string;
- phone: string;
- province: string;
- city: string;
- }
- ): Promise<{ id: number; name: string } | null> {
- try {
- const token = await getAuthToken(request);
- if (!token) return null;
- const createResponse = await request.post('http://localhost:8080/api/v1/disability/createDisabledPerson', {
- headers: {
- 'Authorization': `Bearer ${token}`,
- 'Content-Type': 'application/json'
- },
- data: personData
- });
- if (!createResponse.ok()) {
- const errorText = await createResponse.text();
- console.debug('API 创建残疾人失败:', createResponse.status(), errorText);
- return null;
- }
- const result = await createResponse.json();
- console.debug('API 创建残疾人成功:', result.name);
- return { id: result.id, name: result.name };
- } catch (error) {
- console.debug('API 调用出错:', error);
- return null;
- }
- }
- // 创建测试平台
- async function createPlatformViaAPI(
- request: Parameters<typeof test>[0]['request']
- ): Promise<{ id: number; name: string } | null> {
- try {
- const token = await getAuthToken(request);
- if (!token) return null;
- const timestamp = Date.now();
- const platformData = {
- platformName: `测试平台_${timestamp}`,
- contactPerson: '测试联系人',
- contactPhone: '13800138000',
- contactEmail: 'test@example.com'
- };
- const createResponse = await request.post('http://localhost:8080/api/v1/platform/createPlatform', {
- headers: {
- 'Authorization': `Bearer ${token}`,
- 'Content-Type': 'application/json'
- },
- data: platformData
- });
- if (!createResponse.ok()) {
- const errorText = await createResponse.text();
- console.debug('API 创建平台失败:', createResponse.status(), errorText);
- return null;
- }
- const result = await createResponse.json();
- console.debug('API 创建平台成功:', result.id, result.platformName);
- return { id: result.id, name: result.platformName };
- } catch (error) {
- console.debug('创建平台 API 调用出错:', error);
- return null;
- }
- }
- // 创建测试公司
- async function createCompanyViaAPI(
- request: Parameters<typeof test>[0]['request'],
- platformId: number
- ): Promise<{ id: number; name: string } | null> {
- try {
- const token = await getAuthToken(request);
- if (!token) return null;
- const timestamp = Date.now();
- const companyName = `测试公司_${timestamp}`;
- const companyData = {
- companyName: companyName,
- platformId: platformId,
- contactPerson: '测试联系人',
- contactPhone: '13900139000',
- contactEmail: 'company@example.com'
- };
- const createResponse = await request.post('http://localhost:8080/api/v1/company/createCompany', {
- headers: {
- 'Authorization': `Bearer ${token}`,
- 'Content-Type': 'application/json'
- },
- data: companyData
- });
- if (!createResponse.ok()) {
- const errorText = await createResponse.text();
- console.debug('API 创建公司失败:', createResponse.status(), errorText);
- return null;
- }
- const createResult = await createResponse.json();
- if (!createResult.success) {
- console.debug('API 创建公司返回 success=false');
- return null;
- }
- // 创建成功后,通过平台ID查询公司列表来获取公司ID
- const listResponse = await request.get(`http://localhost:8080/api/v1/company/getCompaniesByPlatform/${platformId}`, {
- headers: {
- 'Authorization': `Bearer ${token}`
- }
- });
- if (!listResponse.ok()) {
- console.debug('API 获取公司列表失败');
- return null;
- }
- const companies = await listResponse.json();
- const createdCompany = companies.find((c: any) => c.companyName === companyName);
- if (createdCompany) {
- console.debug('API 创建公司成功:', createdCompany.id, createdCompany.companyName);
- return { id: createdCompany.id, name: createdCompany.companyName };
- }
- console.debug('未找到创建的公司');
- return null;
- } catch (error) {
- console.debug('创建公司 API 调用出错:', error);
- return null;
- }
- }
- async function selectDisabledPersonInAddDialog(
- page: Page,
- personName?: string
- ): Promise<boolean> {
- // 监听控制台消息
- page.on('console', msg => {
- console.log('[浏览器控制台]', msg.text());
- });
- const selectPersonButton = page.getByRole('button', { name: '选择残疾人' });
- await selectPersonButton.click();
- // 检查测试标志是否设置
- const testFlag = await page.evaluate(() => (window as any).__PLAYWRIGHT_TEST__);
- console.log('测试标志 __PLAYWRIGHT_TEST__:', testFlag);
- // 使用唯一的 test ID 精确定位残疾人选择对话框
- const dialog = page.getByTestId('disabled-person-selector-dialog');
- // 测试环境:组件会自动选中第一个残疾人并确认,只需等待对话框关闭
- console.log('等待残疾人选择器对话框自动关闭...');
- // 等待对话框消失(自动选择后会关闭)
- await dialog.waitFor({ state: 'hidden', timeout: TIMEOUTS.TABLE_LOAD });
- console.log('残疾人选择器对话框已关闭');
- // 等待一下让状态同步
- await page.waitForTimeout(TIMEOUTS.MEDIUM);
- return true;
- }
- // 全局计数器,确保每个测试生成唯一的数据
- let testDataCounter = 0;
- function generateUniqueTestData() {
- const timestamp = Date.now();
- const counter = ++testDataCounter;
- const random = Math.floor(Math.random() * 10000);
- // 生成18位身份证号:110101(地区码6位) + 19900101(出生日期8位) + XXX(顺序码3位) + X(校验码1位)
- // 使用计数器和随机数作为顺序码,确保唯一性
- const sequenceCode = String(counter).padStart(2, '0') + String(random).slice(0, 1);
- const idCard = '110101' + '19900101' + sequenceCode + '1'; // 6+8+3+1=18位
- return {
- orderName: '测试订单_' + timestamp + '_' + counter + '_' + random,
- personName: '测试残疾人_' + timestamp + '_' + counter + '_' + random,
- // 18位身份证号
- idCard,
- phone: '138' + String(counter).padStart(4, '0') + String(random).padStart(4, '0'),
- gender: '男',
- disabilityType: '视力残疾',
- disabilityLevel: '一级',
- disabilityId: '残疾证' + sequenceCode + String(timestamp).slice(-6),
- idAddress: '北京市东城区测试地址' + timestamp + '_' + counter,
- province: '北京市',
- city: '北京市',
- hireDate: '2025-01-15',
- salary: 5000,
- };
- }
- // 等待订单行出现在表格中
- async function waitForOrderRow(page: Page, orderName: string, timeout = 15000) {
- const startTime = Date.now();
- while (Date.now() - startTime < timeout) {
- const table = page.locator('table');
- const orderRow = table.locator('tbody tr').filter({ hasText: orderName });
- const count = await orderRow.count();
- if (count > 0) {
- console.debug('找到订单行:', orderName);
- return true;
- }
- await page.waitForTimeout(TIMEOUTS.MEDIUM);
- }
- console.debug('等待订单行超时:', orderName);
- return false;
- }
- test.describe('订单人员关联测试', () => {
- test.beforeAll(async ({}) => {
- // 注意:beforeAll 中无法访问 page,所以通过 playwright.config.ts 的 initScripts 设置
- // 这里只是文档说明
- });
- test.beforeEach(async ({ adminLoginPage, orderManagementPage, request, page }) => {
- // 登录
- await adminLoginPage.goto();
- await adminLoginPage.login(testUsers.admin.username, testUsers.admin.password);
- await adminLoginPage.expectLoginSuccess();
- await orderManagementPage.goto();
- // 使用 API 创建平台和公司测试数据
- const createdPlatform = await createPlatformViaAPI(request);
- if (!createdPlatform) {
- console.debug('无法创建平台数据,测试可能被跳过');
- createdPlatformName = null;
- } else {
- createdPlatformName = createdPlatform.name;
- }
- if (createdPlatform) {
- const createdCompany = await createCompanyViaAPI(request, createdPlatform.id);
- if (!createdCompany) {
- console.debug('无法创建公司数据,测试可能被跳过');
- createdCompanyName = null;
- } else {
- createdCompanyName = createdCompany.name;
- }
- }
- // 使用 API 创建残疾人测试数据
- const timestamp = Date.now();
- const random = Math.floor(Math.random() * 10000);
- const personName = `测试残疾人_${timestamp}_${random}`;
- const personData = {
- name: personName,
- gender: '男',
- idCard: `110101199001011${String(random).padStart(4, '0')}`,
- disabilityId: `CJZ${timestamp}${random}`,
- disabilityType: '视力残疾',
- disabilityLevel: '一级',
- idAddress: '北京市东城区测试地址',
- phone: `138${String(random).padStart(8, '0')}`,
- province: '北京市',
- city: '北京市'
- };
- const createdPerson = await createDisabledPersonViaAPI(request, personData);
- if (!createdPerson) {
- console.debug('无法创建残疾人数据,测试可能被跳过');
- createdPersonName = null;
- } else {
- createdPersonName = createdPerson.name;
- console.debug('已创建残疾人:', createdPersonName, 'ID:', createdPerson.id);
- }
- });
- test.describe('添加人员到订单', () => {
- test('应该能打开订单人员管理对话框', async ({ orderManagementPage }) => {
- if (!createdPersonName || !createdPlatformName || !createdCompanyName) {
- test.skip(true, '缺少测试数据(残疾人、平台或公司)');
- return;
- }
- const testData = generateUniqueTestData();
- await orderManagementPage.openCreateDialog();
- await orderManagementPage.page.getByLabel(/订单名称|名称/).fill(testData.orderName);
- // 选择平台
- const platformTrigger = orderManagementPage.page.locator('[data-testid="platform-selector-create"]');
- if (await platformTrigger.count() > 0) {
- await platformTrigger.click();
- await orderManagementPage.page.waitForTimeout(TIMEOUTS.MEDIUM_LONG);
- const allOptions = orderManagementPage.page.getByRole('option');
- const count = await allOptions.count();
- console.debug(`平台选项数量: ${count}`);
- if (count > 0) {
- const platformOption = allOptions.filter({ hasText: createdPlatformName }).first();
- const optionCount = await platformOption.count();
- if (optionCount > 0) {
- await platformOption.click();
- } else {
- console.debug(`未找到平台 ${createdPlatformName},选择第一个可用平台`);
- await allOptions.first().click();
- }
- } else {
- console.debug('平台选项列表为空');
- }
- await orderManagementPage.page.waitForTimeout(TIMEOUTS.VERY_SHORT);
- } else {
- console.debug('平台选择器未找到,跳过平台选择');
- }
- // 选择公司
- const companyTrigger = orderManagementPage.page.locator('[data-testid="company-selector-create"]');
- if (await companyTrigger.count() > 0) {
- await companyTrigger.click();
- await orderManagementPage.page.waitForTimeout(TIMEOUTS.MEDIUM_LONG);
- const allCompanyOptions = orderManagementPage.page.getByRole('option');
- const companyCount = await allCompanyOptions.count();
- console.debug(`公司选项数量: ${companyCount}`);
- if (companyCount > 0) {
- const companyOption = allCompanyOptions.filter({ hasText: createdCompanyName }).first();
- const optionCount = await companyOption.count();
- if (optionCount > 0) {
- await companyOption.click();
- } else {
- console.debug(`未找到公司 ${createdCompanyName},选择第一个可用公司`);
- await allCompanyOptions.first().click();
- }
- } else {
- console.debug('公司选项列表为空');
- }
- await orderManagementPage.page.waitForTimeout(TIMEOUTS.VERY_SHORT);
- } else {
- console.debug('公司选择器未找到,跳过公司选择');
- }
- await orderManagementPage.page.getByLabel(/预计开始日期|开始日期/).fill('2025-01-15');
- const hasPerson = await selectDisabledPersonInAddDialog(orderManagementPage.page, createdPersonName);
- if (!hasPerson) {
- await orderManagementPage.cancelDialog();
- test.skip(true, '没有可用的残疾人数据');
- return;
- }
- // 等待残疾人选择对话框关闭,检查是否显示了已选人员
- // 状态更新是异步的,需要等待更长时间
- await orderManagementPage.page.waitForTimeout(TIMEOUTS.VERY_LONG);
- // 尝试多种方式定位徽章
- const selectedPersonsBadges = orderManagementPage.page.locator('[class*="badge"]').filter({ hasText: createdPersonName });
- const badgeCount = await selectedPersonsBadges.count();
- console.debug('已选人员徽章数量:', badgeCount);
- // 如果徽章数量为 0,尝试检查文本内容
- if (badgeCount === 0) {
- const allText = await orderManagementPage.page.locator('.w-full.overflow-y-auto').textContent();
- console.debug('对话框内容包含姓名:', allText?.includes(createdPersonName));
- }
- // 检查提交按钮是否存在且可点击
- const submitButton = orderManagementPage.page.getByRole('button', { name: /^(创建|更新|保存)$/ });
- const submitButtonCount = await submitButton.count();
- console.debug('提交按钮数量:', submitButtonCount);
- if (submitButtonCount === 0) {
- console.debug('提交按钮未找到,尝试查找所有按钮');
- const allButtons = orderManagementPage.page.locator('button').all();
- console.debug('页面按钮总数:', await orderManagementPage.page.locator('button').count());
- }
- await orderManagementPage.submitForm();
- await orderManagementPage.waitForDialogClosed();
- // 检查是否有错误或成功 Toast
- await orderManagementPage.page.waitForTimeout(TIMEOUTS.LONG);
- const errorToast = orderManagementPage.page.locator('[data-sonner-toast][data-type="error"]');
- const successToast = orderManagementPage.page.locator('[data-sonner-toast][data-type="success"]');
- const hasError = await errorToast.count() > 0;
- const hasSuccess = await successToast.count() > 0;
- if (hasError) {
- const errorMsg = await errorToast.first().textContent();
- console.debug('表单提交错误:', errorMsg);
- test.skip(true, '订单创建失败: ' + errorMsg);
- return;
- }
- if (!hasSuccess) {
- console.debug('没有成功 Toast,订单可能未创建');
- } else {
- const successMsg = await successToast.first().textContent();
- console.debug('订单创建成功:', successMsg);
- }
- // 等待订单行出现在表格中
- const orderFound = await waitForOrderRow(orderManagementPage.page, testData.orderName);
- if (!orderFound) {
- test.skip(true, '订单未创建成功,无法继续测试');
- return;
- }
- // 第一个测试只验证订单创建成功,人员管理功能在其他测试中验证
- // 订单列表中没有"人员"按钮,需要先打开订单详情
- });
- test('应该能添加残疾人到订单', async ({ orderManagementPage, page }) => {
- if (!createdPersonName || !createdPlatformName || !createdCompanyName) {
- test.skip(true, '缺少测试数据(残疾人、平台或公司)');
- return;
- }
- const testData = generateUniqueTestData();
- await orderManagementPage.openCreateDialog();
- await page.getByLabel(/订单名称|名称/).fill(testData.orderName);
- // 选择平台
- const platformTrigger = page.locator('[data-testid="platform-selector-create"]');
- if (await platformTrigger.count() > 0) {
- await platformTrigger.click();
- // 等待选项列表加载,可能需要时间因为新创建的数据需要刷新
- await page.waitForTimeout(TIMEOUTS.MEDIUM_LONG);
- // 使用更宽松的选择方式 - 先查找所有选项,再筛选
- const allOptions = page.getByRole('option');
- const count = await allOptions.count();
- console.debug(`平台选项数量: ${count}`);
- if (count > 0) {
- const platformOption = allOptions.filter({ hasText: createdPlatformName }).first();
- const optionCount = await platformOption.count();
- if (optionCount > 0) {
- await platformOption.click();
- } else {
- // 如果找不到特定平台,选择第一个可用的
- console.debug(`未找到平台 ${createdPlatformName},选择第一个可用平台`);
- await allOptions.first().click();
- }
- } else {
- console.debug('平台选项列表为空');
- }
- await page.waitForTimeout(TIMEOUTS.VERY_SHORT);
- } else {
- console.debug('平台选择器未找到,跳过平台选择');
- }
- // 选择公司
- const companyTrigger = page.locator('[data-testid="company-selector-create"]');
- if (await companyTrigger.count() > 0) {
- await companyTrigger.click();
- await page.waitForTimeout(TIMEOUTS.MEDIUM_LONG);
- const allCompanyOptions = page.getByRole('option');
- const companyCount = await allCompanyOptions.count();
- console.debug(`公司选项数量: ${companyCount}`);
- if (companyCount > 0) {
- const companyOption = allCompanyOptions.filter({ hasText: createdCompanyName }).first();
- const optionCount = await companyOption.count();
- if (optionCount > 0) {
- await companyOption.click();
- } else {
- // 如果找不到特定公司,选择第一个可用的
- console.debug(`未找到公司 ${createdCompanyName},选择第一个可用公司`);
- await allCompanyOptions.first().click();
- }
- } else {
- console.debug('公司选项列表为空');
- }
- await page.waitForTimeout(TIMEOUTS.VERY_SHORT);
- } else {
- console.debug('公司选择器未找到,跳过公司选择');
- }
- await page.getByLabel(/预计开始日期|开始日期/).fill('2025-01-15');
- const hasPerson = await selectDisabledPersonInAddDialog(page, createdPersonName);
- if (!hasPerson) {
- await orderManagementPage.cancelDialog();
- test.skip(true, '没有可用的残疾人数据');
- return;
- }
- await orderManagementPage.submitForm();
- await orderManagementPage.waitForDialogClosed();
- await orderManagementPage.openPersonManagementDialog(testData.orderName);
- // 使用 first() 因为有两个"添加人员"按钮(卡片中+底部)
- const addButton = page.getByRole('button', { name: /添加人员|新增人员/ }).first();
- await addButton.click();
- await page.waitForTimeout(TIMEOUTS.SHORT);
- // 等待残疾人选择对话框打开
- const dialog = page.getByTestId('disabled-person-selector-dialog');
- await dialog.waitFor({ state: 'visible', timeout: TIMEOUTS.DIALOG });
- // 等待自动选择完成(通过检查待添加人员数量)
- // 使用 test-id 检查待添加人员列表
- const pendingPersonsDebug = page.getByTestId('pending-persons-debug');
- await pendingPersonsDebug.waitFor({ state: 'attached', timeout: TIMEOUTS.TABLE_LOAD });
- // 检查待添加人员数量
- const pendingData = await pendingPersonsDebug.textContent();
- console.log('待添加人员数据:', pendingData);
- // 关闭残疾人选择对话框
- await page.keyboard.press('Escape');
- await dialog.waitFor({ state: 'hidden', timeout: TIMEOUTS.DIALOG });
- // 点击"确认添加"按钮批量添加人员
- const confirmButton = page.getByTestId('confirm-add-persons-button');
- await confirmButton.click();
- // 等待成功 toast
- await page.waitForTimeout(TIMEOUTS.LONG);
- const successToast = page.locator('[data-sonner-toast][data-type="success"]');
- const hasSuccess = await successToast.count() > 0;
- expect(hasSuccess).toBe(true);
- await orderManagementPage.closeDetailDialog();
- });
- test('添加的人员应该出现在订单详情中', async ({ orderManagementPage, page }) => {
- if (!createdPersonName || !createdPlatformName || !createdCompanyName) {
- test.skip(true, '缺少测试数据(残疾人、平台或公司)');
- return;
- }
- const testData = generateUniqueTestData();
- await orderManagementPage.openCreateDialog();
- await page.getByLabel(/订单名称|名称/).fill(testData.orderName);
- // 选择平台
- const platformTrigger = page.locator('[data-testid="platform-selector-create"]');
- if (await platformTrigger.count() > 0) {
- await platformTrigger.click();
- // 等待选项列表加载,可能需要时间因为新创建的数据需要刷新
- await page.waitForTimeout(TIMEOUTS.MEDIUM_LONG);
- // 使用更宽松的选择方式 - 先查找所有选项,再筛选
- const allOptions = page.getByRole('option');
- const count = await allOptions.count();
- console.debug(`平台选项数量: ${count}`);
- if (count > 0) {
- const platformOption = allOptions.filter({ hasText: createdPlatformName }).first();
- const optionCount = await platformOption.count();
- if (optionCount > 0) {
- await platformOption.click();
- } else {
- // 如果找不到特定平台,选择第一个可用的
- console.debug(`未找到平台 ${createdPlatformName},选择第一个可用平台`);
- await allOptions.first().click();
- }
- } else {
- console.debug('平台选项列表为空');
- }
- await page.waitForTimeout(TIMEOUTS.VERY_SHORT);
- } else {
- console.debug('平台选择器未找到,跳过平台选择');
- }
- // 选择公司
- const companyTrigger = page.locator('[data-testid="company-selector-create"]');
- if (await companyTrigger.count() > 0) {
- await companyTrigger.click();
- await page.waitForTimeout(TIMEOUTS.MEDIUM_LONG);
- const allCompanyOptions = page.getByRole('option');
- const companyCount = await allCompanyOptions.count();
- console.debug(`公司选项数量: ${companyCount}`);
- if (companyCount > 0) {
- const companyOption = allCompanyOptions.filter({ hasText: createdCompanyName }).first();
- const optionCount = await companyOption.count();
- if (optionCount > 0) {
- await companyOption.click();
- } else {
- // 如果找不到特定公司,选择第一个可用的
- console.debug(`未找到公司 ${createdCompanyName},选择第一个可用公司`);
- await allCompanyOptions.first().click();
- }
- } else {
- console.debug('公司选项列表为空');
- }
- await page.waitForTimeout(TIMEOUTS.VERY_SHORT);
- } else {
- console.debug('公司选择器未找到,跳过公司选择');
- }
- await page.getByLabel(/预计开始日期|开始日期/).fill('2025-01-15');
- const hasPerson = await selectDisabledPersonInAddDialog(page, createdPersonName);
- if (!hasPerson) {
- await orderManagementPage.cancelDialog();
- test.skip(true, '没有可用的残疾人数据');
- return;
- }
- await orderManagementPage.submitForm();
- await orderManagementPage.waitForDialogClosed();
- await orderManagementPage.openDetailDialog(testData.orderName);
- const personList = await orderManagementPage.getPersonListFromDetail();
- expect(personList.length).toBeGreaterThan(0);
- await orderManagementPage.closeDetailDialog();
- });
- });
- test.describe('管理工作状态', () => {
- test('应该能修改人员工作状态:未就业 → 待就业', async ({ orderManagementPage, page, request }) => {
- if (!createdPlatformName || !createdCompanyName) {
- test.skip(true, '缺少测试数据(平台或公司)');
- return;
- }
- // 为此测试创建唯一的残疾人数据
- const testData = generateUniqueTestData();
- const personData = {
- name: testData.personName,
- gender: testData.gender,
- idCard: testData.idCard,
- disabilityId: testData.disabilityId,
- disabilityType: testData.disabilityType,
- disabilityLevel: testData.disabilityLevel,
- idAddress: testData.idAddress,
- phone: testData.phone,
- province: testData.province,
- city: testData.city,
- };
- const createdPerson = await createDisabledPersonViaAPI(request, personData);
- if (!createdPerson) {
- test.skip(true, '无法创建残疾人数据');
- return;
- }
- console.debug('已创建残疾人:', createdPerson.name, 'ID:', createdPerson.id);
- await orderManagementPage.openCreateDialog();
- await page.getByLabel(/订单名称|名称/).fill(testData.orderName);
- // 选择平台
- const platformTrigger = page.locator('[data-testid="platform-selector-create"]');
- if (await platformTrigger.count() > 0) {
- await platformTrigger.click();
- // 等待选项列表加载,可能需要时间因为新创建的数据需要刷新
- await page.waitForTimeout(TIMEOUTS.MEDIUM_LONG);
- // 使用更宽松的选择方式 - 先查找所有选项,再筛选
- const allOptions = page.getByRole('option');
- const count = await allOptions.count();
- console.debug(`平台选项数量: ${count}`);
- if (count > 0) {
- const platformOption = allOptions.filter({ hasText: createdPlatformName }).first();
- const optionCount = await platformOption.count();
- if (optionCount > 0) {
- await platformOption.click();
- } else {
- // 如果找不到特定平台,选择第一个可用的
- console.debug(`未找到平台 ${createdPlatformName},选择第一个可用平台`);
- await allOptions.first().click();
- }
- } else {
- console.debug('平台选项列表为空');
- }
- await page.waitForTimeout(TIMEOUTS.VERY_SHORT);
- } else {
- console.debug('平台选择器未找到,跳过平台选择');
- }
- // 选择公司
- const companyTrigger = page.locator('[data-testid="company-selector-create"]');
- if (await companyTrigger.count() > 0) {
- await companyTrigger.click();
- await page.waitForTimeout(TIMEOUTS.MEDIUM_LONG);
- const allCompanyOptions = page.getByRole('option');
- const companyCount = await allCompanyOptions.count();
- console.debug(`公司选项数量: ${companyCount}`);
- if (companyCount > 0) {
- const companyOption = allCompanyOptions.filter({ hasText: createdCompanyName }).first();
- const optionCount = await companyOption.count();
- if (optionCount > 0) {
- await companyOption.click();
- } else {
- // 如果找不到特定公司,选择第一个可用的
- console.debug(`未找到公司 ${createdCompanyName},选择第一个可用公司`);
- await allCompanyOptions.first().click();
- }
- } else {
- console.debug('公司选项列表为空');
- }
- await page.waitForTimeout(TIMEOUTS.VERY_SHORT);
- } else {
- console.debug('公司选择器未找到,跳过公司选择');
- }
- await page.getByLabel(/预计开始日期|开始日期/).fill('2025-01-15');
- const hasPerson = await selectDisabledPersonInAddDialog(page, createdPerson.name);
- if (!hasPerson) {
- await orderManagementPage.cancelDialog();
- test.skip(true, '没有可用的残疾人数据');
- return;
- }
- await orderManagementPage.submitForm();
- await orderManagementPage.waitForDialogClosed();
- await orderManagementPage.openPersonManagementDialog(testData.orderName);
- // 等待订单详情对话框加载完成
- await page.waitForTimeout(TIMEOUTS.MEDIUM);
- // 监听网络响应以捕获 400 错误的详细信息
- const apiResponses: any[] = [];
- page.on('response', async (response) => {
- if (response.status() === 400) {
- const url = response.url();
- const contentType = response.headers()['content-type'];
- if (contentType && contentType.includes('application/json')) {
- try {
- const body = await response.json();
- apiResponses.push({ url, status: response.status(), body });
- console.debug('API 400 错误详情:', JSON.stringify(body, null, 2));
- } catch (e) {
- const text = await response.text();
- apiResponses.push({ url, status: response.status(), body: text });
- console.debug('API 400 错误详情:', text);
- }
- }
- }
- });
- // 获取实际绑定的人员列表,使用第一个人员的名称
- const personList = await orderManagementPage.getPersonListFromDetail();
- await orderManagementPage.updatePersonWorkStatus(personList[0].name, 'pre_working');
- // 如果有 400 错误,打印详细信息
- if (apiResponses.length > 0) {
- console.debug('捕获到的 API 错误:', JSON.stringify(apiResponses, null, 2));
- }
- const successToast = page.locator('[data-sonner-toast][data-type="success"]');
- const hasSuccess = await successToast.count() > 0;
- expect(hasSuccess).toBe(true);
- await orderManagementPage.closeDetailDialog();
- });
- test('应该能修改人员工作状态:待就业 → 已就业', async ({ orderManagementPage, page, request }) => {
- if (!createdPlatformName || !createdCompanyName) {
- test.skip(true, '缺少测试数据(平台或公司)');
- return;
- }
- // 为此测试创建唯一的残疾人数据
- const testData = generateUniqueTestData();
- const personData = {
- name: testData.personName,
- gender: testData.gender,
- idCard: testData.idCard,
- disabilityId: testData.disabilityId,
- disabilityType: testData.disabilityType,
- disabilityLevel: testData.disabilityLevel,
- idAddress: testData.idAddress,
- phone: testData.phone,
- province: testData.province,
- city: testData.city,
- };
- const createdPerson = await createDisabledPersonViaAPI(request, personData);
- if (!createdPerson) {
- test.skip(true, '无法创建残疾人数据');
- return;
- }
- console.debug('已创建残疾人:', createdPerson.name, 'ID:', createdPerson.id);
- await orderManagementPage.openCreateDialog();
- await page.getByLabel(/订单名称|名称/).fill(testData.orderName);
- // 选择平台
- const platformTrigger = page.locator('[data-testid="platform-selector-create"]');
- if (await platformTrigger.count() > 0) {
- await platformTrigger.click();
- // 等待选项列表加载,可能需要时间因为新创建的数据需要刷新
- await page.waitForTimeout(TIMEOUTS.MEDIUM_LONG);
- // 使用更宽松的选择方式 - 先查找所有选项,再筛选
- const allOptions = page.getByRole('option');
- const count = await allOptions.count();
- console.debug(`平台选项数量: ${count}`);
- if (count > 0) {
- const platformOption = allOptions.filter({ hasText: createdPlatformName }).first();
- const optionCount = await platformOption.count();
- if (optionCount > 0) {
- await platformOption.click();
- } else {
- // 如果找不到特定平台,选择第一个可用的
- console.debug(`未找到平台 ${createdPlatformName},选择第一个可用平台`);
- await allOptions.first().click();
- }
- } else {
- console.debug('平台选项列表为空');
- }
- await page.waitForTimeout(TIMEOUTS.VERY_SHORT);
- } else {
- console.debug('平台选择器未找到,跳过平台选择');
- }
- // 选择公司
- const companyTrigger = page.locator('[data-testid="company-selector-create"]');
- if (await companyTrigger.count() > 0) {
- await companyTrigger.click();
- await page.waitForTimeout(TIMEOUTS.MEDIUM_LONG);
- const allCompanyOptions = page.getByRole('option');
- const companyCount = await allCompanyOptions.count();
- console.debug(`公司选项数量: ${companyCount}`);
- if (companyCount > 0) {
- const companyOption = allCompanyOptions.filter({ hasText: createdCompanyName }).first();
- const optionCount = await companyOption.count();
- if (optionCount > 0) {
- await companyOption.click();
- } else {
- // 如果找不到特定公司,选择第一个可用的
- console.debug(`未找到公司 ${createdCompanyName},选择第一个可用公司`);
- await allCompanyOptions.first().click();
- }
- } else {
- console.debug('公司选项列表为空');
- }
- await page.waitForTimeout(TIMEOUTS.VERY_SHORT);
- } else {
- console.debug('公司选择器未找到,跳过公司选择');
- }
- await page.getByLabel(/预计开始日期|开始日期/).fill('2025-01-15');
- const hasPerson = await selectDisabledPersonInAddDialog(page, createdPerson.name);
- if (!hasPerson) {
- await orderManagementPage.cancelDialog();
- test.skip(true, '没有可用的残疾人数据');
- return;
- }
- await orderManagementPage.submitForm();
- await orderManagementPage.waitForDialogClosed();
- await orderManagementPage.openPersonManagementDialog(testData.orderName);
- const personList = await orderManagementPage.getPersonListFromDetail();
- await orderManagementPage.updatePersonWorkStatus(personList[0].name, 'working');
- const successToast = page.locator('[data-sonner-toast][data-type="success"]');
- const hasSuccess = await successToast.count() > 0;
- expect(hasSuccess).toBe(true);
- await orderManagementPage.closeDetailDialog();
- });
- test('应该能修改人员工作状态:已就业 → 已离职', async ({ orderManagementPage, page, request }) => {
- if (!createdPlatformName || !createdCompanyName) {
- test.skip(true, '缺少测试数据(平台或公司)');
- return;
- }
- // 为此测试创建唯一的残疾人数据
- const testData = generateUniqueTestData();
- const personData = {
- name: testData.personName,
- gender: testData.gender,
- idCard: testData.idCard,
- disabilityId: testData.disabilityId,
- disabilityType: testData.disabilityType,
- disabilityLevel: testData.disabilityLevel,
- idAddress: testData.idAddress,
- phone: testData.phone,
- province: testData.province,
- city: testData.city,
- };
- const createdPerson = await createDisabledPersonViaAPI(request, personData);
- if (!createdPerson) {
- test.skip(true, '无法创建残疾人数据');
- return;
- }
- console.debug('已创建残疾人:', createdPerson.name, 'ID:', createdPerson.id);
- await orderManagementPage.openCreateDialog();
- await page.getByLabel(/订单名称|名称/).fill(testData.orderName);
- // 选择平台
- const platformTrigger = page.locator('[data-testid="platform-selector-create"]');
- if (await platformTrigger.count() > 0) {
- await platformTrigger.click();
- // 等待选项列表加载,可能需要时间因为新创建的数据需要刷新
- await page.waitForTimeout(TIMEOUTS.MEDIUM_LONG);
- // 使用更宽松的选择方式 - 先查找所有选项,再筛选
- const allOptions = page.getByRole('option');
- const count = await allOptions.count();
- console.debug(`平台选项数量: ${count}`);
- if (count > 0) {
- const platformOption = allOptions.filter({ hasText: createdPlatformName }).first();
- const optionCount = await platformOption.count();
- if (optionCount > 0) {
- await platformOption.click();
- } else {
- // 如果找不到特定平台,选择第一个可用的
- console.debug(`未找到平台 ${createdPlatformName},选择第一个可用平台`);
- await allOptions.first().click();
- }
- } else {
- console.debug('平台选项列表为空');
- }
- await page.waitForTimeout(TIMEOUTS.VERY_SHORT);
- } else {
- console.debug('平台选择器未找到,跳过平台选择');
- }
- // 选择公司
- const companyTrigger = page.locator('[data-testid="company-selector-create"]');
- if (await companyTrigger.count() > 0) {
- await companyTrigger.click();
- await page.waitForTimeout(TIMEOUTS.MEDIUM_LONG);
- const allCompanyOptions = page.getByRole('option');
- const companyCount = await allCompanyOptions.count();
- console.debug(`公司选项数量: ${companyCount}`);
- if (companyCount > 0) {
- const companyOption = allCompanyOptions.filter({ hasText: createdCompanyName }).first();
- const optionCount = await companyOption.count();
- if (optionCount > 0) {
- await companyOption.click();
- } else {
- // 如果找不到特定公司,选择第一个可用的
- console.debug(`未找到公司 ${createdCompanyName},选择第一个可用公司`);
- await allCompanyOptions.first().click();
- }
- } else {
- console.debug('公司选项列表为空');
- }
- await page.waitForTimeout(TIMEOUTS.VERY_SHORT);
- } else {
- console.debug('公司选择器未找到,跳过公司选择');
- }
- await page.getByLabel(/预计开始日期|开始日期/).fill('2025-01-15');
- const hasPerson = await selectDisabledPersonInAddDialog(page, createdPerson.name);
- if (!hasPerson) {
- await orderManagementPage.cancelDialog();
- test.skip(true, '没有可用的残疾人数据');
- return;
- }
- await orderManagementPage.submitForm();
- await orderManagementPage.waitForDialogClosed();
- await orderManagementPage.openPersonManagementDialog(testData.orderName);
- const personList = await orderManagementPage.getPersonListFromDetail();
- await orderManagementPage.updatePersonWorkStatus(personList[0].name, 'resigned');
- const successToast = page.locator('[data-sonner-toast][data-type="success"]');
- const hasSuccess = await successToast.count() > 0;
- expect(hasSuccess).toBe(true);
- await orderManagementPage.closeDetailDialog();
- });
- });
- });
|