114
社区成员
发帖
与我相关
我的任务
分享微信小程序自动化集成测试框架是针对大学生个人记账小程序的组件交互、数据流、API接口进行全面验证的技术方案。作为连接测试工程师,我选择miniprogram-automator作为核心技术,因为它能模拟真实用户操作,验证小程序各模块间的数据流和状态一致性。技术难点在于异步操作同步、页面跳转时机控制、微信API模拟以及测试环境与生产环境的隔离。
下图展示了小程序集成测试的整体架构:
flowchart TD
A[测试启动] --> B[环境初始化]
B --> C{测试模式选择}
C --> D[单元测试<br>Jest + miniprogram-simulate]
C --> E[组件测试<br>组件行为验证]
C --> F[集成测试<br>miniprogram-automator]
C --> G[端到端测试<br>真实环境验证]
F --> H[小程序启动<br>连接开发者工具]
H --> I[页面导航<br>路径验证]
I --> J{测试场景}
J --> K[记账操作流<br>收入/支出记录]
J --> L[分类管理<br>添加/编辑分类]
J --> M[报表查看<br>数据可视化]
J --> N[用户设置<br>偏好配置]
K --> O[数据一致性验证]
L --> O
M --> O
N --> O
O --> P[测试报告生成]
P --> Q[问题分析<br>截图/录屏]
P --> R[性能指标<br>加载时间/内存]
Q --> S[质量看板<br>测试覆盖率]
R --> S
// tests/integration/config/test-environment.js
const Automator = require('miniprogram-automator');
const path = require('path');
class WeChatMiniProgramTestEnvironment {
constructor(config) {
this.config = {
// 基础配置
projectPath: config.projectPath || process.cwd(),
cliPath: config.cliPath || '/Applications/wechatwebdevtools.app/Contents/MacOS/cli',
port: config.port || 9420,
// 测试配置
headless: config.headless || false,
timeout: config.timeout || 30000,
// 环境变量
env: {
...config.env,
NODE_ENV: 'test',
API_BASE_URL: config.mockServer || 'http://localhost:3000/mock'
}
};
this.automator = null;
this.miniProgram = null;
this.currentPage = null;
this.testData = new Map();
}
// 启动测试环境
async launch() {
console.log('🚀 启动微信开发者工具...');
// 启动开发者工具
await this.launchDevTools();
// 连接到自动化接口
this.automator = await Automator.connect({
wsEndpoint: `ws://localhost:${this.config.port}`,
projectPath: this.config.projectPath,
timeout: this.config.timeout
});
// 获取小程序实例
this.miniProgram = await this.automator.program;
// 设置全局测试数据
await this.setupTestData();
console.log('✅ 测试环境启动完成');
return this;
}
// 启动开发者工具
async launchDevTools() {
const { exec } = require('child_process');
const { promisify } = require('util');
const execAsync = promisify(exec);
// 检查是否已经运行
try {
await execAsync('lsof -ti:9420');
console.log('📱 开发者工具已在运行');
} catch (error) {
// 未运行,启动开发者工具
console.log('🚀 启动开发者工具...');
await execAsync(`${this.config.cliPath} --auto ${this.config.projectPath} --auto-port ${this.config.port}`);
// 等待启动完成
await this.waitForDevTools();
}
}
// 设置测试数据
async setupTestData() {
// 设置全局测试用户
await this.miniProgram.evaluate(() => {
wx.setStorageSync('test_user_id', 'test_user_001');
wx.setStorageSync('test_env', true);
});
// 初始化测试数据库
await this.resetTestDatabase();
}
// 页面导航工具
async navigateTo(pagePath, params = {}) {
const queryString = Object.keys(params).map(key =>
`${key}=${encodeURIComponent(params[key])}`
).join('&');
const url = queryString ? `${pagePath}?${queryString}` : pagePath;
// 关闭当前页面(如果是tab页则用switchTab)
if (this.currentPage) {
await this.currentPage.close();
}
this.currentPage = await this.miniProgram.navigateTo(url);
// 等待页面加载完成
await this.waitForPageReady();
return this.currentPage;
}
// 等待页面就绪
async waitForPageReady(timeout = 10000) {
const startTime = Date.now();
while (Date.now() - startTime < timeout) {
const isReady = await this.currentPage.evaluate(() => {
return new Promise((resolve) => {
if (typeof getApp === 'function') {
const app = getApp();
if (app && app.globalData && app.globalData.pageReady) {
resolve(true);
}
}
// 检查页面特定的就绪标志
if (typeof Page !== 'undefined' && this.data && this.data.pageLoaded) {
resolve(true);
}
// 检查DOM是否就绪
if (document.readyState === 'complete') {
resolve(true);
}
resolve(false);
});
});
if (isReady) {
return true;
}
await this.sleep(100);
}
throw new Error(`页面加载超时: ${timeout}ms`);
}
}
// tests/integration/pages/RecordPage.js
class RecordPage {
constructor(page) {
this.page = page;
this.selectors = {
// 使用data-testid选择器,避免样式变化影响测试
amountInput: '[data-testid="record-amount-input"]',
categoryPicker: '[data-testid="record-category-picker"]',
datePicker: '[data-testid="record-date-picker"]',
remarkInput: '[data-testid="record-remark-input"]',
typeSwitch: '[data-testid="record-type-switch"]', // 收入/支出切换
saveButton: '[data-testid="record-save-button"]',
cancelButton: '[data-testid="record-cancel-button"]',
// 分类选择器
categoryList: '[data-testid="category-list"]',
categoryItem: '[data-testid="category-item"]',
categorySearch: '[data-testid="category-search-input"]',
// 表单验证提示
errorMessage: '[data-testid="record-error-message"]',
successMessage: '[data-testid="record-success-message"]',
// 快速记录按钮
quickRecordButtons: '[data-testid="quick-record-button"]'
};
}
// 填写记账表单
async fillRecordForm(recordData) {
const {
amount,
category,
date = new Date().toISOString().split('T')[0],
remark = '',
type = 'expense' // expense/income
} = recordData;
// 设置收入/支出类型
if (type === 'income') {
await this.switchToIncome();
}
// 输入金额
await this.page.$(this.selectors.amountInput).then(async (input) => {
await input.input(amount.toString());
});
// 选择分类
await this.selectCategory(category);
// 选择日期
await this.page.$(this.selectors.datePicker).then(async (picker) => {
await picker.tap();
// 等待日期选择器弹出
await this.page.waitForSelector('.picker-view');
// 模拟选择日期(实际项目中需要更复杂的操作)
const confirmBtn = await this.page.$('.picker-confirm-btn');
await confirmBtn.tap();
});
// 输入备注
if (remark) {
await this.page.$(this.selectors.remarkInput).then(async (input) => {
await input.input(remark);
});
}
return this;
}
// 选择分类
async selectCategory(categoryName) {
// 点击分类选择器
await this.page.$(this.selectors.categoryPicker).then(async (picker) => {
await picker.tap();
});
// 等待分类页面加载
await this.page.waitForSelector(this.selectors.categoryList);
// 查找并选择分类
const categories = await this.page.$$(this.selectors.categoryItem);
for (const category of categories) {
const text = await category.text();
if (text.includes(categoryName)) {
await category.tap();
break;
}
}
// 等待返回记账页面
await this.page.waitForSelector(this.selectors.amountInput);
return this;
}
// 保存记录
async saveRecord() {
// 拦截wx.request调用,验证API请求
await this.page.exposeFunction('mockSaveRecord', async (data) => {
// 这里可以验证请求数据
expect(data.amount).toBeDefined();
expect(data.category).toBeDefined();
// 返回模拟响应
return {
success: true,
data: {
id: `record_${Date.now()}`,
...data,
createdAt: new Date().toISOString()
}
};
});
// 监听保存按钮点击
await this.page.$(this.selectors.saveButton).then(async (button) => {
await button.tap();
});
// 等待保存完成
const result = await this.page.waitForFunction(() => {
const msg = document.querySelector('[data-testid="record-success-message"]');
return msg ? msg.textContent : null;
}, { timeout: 5000 });
return result;
}
// 快速记录(预设金额)
async quickRecord(buttonIndex = 0) {
const buttons = await this.page.$$(this.selectors.quickRecordButtons);
if (buttons.length > buttonIndex) {
const button = buttons[buttonIndex];
// 获取按钮预设金额
const amountText = await button.text();
const amount = parseFloat(amountText.match(/[\d.]+/)[0]);
await button.tap();
return {
amount,
type: 'expense', // 快速记录默认为支出
category: '餐饮' // 根据按钮配置决定
};
}
throw new Error(`快速记录按钮 ${buttonIndex} 不存在`);
}
// 验证表单错误
async validateFormErrors(expectedErrors) {
const errors = await this.page.$$(this.selectors.errorMessage);
const errorTexts = await Promise.all(
errors.map(async (error) => await error.text())
);
expectedErrors.forEach(expectedError => {
expect(errorTexts).toContain(expectedError);
});
return errorTexts;
}
}
// 主页对象
class HomePage {
constructor(page) {
this.page = page;
this.selectors = {
addButton: '[data-testid="home-add-button"]',
recordList: '[data-testid="record-list"]',
recordItems: '[data-testid="record-item"]',
totalExpense: '[data-testid="total-expense"]',
totalIncome: '[data-testid="total-income"]',
balance: '[data-testid="balance"]',
// 选项卡
tabBar: '.tab-bar',
tabRecords: '[data-testid="tab-records"]',
tabCharts: '[data-testid="tab-charts"]',
tabMine: '[data-testid="tab-mine"]',
// 空状态
emptyState: '[data-testid="empty-state"]',
emptyMessage: '[data-testid="empty-message"]'
};
}
// 导航到记账页面
async navigateToRecordPage() {
await this.page.$(this.selectors.addButton).then(async (button) => {
await button.tap();
});
// 等待页面跳转
await this.page.waitForNavigation();
return new RecordPage(this.page);
}
// 验证记录列表
async verifyRecordInList(record, options = {}) {
const {
checkAmount = true,
checkCategory = true,
checkDate = false,
index = 0
} = options;
const records = await this.page.$$(this.selectors.recordItems);
if (records.length <= index) {
throw new Error(`记录列表只有 ${records.length} 条记录,无法获取第 ${index} 条`);
}
const targetRecord = records[index];
// 在记录元素内查找子元素
if (checkAmount) {
const amountElement = await targetRecord.$('[data-testid="record-amount"]');
const amountText = await amountElement.text();
expect(amountText).toContain(record.amount.toString());
}
if (checkCategory) {
const categoryElement = await targetRecord.$('[data-testid="record-category"]');
const categoryText = await categoryElement.text();
expect(categoryText).toContain(record.category);
}
return targetRecord;
}
// 获取统计信息
async getStatistics() {
const [expense, income, balance] = await Promise.all([
this.page.$(this.selectors.totalExpense).then(el => el.text()),
this.page.$(this.selectors.totalIncome).then(el => el.text()),
this.page.$(this.selectors.balance).then(el => el.text())
]);
return {
expense: this.parseCurrency(expense),
income: this.parseCurrency(income),
balance: this.parseCurrency(balance)
};
}
// 解析货币字符串
parseCurrency(currencyStr) {
const match = currencyStr.match(/[\d.,]+/);
return match ? parseFloat(match[0].replace(/,/g, '')) : 0;
}
}
// tests/integration/factories/RecordFactory.js
const { fakerZH_CN } = require('@faker-js/faker');
class RecordFactory {
static create(overrides = {}) {
const types = ['expense', 'income'];
const expenseCategories = ['餐饮', '交通', '购物', '娱乐', '学习', '医疗', '其他'];
const incomeCategories = ['兼职', '生活费', '奖学金', '投资', '其他'];
const type = overrides.type || fakerZH_CN.helpers.arrayElement(types);
const categories = type === 'expense' ? expenseCategories : incomeCategories;
const category = overrides.category || fakerZH_CN.helpers.arrayElement(categories);
// 生成符合大学生消费水平的金额
const amountRange = type === 'expense'
? { min: 5, max: 200, precision: 0.01 } // 支出:5-200元
: { min: 100, max: 2000, precision: 0.01 }; // 收入:100-2000元
const baseRecord = {
id: `record_${Date.now()}_${Math.random().toString(36).substr(2, 9)}`,
amount: fakerZH_CN.number.float(amountRange),
type,
category,
date: fakerZH_CN.date.recent({ days: 30 }).toISOString().split('T')[0],
remark: fakerZH_CN.lorem.sentence({ min: 0, max: 10 }), // 0-10个字的备注
createdAt: new Date().toISOString(),
updatedAt: new Date().toISOString()
};
return { ...baseRecord, ...overrides };
}
// 批量创建
static createBatch(count, overrides = {}) {
return Array.from({ length: count }, () => this.create(overrides));
}
// 创建特定场景的数据
static scenarios = {
// 大额支出(如买电子产品)
largeExpense: () => this.create({
type: 'expense',
category: '购物',
amount: fakerZH_CN.number.float({ min: 1000, max: 5000, precision: 0.01 })
}),
// 小额高频支出(如买饮料)
smallExpense: () => this.create({
type: 'expense',
category: '餐饮',
amount: fakerZH_CN.number.float({ min: 3, max: 20, precision: 0.01 })
}),
// 生活费收入
allowanceIncome: () => this.create({
type: 'income',
category: '生活费',
amount: fakerZH_CN.number.float({ min: 1000, max: 2000, precision: 0.01 })
}),
// 无备注记录
noRemark: () => this.create({ remark: '' }),
// 未来日期记录(测试验证)
futureDate: () => {
const futureDate = new Date();
futureDate.setDate(futureDate.getDate() + 10);
return this.create({
date: futureDate.toISOString().split('T')[0]
});
}
};
// 创建月消费数据(用于图表测试)
static createMonthlyData(year, month) {
const daysInMonth = new Date(year, month, 0).getDate();
const records = [];
for (let day = 1; day <= daysInMonth; day++) {
// 每天随机1-3笔消费
const dailyCount = fakerZH_CN.number.int({ min: 1, max: 3 });
for (let i = 0; i < dailyCount; i++) {
const date = `${year}-${month.toString().padStart(2, '0')}-${day.toString().padStart(2, '0')}`;
records.push(this.create({
date,
type: 'expense',
amount: fakerZH_CN.number.float({ min: 5, max: 100, precision: 0.01 })
}));
}
// 每月可能有一笔收入
if (day === 15 && Math.random() > 0.5) {
records.push(this.create({
date,
type: 'income',
amount: fakerZH_CN.number.float({ min: 1000, max: 2000, precision: 0.01 })
}));
}
}
return records;
}
}
// tests/integration/record-flow.test.js
describe('记账核心流程集成测试', () => {
let testEnv;
let homePage;
let recordPage;
beforeAll(async () => {
// 初始化测试环境
testEnv = new WeChatMiniProgramTestEnvironment({
projectPath: path.join(__dirname, '../../'),
headless: process.env.CI === 'true' // CI环境下无头模式
});
await testEnv.launch();
// 导航到首页
await testEnv.navigateTo('/pages/index/index');
homePage = new HomePage(testEnv.currentPage);
});
afterAll(async () => {
if (testEnv) {
await testEnv.close();
}
});
beforeEach(async () => {
// 清理测试数据
await testEnv.resetTestDatabase();
// 确保回到首页
await testEnv.navigateTo('/pages/index/index');
});
describe('记录添加流程', () => {
it('应该成功添加一笔餐饮支出', async () => {
// 1. 从首页进入记账页面
recordPage = await homePage.navigateToRecordPage();
// 2. 填写记账信息
const testRecord = RecordFactory.create({
type: 'expense',
category: '餐饮',
amount: 25.50,
remark: '午餐'
});
await recordPage.fillRecordForm(testRecord);
// 3. 保存记录
const saveResult = await recordPage.saveRecord();
expect(saveResult).toContain('保存成功');
// 4. 返回首页验证记录显示
await testEnv.navigateTo('/pages/index/index');
// 5. 验证记录在列表中
await homePage.verifyRecordInList(testRecord, {
checkAmount: true,
checkCategory: true
});
// 6. 验证统计信息更新
const stats = await homePage.getStatistics();
expect(stats.expense).toBe(25.50);
expect(stats.balance).toBe(-25.50); // 只有支出,余额为负
});
it('应该成功添加一笔兼职收入', async () => {
recordPage = await homePage.navigateToRecordPage();
const testRecord = RecordFactory.create({
type: 'income',
category: '兼职',
amount: 150,
remark: '家教'
});
await recordPage.fillRecordForm(testRecord);
await recordPage.saveRecord();
await testEnv.navigateTo('/pages/index/index');
await homePage.verifyRecordInList(testRecord);
const stats = await homePage.getStatistics();
expect(stats.income).toBe(150);
expect(stats.balance).toBe(150);
});
it('应该验证表单必填项', async () => {
recordPage = await homePage.navigateToRecordPage();
// 不填写金额直接保存
await recordPage.page.$(recordPage.selectors.saveButton).then(async (button) => {
await button.tap();
});
// 验证错误提示
const errors = await recordPage.validateFormErrors([
'请输入金额',
'请选择分类'
]);
expect(errors.length).toBeGreaterThan(0);
});
it('应该支持快速记录功能', async () => {
recordPage = await homePage.navigateToRecordPage();
// 使用快速记录按钮
const quickRecord = await recordPage.quickRecord(0); // 第一个快速记录按钮
// 自动填充了金额和分类,只需确认和保存
await recordPage.saveRecord();
// 验证记录
await testEnv.navigateTo('/pages/index/index');
// 查找包含该金额的记录
const records = await homePage.page.$$(homePage.selectors.recordItems);
let found = false;
for (const record of records) {
const amountElement = await record.$('[data-testid="record-amount"]');
const amountText = await amountElement.text();
if (amountText.includes(quickRecord.amount.toString())) {
found = true;
break;
}
}
expect(found).toBe(true);
});
});
describe('记录管理流程', () => {
beforeEach(async () => {
// 预置一些测试数据
const testRecords = RecordFactory.createBatch(5);
await testEnv.setupRecords(testRecords);
});
it('应该正确显示记录列表', async () => {
const records = await homePage.page.$$(homePage.selectors.recordItems);
expect(records.length).toBe(5);
// 验证列表排序(按时间倒序)
if (records.length > 1) {
const firstDate = await records[0].$('[data-testid="record-date"]').then(el => el.text());
const secondDate = await records[1].$('[data-testid="record-date"]').then(el => el.text());
// 验证日期倒序(简单验证,实际需要解析日期)
expect(firstDate).toBeDefined();
}
});
it('应该支持记录编辑', async () => {
// 点击第一条记录进入详情页
const records = await homePage.page.$$(homePage.selectors.recordItems);
await records[0].tap();
// 等待详情页加载
await homePage.page.waitForSelector('[data-testid="record-detail-edit-button"]');
// 点击编辑按钮
await homePage.page.$('[data-testid="record-detail-edit-button"]').then(async (button) => {
await button.tap();
});
// 修改金额
await homePage.page.$('[data-testid="record-amount-input"]').then(async (input) => {
await input.clear();
await input.input('99.99');
});
// 保存修改
await homePage.page.$('[data-testid="record-save-button"]').then(async (button) => {
await button.tap();
});
// 返回首页验证修改
await testEnv.navigateTo('/pages/index/index');
// 验证金额已更新
const updatedRecord = await homePage.verifyRecordInList(
{ amount: 99.99 },
{ index: 0, checkAmount: true }
);
});
it('应该支持记录删除', async () => {
const initialCount = (await homePage.page.$$(homePage.selectors.recordItems)).length;
// 长按记录触发删除选项
const firstRecord = await homePage.page.$$(homePage.selectors.recordItems).then(items => items[0]);
await firstRecord.tap({ duration: 1500 }); // 长按1.5秒
// 等待删除确认框出现
await homePage.page.waitForSelector('.modal-confirm');
// 确认删除
await homePage.page.$('.modal-confirm-button').then(async (button) => {
await button.tap();
});
// 等待删除完成
await homePage.page.waitForFunction(
(selector, initialCount) => {
return document.querySelectorAll(selector).length < initialCount;
},
{ timeout: 5000 },
homePage.selectors.recordItems,
initialCount
);
// 验证记录数量减少
const finalCount = (await homePage.page.$$(homePage.selectors.recordItems)).length;
expect(finalCount).toBe(initialCount - 1);
});
});
describe('数据统计流程', () => {
beforeEach(async () => {
// 创建测试月份的消费数据
const testMonthData = RecordFactory.createMonthlyData(2024, 3);
await testEnv.setupRecords(testMonthData);
});
it('应该正确计算月度统计', async () => {
// 切换到统计页面
await homePage.page.$(homePage.selectors.tabCharts).then(async (tab) => {
await tab.tap();
});
// 等待统计页面加载
await homePage.page.waitForSelector('[data-testid="monthly-chart"]');
// 验证图表数据
const chartData = await homePage.page.evaluate(() => {
const chart = document.querySelector('[data-testid="monthly-chart"]');
return chart ? chart.getAttribute('data-chart') : null;
});
expect(chartData).toBeDefined();
// 解析并验证数据
const data = JSON.parse(chartData);
expect(data.labels.length).toBeGreaterThan(0);
expect(data.datasets.length).toBeGreaterThan(0);
// 验证支出总额计算
const totalExpense = data.datasets[0].data.reduce((sum, val) => sum + val, 0);
const displayedTotal = await homePage.page.$('[data-testid="month-total-expense"]')
.then(el => el.text());
expect(parseFloat(displayedTotal)).toBeCloseTo(totalExpense, 2);
});
it('应该按分类显示消费比例', async () => {
await homePage.page.$(homePage.selectors.tabCharts).then(async (tab) => {
await tab.tap();
});
// 切换到分类分析
await homePage.page.$('[data-testid="category-tab"]').then(async (tab) => {
await tab.tap();
});
await homePage.page.waitForSelector('[data-testid="category-chart"]');
// 验证分类数据
const categoryData = await homePage.page.evaluate(() => {
const elements = document.querySelectorAll('[data-testid="category-item"]');
return Array.from(elements).map(el => ({
name: el.querySelector('[data-testid="category-name"]').textContent,
amount: el.querySelector('[data-testid="category-amount"]').textContent,
percentage: el.querySelector('[data-testid="category-percentage"]').textContent
}));
});
expect(categoryData.length).toBeGreaterThan(0);
// 验证百分比总和接近100%
const totalPercentage = categoryData.reduce((sum, item) => {
const percent = parseFloat(item.percentage);
return sum + (isNaN(percent) ? 0 : percent);
}, 0);
expect(totalPercentage).toBeCloseTo(100, 0);
});
});
});
问题描述:在测试过程中经常遇到元素查找失败的问题,尤其是在页面跳转、数据加载等异步操作后。常见的错误信息包括:
Error: Element not found with selector '[data-testid="record-amount-input"]'
TimeoutError: Waiting for selector '[data-testid="record-list"]' failed: timeout 5000ms exceeded
根本原因分析:
解决方案:
// utils/wait-strategies.js
class WaitStrategies {
// 等待元素出现(带重试机制)
static async waitForElement(page, selector, options = {}) {
const {
timeout = 10000,
interval = 200,
visible = true,
hidden = false
} = options;
const startTime = Date.now();
while (Date.now() - startTime < timeout) {
try {
const element = await page.$(selector);
if (element) {
if (visible) {
const isVisible = await this.isElementVisible(element);
if (isVisible) return element;
} else if (hidden) {
const isHidden = !(await this.isElementVisible(element));
if (isHidden) return element;
} else {
return element;
}
}
} catch (error) {
// 元素查找失败,继续重试
}
await this.sleep(interval);
}
throw new Error(`等待元素超时: ${selector} (${timeout}ms)`);
}
// 等待页面数据加载完成
static async waitForPageData(page, dataKey) {
return page.waitForFunction(
(key) => {
// 检查Page实例的data
if (typeof Page !== 'undefined') {
const pages = getCurrentPages();
const currentPage = pages[pages.length - 1];
if (currentPage && currentPage.data && currentPage.data[key] !== undefined) {
return true;
}
}
// 检查App实例的globalData
if (typeof getApp === 'function') {
const app = getApp();
if (app && app.globalData && app.globalData[key] !== undefined) {
return true;
}
}
return false;
},
{ timeout: 10000 },
dataKey
);
}
// 等待网络请求完成
static async waitForNetworkIdle(page, timeout = 30000) {
return page.evaluate((timeout) => {
return new Promise((resolve) => {
let idleTimer;
let requestCount = 0;
// 监听请求开始
const originalRequest = wx.request;
wx.request = function(options) {
requestCount++;
const complete = options.complete;
options.complete = function(...args) {
requestCount--;
if (complete) complete.apply(this, args);
checkIdle();
};
return originalRequest.call(this, options);
};
function checkIdle() {
clearTimeout(idleTimer);
if (requestCount === 0) {
idleTimer = setTimeout(() => {
resolve();
}, 500); // 500ms内没有新请求视为空闲
} else {
idleTimer = setTimeout(() => {
// 超时强制解决
resolve();
}, timeout);
}
}
// 初始检查
checkIdle();
});
}, timeout);
}
}
// 使用示例
describe('改进的等待策略', () => {
it('应该正确处理异步加载的元素', async () => {
const page = await testEnv.navigateTo('/pages/index/index');
// 使用智能等待
const recordList = await WaitStrategies.waitForElement(
page,
'[data-testid="record-list"]',
{ timeout: 15000, visible: true }
);
// 等待数据加载
await WaitStrategies.waitForPageData(page, 'records');
// 等待网络空闲
await WaitStrategies.waitForNetworkIdle(page);
// 现在可以安全地操作元素
const records = await recordList.$$('[data-testid="record-item"]');
expect(records.length).toBeGreaterThan(0);
});
});
// utils/page-ready-detector.js
class PageReadyDetector {
constructor(page) {
this.page = page;
this.readyChecks = [
this.checkPageLifecycle,
this.checkDataLoaded,
this.checkDOMReady,
this.checkAnimationsComplete
];
}
async waitUntilReady(options = {}) {
const {
timeout = 30000,
checkInterval = 200,
requiredChecks = ['lifecycle', 'data', 'dom']
} = options;
const startTime = Date.now();
const checkResults = {};
while (Date.now() - startTime < timeout) {
// 并行执行所有检查
const checks = await Promise.allSettled(
this.readyChecks.map(check => check.call(this))
);
// 记录检查结果
checks.forEach((result, index) => {
checkResults[this.readyChecks[index].name] = result.status === 'fulfilled' && result.value;
});
// 验证必需检查是否通过
const requiredPassed = requiredChecks.every(checkName => {
const checkMethod = this.readyChecks.find(c => c.name.includes(checkName));
return checkMethod && checkResults[checkMethod.name] === true;
});
if (requiredPassed) {
console.log('✅ 页面就绪检查通过:', checkResults);
return true;
}
await this.sleep(checkInterval);
}
console.error('❌ 页面就绪检查失败:', checkResults);
throw new Error(`页面未在${timeout}ms内就绪`);
}
async checkPageLifecycle() {
return this.page.evaluate(() => {
const pages = getCurrentPages();
if (pages.length === 0) return false;
const currentPage = pages[pages.length - 1];
// 检查页面生命周期
if (currentPage) {
// 确保onLoad和onReady已经执行
const isLoaded = currentPage.__loaded === true;
const isReady = currentPage.__ready === true;
return isLoaded && isReady;
}
return false;
});
}
async checkDataLoaded() {
return this.page.evaluate(() => {
const pages = getCurrentPages();
const currentPage = pages[pages.length - 1];
if (!currentPage || !currentPage.data) return false;
// 检查关键数据是否加载
const requiredData = ['records', 'statistics'];
return requiredData.every(key =>
currentPage.data[key] !== undefined &&
currentPage.data[key] !== null
);
});
}
async checkDOMReady() {
return this.page.evaluate(() => {
return document.readyState === 'complete' &&
document.querySelector('[data-page="ready"]') !== null;
});
}
async checkAnimationsComplete() {
return this.page.evaluate(() => {
// 检查是否还有进行中的动画
const animatedElements = document.querySelectorAll('.animated, .transitioning');
return animatedElements.length === 0;
});
}
}
// 在PageObject中使用
class EnhancedRecordPage extends RecordPage {
constructor(page) {
super(page);
this.readyDetector = new PageReadyDetector(page);
}
async ensureReady() {
await this.readyDetector.waitUntilReady({
requiredChecks: ['lifecycle', 'data']
});
}
async fillRecordForm(recordData) {
// 确保页面就绪
await this.ensureReady();
// 然后再执行表单操作
return super.fillRecordForm(recordData);
}
}
// utils/retry-operator.js
class RetryOperator {
constructor(options = {}) {
this.maxRetries = options.maxRetries || 3;
this.retryDelay = options.retryDelay || 500;
this.timeout = options.timeout || 10000;
}
async retryOperation(operation, context = null) {
let lastError;
let attempts = 0;
const startTime = Date.now();
while (attempts < this.maxRetries && Date.now() - startTime < this.timeout) {
try {
attempts++;
if (attempts > 1) {
console.log(`🔄 重试操作,第${attempts}次尝试...`);
await this.sleep(this.retryDelay * Math.pow(1.5, attempts - 1)); // 指数退避
}
const result = await operation.call(context);
return result;
} catch (error) {
lastError = error;
console.warn(`⚠️ 操作失败 (${attempts}/${this.maxRetries}):`, error.message);
// 如果是元素未找到错误,尝试刷新页面状态
if (error.message.includes('not found') || error.message.includes('timeout')) {
await this.recoverFromFailure(context);
}
}
}
throw new Error(`操作失败,重试${attempts}次后仍然失败: ${lastError.message}`);
}
async recoverFromFailure(context) {
if (context && context.page) {
try {
// 尝试重新获取页面
await context.page.evaluate(() => {
// 触发页面重新渲染
if (typeof getCurrentPages === 'function') {
const pages = getCurrentPages();
const currentPage = pages[pages.length - 1];
if (currentPage && currentPage.onShow) {
currentPage.onShow();
}
}
});
await this.sleep(1000);
} catch (recoveryError) {
console.warn('恢复操作失败:', recoveryError.message);
}
}
}
}
// 增强的PageObject
class RobustRecordPage extends RecordPage {
constructor(page) {
super(page);
this.retryOperator = new RetryOperator({
maxRetries: 3,
retryDelay: 1000
});
}
async safeTap(selector) {
return this.retryOperator.retryOperation(async () => {
const element = await WaitStrategies.waitForElement(this.page, selector);
await element.tap();
return element;
}, this);
}
async safeInput(selector, text) {
return this.retryOperator.retryOperation(async () => {
const element = await WaitStrategies.waitForElement(this.page, selector);
await element.clear();
await element.input(text);
return element;
}, this);
}
async fillRecordFormRobustly(recordData) {
console.log('开始填写记账表单(稳健模式)...');
await this.safeInput(this.selectors.amountInput, recordData.amount.toString());
await this.safeTap(this.selectors.categoryPicker);
// 等待分类页面
await WaitStrategies.waitForElement(this.page, this.selectors.categoryList);
// 选择分类
await this.selectCategoryWithRetry(recordData.category);
if (recordData.remark) {
await this.safeInput(this.selectors.remarkInput, recordData.remark);
}
console.log('✅ 表单填写完成');
return this;
}
async selectCategoryWithRetry(categoryName) {
return this.retryOperator.retryOperation(async () => {
const categories = await this.page.$$(this.selectors.categoryItem);
for (const category of categories) {
const text = await category.text();
if (text.includes(categoryName)) {
await category.tap();
// 验证已返回记账页面
await WaitStrategies.waitForElement(
this.page,
this.selectors.amountInput,
{ timeout: 5000 }
);
return true;
}
}
throw new Error(`未找到分类: ${categoryName}`);
}, this);
}
}
最终效果:
通过上述方案的实施,我们解决了异步操作导致的测试稳定性问题:
问题描述:在多测试用例并行执行时,测试数据相互干扰,导致:
解决方案:
// utils/test-data-isolator.js
class TestDataIsolator {
constructor() {
this.testRunId = `test_${Date.now()}_${Math.random().toString(36).substr(2, 9)}`;
this.isolatedUsers = new Map();
this.createdRecords = [];
}
// 创建隔离的测试用户
async createIsolatedUser(role = 'student') {
const userId = `test_user_${this.testRunId}_${Date.now()}`;
// 在微信存储中设置隔离标识
await this.setIsolationContext(userId);
// 创建用户测试数据
const userData = {
id: userId,
openid: `mock_openid_${userId}`,
role,
profile: {
nickname: `测试用户_${this.testRunId}`,
avatar: 'https://example.com/test-avatar.png'
},
settings: {
currency: 'CNY',
budget: role === 'student' ? 2000 : 5000,
categories: this.getDefaultCategories(role)
},
// 添加测试标记
__test__: {
runId: this.testRunId,
createdAt: new Date().toISOString(),
autoCleanup: true
}
};
this.isolatedUsers.set(userId, userData);
// 存储到模拟后端
await this.mockBackend.createUser(userData);
return userId;
}
// 设置隔离上下文
async setIsolationContext(userId) {
return this.page.evaluate((userId, testRunId) => {
// 设置微信存储
wx.setStorageSync('test_user_id', userId);
wx.setStorageSync('test_run_id', testRunId);
wx.setStorageSync('test_mode', true);
// 修改wx.request以添加测试header
const originalRequest = wx.request;
wx.request = function(options) {
const headers = options.header || {};
// 添加测试标识
headers['X-Test-User-ID'] = userId;
headers['X-Test-Run-ID'] = testRunId;
headers['X-Test-Mode'] = 'true';
options.header = headers;
return originalRequest.call(this, options);
};
}, userId, this.testRunId);
}
// 创建隔离的测试记录
async createIsolatedRecord(userId, recordData) {
const record = {
...RecordFactory.create(recordData),
userId,
testMetadata: {
runId: this.testRunId,
testName: expect.getState().currentTestName,
createdAt: new Date().toISOString()
}
};
// 存储记录
await this.mockBackend.createRecord(record);
this.createdRecords.push(record);
return record;
}
// 清理测试数据
async cleanup() {
console.log(`🧹 清理测试数据,用户: ${this.isolatedUsers.size}, 记录: ${this.createdRecords.length}`);
// 清理后端数据
await Promise.all([
this.mockBackend.cleanupTestData(this.testRunId),
this.cleanupLocalStorage()
]);
// 重置状态
this.isolatedUsers.clear();
this.createdRecords = [];
console.log('✅ 测试数据清理完成');
}
async cleanupLocalStorage() {
return this.page.evaluate((testRunId) => {
// 清理所有测试相关的存储
const keys = wx.getStorageInfoSync().keys;
keys.forEach(key => {
if (key.includes('test_') || key.includes('temp_')) {
wx.removeStorageSync(key);
}
});
// 重置测试模式
wx.setStorageSync('test_mode', false);
}, this.testRunId);
}
}
// utils/parallel-test-coordinator.js
class ParallelTestCoordinator {
constructor() {
this.locks = new Map();
this.resources = new Map();
this.timeout = 30000;
}
// 获取资源锁
async acquireLock(resourceKey, testId, timeout = this.timeout) {
const lockKey = `lock_${resourceKey}`;
const startTime = Date.now();
while (Date.now() - startTime < timeout) {
if (!this.locks.has(lockKey)) {
// 获取锁
this.locks.set(lockKey, {
owner: testId,
acquiredAt: Date.now(),
expiresAt: Date.now() + 60000 // 1分钟自动过期
});
console.log(`🔒 测试 ${testId} 获取资源锁: ${resourceKey}`);
return true;
}
// 检查锁是否过期
const lock = this.locks.get(lockKey);
if (lock.expiresAt < Date.now()) {
// 锁过期,强制释放
console.log(`⚠️ 资源锁过期: ${resourceKey},所有者: ${lock.owner}`);
this.locks.delete(lockKey);
continue;
}
// 等待并重试
await this.sleep(1000);
}
throw new Error(`获取资源锁超时: ${resourceKey}`);
}
// 释放资源锁
releaseLock(resourceKey, testId) {
const lockKey = `lock_${resourceKey}`;
const lock = this.locks.get(lockKey);
if (lock && lock.owner === testId) {
this.locks.delete(lockKey);
console.log(`🔓 测试 ${testId} 释放资源锁: ${resourceKey}`);
return true;
}
return false;
}
// 分配隔离资源
async allocateResource(resourceType, testId) {
const resourceKey = `${resourceType}_${testId}`;
await this.acquireLock(resourceType, testId);
try {
// 创建隔离资源
const resource = await this.createIsolatedResource(resourceType, testId);
this.resources.set(resourceKey, resource);
return resource;
} finally {
this.releaseLock(resourceType, testId);
}
}
async createIsolatedResource(resourceType, testId) {
switch (resourceType) {
case 'user':
return {
id: `user_${testId}_${Date.now()}`,
type: 'student',
isolationKey: testId
};
case 'database':
return {
name: `test_db_${testId}`,
connectionString: `mongodb://localhost/test_${testId}`,
isolationKey: testId
};
default:
throw new Error(`未知资源类型: ${resourceType}`);
}
}
}
// 在测试中使用
describe('并行测试数据隔离', () => {
let coordinator;
beforeAll(() => {
coordinator = new ParallelTestCoordinator();
});
it('测试用例A - 使用隔离用户', async () => {
const testId = 'test_a';
// 分配隔离用户
const user = await coordinator.allocateResource('user', testId);
// 使用隔离用户进行测试
await testWithIsolatedUser(user);
// 测试完成后自动清理
});
it('测试用例B - 使用隔离用户', async () => {
const testId = 'test_b';
// 分配隔离用户(不会与A冲突)
const user = await coordinator.allocateResource('user', testId);
await testWithIsolatedUser(user);
});
});
在大学生微信小程序个人记账项目中,自动化集成测试框架的建设带来了显著价值:
微信小程序自动化测试官方文档
https://developers.weixin.qq.com/miniprogram/dev/devtools/auto/
miniprogram-automator GitHub仓库
https://github.com/wechat-miniprogram/miniprogram-automator
《微信小程序测试实战》 - 腾讯云开发者社区
https://cloud.tencent.com/developer/article/1490086
小程序自动化测试最佳实践 - 微信开放社区
https://developers.weixin.qq.com/community/develop/article/doc/00060641fbcb68287a99b43f556013
Jest测试框架官方文档
https://jestjs.io/zh-Hans/
小程序性能测试与优化 - 腾讯质量团队
https://mp.weixin.qq.com/s/BRYQo6ZlbPpFL1xR1hN9Pw
通过这个微信小程序自动化集成测试框架的实践,我深刻认识到:连接测试不仅是验证接口,更是保障用户体验的关键环节。特别对于大学生记账这类日常使用的小程序,稳定性、响应速度和数据准确性直接影响用户留存。作为测试工程师,我们需要从用户视角出发,设计贴近真实场景的测试用例,才能真正保证产品质量。