赛普拉斯如何聆听全球事件?

bur*_*mre 4 cypress

我们有一个应用程序会定期轮询服务器,直到任务完成为止。我们触发一个全局事件,以便赛普拉斯可以捕获并确定任务是否已完成,但是document.addEventListener在赛普拉斯上使用时遇到了麻烦。这是我们正在做的:

document.addEventListener('queryEnd', () => {
    cy.get('.chart').should('be.visible')
    cy.get('.table').should('be.visible')
  })
Run Code Online (Sandbox Code Playgroud)

然而; 当我们在规范中使用它时,它无法正常工作,我们也无法捕获它。此外,赛普拉斯不等待测试,afterEach而是在不等待回调运行的情况下运行。

Zac*_*ist 5

代码无法按预期运行的原因是因为在赛普拉斯中,测试在与被测应用程序(AUT)不同的框架中运行。您正在等待的事件永远不会在Cypress的内部触发document

要获取documentAUT的信息,请使用cy.document()以下代码:

cy.document()
.then($document => {
  // now $document is a reference to the AUT Document
  $document.addEventListener(...)
})
Run Code Online (Sandbox Code Playgroud)

要让赛普拉斯在继续之前等待您的事件,只需将其包装在即可Cypress.Promise。赛普拉斯的文档中有一个有关等待Promise完成的示例。对于您的queryEnd事件,它看起来像这样:

cy.document() // get a handle for the document
.then($document => {
  return new Cypress.Promise(resolve => { // Cypress will wait for this Promise to resolve
    const onQueryEnd = () => {
      $document.removeEventListener('queryEnd', onQueryEnd) // cleanup
      resolve() // resolve and allow Cypress to continue
    }
    $document.addEventListener('queryEnd', onQueryEnd)
  })
})
.then(() => {
  cy.get('.chart').should('be.visible')
  cy.get('.table').should('be.visible')
})
Run Code Online (Sandbox Code Playgroud)