本文介绍了如果断言失败,则停止测试的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!
问题描述
我有一个简单的柏树测试:
describe('My First Test', () => {
it('Go to login page', () => {
cy.visit('http://localhost:3000')
cy.contains('Log in').click()
})
it('Login with local account', () => {
cy.get('input[type=email]').type('[email protected]')
cy.get('input[type=password]').type('asd123')
cy.contains('Log in').type('{enter}')
})
})
第一个断言检查是否存在文本为Log in
的元素,然后单击它。第二个断言尝试登录。我已将Log in
按钮中的文本更改为Assertion Failed
。因此,现在第一个断言失败,但它仍然运行第二个断言,即使我没有被重定向到登录页面。
有没有办法在断言失败时取消正在运行的规范?
推荐答案
您也可以使用
afterEach(() => {
if (cy.state('test').state === 'failed') {
Cypress.runner.stop()
}
})
但这有一个问题,您的after()
挂钩都不会运行,包括代码覆盖之类的插件。
更好的解决方案是动态跳过后续测试,类似于此答案How to add test case grouping in Cypress
beforeEach(function() {
const suite = cy.state('test').parent
if (suite.tests.some(test => test.state === 'failed')) {
this.skip()
}
})
这是我的简化测试
describe('all tests', () => {
describe('fail fast', () => {
beforeEach(function() { // move up to apply to all tests
const suite = cy.state('test').parent;
if (suite.tests.some(test => test.state === 'failed')) {
console.log(`skipping test "${cy.state('test').title}"`)
this.skip()
}
})
after(() => {
console.log('after') // runs
})
it('fails', () => {
expect(true).to.eq(false) // fails
})
it('next', () => {
expect(true).to.eq(true) // skipped
})
})
describe('no fail fast', () => {
it('no skip', () => {
expect(true).to.eq(true) // runs
})
})
})
这篇关于如果断言失败,则停止测试的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!