端到端测试模式Skill e2e-testing-patterns

这个技能是关于使用Playwright和Cypress进行端到端测试的模式和最佳实践,帮助开发人员构建可靠的测试套件,捕捉软件错误,提高部署信心,并实现快速交付。适用于测试自动化、CI/CD集成、跨浏览器兼容性和用户关键流程验证。关键词包括端到端测试、自动化测试、Playwright、Cypress、测试套件、CI/CD、网络模拟、视觉回归。

测试 0 次安装 4 次浏览 更新于 3/22/2026

名称:端到端测试模式 描述:掌握使用Playwright和Cypress进行端到端测试,以构建可靠的测试套件,捕捉错误,提高信心,实现快速部署。在实现E2E测试、调试不稳定的测试或建立测试标准时使用。

端到端测试模式

构建可靠、快速和可维护的端到端测试套件,提供信心以快速部署代码,并在用户之前捕捉回归。

何时使用此技能

  • 实现端到端测试自动化
  • 调试不稳定或不可靠的测试
  • 测试关键用户工作流程
  • 设置CI/CD测试管道
  • 测试跨多个浏览器
  • 验证可访问性要求
  • 测试响应式设计
  • 建立E2E测试标准

核心概念

1. E2E测试基础

使用E2E测试什么:

  • 关键用户旅程(登录、结账、注册)
  • 复杂交互(拖放、多步骤表单)
  • 跨浏览器兼容性
  • 真实API集成
  • 认证流程

不使用E2E测试什么:

  • 单元级逻辑(使用单元测试)
  • API合同(使用集成测试)
  • 边界情况(太慢)
  • 内部实现细节

2. 测试哲学

测试金字塔:

        /\
       /E2E\         ← 少,专注于关键路径
      /─────\
     /集成测试\        ← 更多,测试组件交互
    /────────\
   /单元测试\      ← 多,快速,隔离
  /────────────\

最佳实践:

  • 测试用户行为,而非实现
  • 保持测试独立
  • 使测试确定性
  • 优化速度
  • 使用data-testid,而非CSS选择器

Playwright模式

设置和配置

// playwright.config.ts
import { defineConfig, devices } from "@playwright/test";

export default defineConfig({
  testDir: "./e2e",
  timeout: 30000,
  expect: {
    timeout: 5000,
  },
  fullyParallel: true,
  forbidOnly: !!process.env.CI,
  retries: process.env.CI ? 2 : 0,
  workers: process.env.CI ? 1 : undefined,
  reporter: [["html"], ["junit", { outputFile: "results.xml" }]],
  use: {
    baseURL: "http://localhost:3000",
    trace: "on-first-retry",
    screenshot: "only-on-failure",
    video: "retain-on-failure",
  },
  projects: [
    { name: "chromium", use: { ...devices["Desktop Chrome"] } },
    { name: "firefox", use: { ...devices["Desktop Firefox"] } },
    { name: "webkit", use: { ...devices["Desktop Safari"] } },
    { name: "mobile", use: { ...devices["iPhone 13"] } },
  ],
});

模式1:页面对象模型

// pages/LoginPage.ts
import { Page, Locator } from "@playwright/test";

export class LoginPage {
  readonly page: Page;
  readonly emailInput: Locator;
  readonly passwordInput: Locator;
  readonly loginButton: Locator;
  readonly errorMessage: Locator;

  constructor(page: Page) {
    this.page = page;
    this.emailInput = page.getByLabel("Email");
    this.passwordInput = page.getByLabel("Password");
    this.loginButton = page.getByRole("button", { name: "Login" });
    this.errorMessage = page.getByRole("alert");
  }

  async goto() {
    await this.page.goto("/login");
  }

  async login(email: string, password: string) {
    await this.emailInput.fill(email);
    await this.passwordInput.fill(password);
    await this.loginButton.click();
  }

  async getErrorMessage(): Promise<string> {
    return (await this.errorMessage.textContent()) ?? "";
  }
}

// 使用页面对象测试
import { test, expect } from "@playwright/test";
import { LoginPage } from "./pages/LoginPage";

test("成功登录", async ({ page }) => {
  const loginPage = new LoginPage(page);
  await loginPage.goto();
  await loginPage.login("user@example.com", "password123");

  await expect(page).toHaveURL("/dashboard");
  await expect(page.getByRole("heading", { name: "Dashboard" })).toBeVisible();
});

test("登录失败显示错误", async ({ page }) => {
  const loginPage = new LoginPage(page);
  await loginPage.goto();
  await loginPage.login("invalid@example.com", "wrong");

  const error = await loginPage.getErrorMessage();
  expect(error).toContain("Invalid credentials");
});

模式2:测试数据的固定装置

// fixtures/test-data.ts
import { test as base } from "@playwright/test";

type TestData = {
  testUser: {
    email: string;
    password: string;
    name: string;
  };
  adminUser: {
    email: string;
    password: string;
  };
};

