要捕获Protractor测试用例的通过/失败情况以进行自定义报告,您可以使用Protractor提供的Jasmine测试框架和Jasmine报告器。
首先,安装Jasmine报告器:
npm install jasmine-spec-reporter --save-dev
然后,在Protractor的配置文件(protractor.conf.js)中,添加以下配置:
const SpecReporter = require('jasmine-spec-reporter').SpecReporter;
exports.config = {
  // 其他配置项...
  onPrepare: function() {
    // 在测试开始前启用Jasmine Spec Reporter
    jasmine.getEnv().addReporter(new SpecReporter({
      spec: {
        displayStacktrace: true
      }
    }));
  },
  // 其他配置项...
};
接下来,您可以创建一个自定义的报告器类,用于捕获测试用例的通过/失败情况,并根据需要生成自定义报告。
class CustomReporter {
  specResults = {};
  constructor() {
    this.startTime = new Date();
  }
  jasmineStarted(suiteInfo) {
    this.specResults[suiteInfo.id] = {
      passed: 0,
      failed: 0
    };
  }
  suiteDone(suite) {
    console.log(`Suite "${suite.description}" finished. Passed: ${this.specResults[suite.id].passed}. Failed: ${this.specResults[suite.id].failed}`);
  }
  specDone(spec) {
    if (spec.status === 'passed') {
      this.specResults[spec.fullName.split(' ')[0]].passed++;
    } else if (spec.status === 'failed') {
      this.specResults[spec.fullName.split(' ')[0]].failed++;
    }
  }
  jasmineDone() {
    const endTime = new Date();
    const duration = (endTime - this.startTime) / 1000; // in seconds
    console.log(`Total passed: ${this.getTotalPassed()}`);
    console.log(`Total failed: ${this.getTotalFailed()}`);
    console.log(`Total duration: ${duration} seconds`);
  }
  getTotalPassed() {
    let totalPassed = 0;
    for (const key in this.specResults) {
      totalPassed += this.specResults[key].passed;
    }
    return totalPassed;
  }
  getTotalFailed() {
    let totalFailed = 0;
    for (const key in this.specResults) {
      totalFailed += this.specResults[key].failed;
    }
    return totalFailed;
  }
}
module.exports = CustomReporter;
最后,在Protractor的配置文件(protractor.conf.js)中,将自定义报告器添加到jasmine.getEnv().addReporter()方法中:
const CustomReporter = require('./path/to/CustomReporter.js');
exports.config = {
  // 其他配置项...
  onPrepare: function() {
    // 在测试开始前启用Jasmine Spec Reporter
    jasmine.getEnv().addReporter(new SpecReporter({
      spec: {
        displayStacktrace: true
      }
    }));
    // 添加自定义报告器
    jasmine.getEnv().addReporter(new CustomReporter());
  },
  // 其他配置项...
};
现在,当您运行Protractor测试时,Jasmine Spec报告器将在控制台中显示测试用例的通过/失败情况,并且自定义报告器将在控制台中显示总体通过/失败情况和测试持续时间。
请注意,您可以根据需要定制自定义报告器的输出方式,例如将结果写入文件或生成HTML报告。