export const test = base.extend<TestData>({
  testUser: async ({}, use) => {
    const user = {
      email: `test-${Date.now()}@example.com`,
      password: "Test123!@#",
      name: "Test User",
    };
    // 设置:在数据库中创建用户
    await createTestUser(user);
    await use(user);
    // 清理:删除用户
    await deleteTestUser(user.email);
  },

  adminUser: async ({}, use) => {
    await use({
      email: "admin@example.com",
      password: process.env.ADMIN_PASSWORD!,
    });
  },
});

// 在测试中使用
import { test } from "./fixtures/test-data";

test("用户可以更新个人资料", async ({ page, testUser }) => {
  await page.goto("/login");
  await page.getByLabel("Email").fill(testUser.email);
  await page.getByLabel("Password").fill(testUser.password);
  await page.getByRole("button", { name: "Login" }).click();

  await page.goto("/profile");
  await page.getByLabel("Name").fill("Updated Name");
  await page.getByRole("button", { name: "Save" }).click();

  await expect(page.getByText("Profile updated")).toBeVisible();
});

模式3:等待策略

// ❌ 错误:固定超时
await page.waitForTimeout(3000); // 不稳定!

// ✅ 好:等待特定条件
await page.waitForLoadState("networkidle");
await page.waitForURL("/dashboard");
await page.waitForSelector('[data-testid="user-profile"]');

// ✅ 更好:使用断言的自动等待
await expect(page.getByText("Welcome")).toBeVisible();
await expect(page.getByRole("button", { name: "Submit" })).toBeEnabled();

// 等待API响应
const responsePromise = page.waitForResponse(
  (response) =>
    response.url().includes("/api/users") && response.status() === 200,
);
await page.getByRole("button", { name: "Load Users" }).click();
const response = await responsePromise;
const data = await response.json();
expect(data.users).toHaveLength(10);

// 等待多个条件
await Promise.all([
  page.waitForURL("/success"),
  page.waitForLoadState("networkidle"),
  expect(page.getByText("Payment successful")).toBeVisible(),
]);

模式4:网络模拟和拦截

// 模拟API响应
test("API失败时显示错误", async ({ page }) => {
  await page.route("**/api/users", (route) => {
    route.fulfill({
      status: 500,
      contentType: "application/json",
      body: JSON.stringify({ error: "Internal Server Error" }),
    });
  });

  await page.goto("/users");
  await expect(page.getByText("Failed to load users")).toBeVisible();
});

// 拦截和修改请求
test("可以修改API请求", async ({ page }) => {
  await page.route("**/api/users", async (route) => {
    const request = route.request();
    const postData = JSON.parse(request.postData() || "{}");

    // 修改请求
    postData.role = "admin";

    await route.continue({
      postData: JSON.stringify(postData),
    });
  });

  // 测试继续...
});

// 模拟第三方服务
test("使用模拟Stripe的支付流程", async ({ page }) => {
  await page.route("**/api/stripe/**", (route) => {
    route.fulfill({
      status: 200,
      body: JSON.stringify({
        id: "mock_payment_id",
        status: "succeeded",
      }),
    });
  });

  // 使用模拟响应测试支付流程
});

Cypress模式

设置和配置

// cypress.config.ts
import { defineConfig } from "cypress";

export default defineConfig({
  e2e: {
    baseUrl: "http://localhost:3000",
    viewportWidth: 1280,
    viewportHeight: 720,
    video: false,
    screenshotOnRunFailure: true,
    defaultCommandTimeout: 10000,
    requestTimeout: 10000,
    setupNodeEvents(on, config) {
      // 实现节点事件监听器
    },
  },
});

模式1:自定义命令

// cypress/support/commands.ts
declare global {
  namespace Cypress {
    interface Chainable {
      login(email: string, password: string): Chainable<void>;
      createUser(userData: UserData): Chainable<User>;
      dataCy(value: string): Chainable<JQuery<HTMLElement>>;
    }
  }
}

Cypress.Commands.add("login", (email: string, password: string) => {
  cy.visit("/login");
  cy.get('[data-testid="email"]').type(email);
  cy.get('[data-testid="password"]').type(password);
  cy.get('[data-testid="login-button"]').click();
  cy.url().should("include", "/dashboard");
});

Cypress.Commands.add("createUser", (userData: UserData) => {
  return cy.request("POST", "/api/users", userData).its("body");
});

Cypress.Commands.add("dataCy", (value: string) => {
  return cy.get(`[data-cy="${value}"]`);
});

// 使用
cy.login("user@example.com", "password");
cy.dataCy("submit-button").click();

模式2:Cypress拦截

// 模拟API调用
cy.intercept("GET", "/api/users", {
  statusCode: 200,
  body: [
    { id: 1, name: "John" },
    { id: 2, name: "Jane" },
  ],
}).as("getUsers");

cy.visit("/users");
cy.wait("@getUsers");
cy.get('[data-testid="user-list"]').children().should("have.length", 2);

// 修改响应
cy.intercept("GET", "/api/users", (req) => {
  req.reply((res) => {
    // 修改响应
    res.body.users = res.body.users.slice(0, 5);
    res.send();
  });
});

// 模拟慢网络
cy.intercept("GET", "/api/data", (req) => {
  req.reply((res) => {
    res.delay(3000); // 3秒延迟
    res.send();
  });
});

高级模式

模式1:视觉回归测试

// 使用Playwright
import { test, expect } from "@playwright/test";

test("首页看起来正确", async ({ page }) => {
  await page.goto("/");
  await expect(page).toHaveScreenshot("homepage.png", {
    fullPage: true,
    maxDiffPixels: 100,
  });
});

test("按钮在所有状态下", async ({ page }) => {
  await page.goto("/components");

  const button = page.getByRole("button", { name: "Submit" });

  // 默认状态
  await expect(button).toHaveScreenshot("button-default.png");

  // 悬停状态
  await button.hover();
  await expect(button).toHaveScreenshot("button-hover.png");

  // 禁用状态
  await button.evaluate((el) => el.setAttribute("disabled", "true"));
  await expect(button).toHaveScreenshot("button-disabled.png");
});

模式2:分片并行测试

// playwright.config.ts
export default defineConfig({
  projects: [
    {
      name: "shard-1",
      use: { ...devices["Desktop Chrome"] },
      grepInvert: /@slow/,
      shard: { current: 1, total: 4 },
    },
    {
      name: "shard-2",
      use: { ...devices["Desktop Chrome"] },
      shard: { current: 2, total: 4 },
    },
    // ... 更多分片
  ],
});

// 在CI中运行
// npx playwright test --shard=1/4
// npx playwright test --shard=2/4

模式3:可访问性测试

// 安装:npm install @axe-core/playwright
import { test, expect } from "@playwright/test";
import AxeBuilder from "@axe-core/playwright";

test("页面不应有可访问性违规", async ({ page }) => {
  await page.goto("/");

  const accessibilityScanResults = await new AxeBuilder({ page })
    .exclude("#third-party-widget")
    .analyze();

  expect(accessibilityScanResults.violations).toEqual([]);
});

test("表单可访问", async ({ page }) => {
  await page.goto("/signup");

  const results = await new AxeBuilder({ page }).include("form").analyze();

  expect(results.violations).toEqual([]);
});

最佳实践

  1. 使用数据属性data-testiddata-cy 用于稳定选择器
  2. 避免脆弱选择器:不要依赖CSS类或DOM结构
  3. 测试用户行为:点击、输入、查看,而非实现细节
  4. 保持测试独立:每个测试应独立运行
  5. 清理测试数据:在每个测试中创建和销毁测试数据
  6. 使用页面对象:封装页面逻辑
  7. 有意义的断言:检查实际用户可见行为
  8. 优化速度:尽可能模拟,并行执行
// ❌ 错误选择器
cy.get(".btn.btn-primary.submit-button").click();
cy.get("div > form > div:nth-child(2) > input").type("text");

// ✅ 好选择器
cy.getByRole("button", { name: "Submit" }).click();
cy.getByLabel("Email address").type("user@example.com");
cy.get('[data-testid="email-input"]').type("user@example.com");

常见陷阱

  • 不稳定测试:使用正确等待,而非固定超时
  • 慢测试:模拟外部API,使用并行执行
  • 过度测试:不要用E2E测试每个边界情况
  • 耦合测试:测试不应相互依赖
  • 差选择器:避免CSS类和nth-child
  • 无清理:测试后清理测试数据
  • 测试实现:测试用户行为,而非内部

调试失败测试

// Playwright调试
// 1. 以头模式运行
npx playwright test --headed

// 2. 以调试模式运行
npx playwright test --debug

// 3. 使用跟踪查看器
await page.screenshot({ path: 'screenshot.png' });
await page.video()?.saveAs('video.webm');

// 4. 使用test.step进行更好报告
test('结账流程', async ({ page }) => {
    await test.step('添加商品到购物车', async () => {
        await page.goto('/products');
        await page.getByRole('button', { name: 'Add to Cart' }).click();
    });

    await test.step('继续结账', async () => {
        await page.goto('/cart');
        await page.getByRole('button', { name: 'Checkout' }).click();
    });
});

// 5. 检查页面状态
await page.pause();  // 暂停执行,打开检查器

资源

  • references/playwright-best-practices.md:Playwright特定模式
  • references/cypress-best-practices.md:Cypress特定模式
  • references/flaky-test-debugging.md:调试不稳定测试
  • assets/e2e-testing-checklist.md:使用E2E测试什么
  • assets/selector-strategies.md:寻找可靠选择器
  • scripts/test-analyzer.ts:分析测试不稳定性和持续时间