如何从赛普拉斯的测试文件中提取通用功能

时间:2018-10-11 07:34:31

标签: javascript async-await e2e-testing cypress testcafe

我只是从 TestCafe 转到了 Cypress ,却找不到抽象常用方法的解决方案。在此示例中,下面的cy.document().then(doc)..被两次使用,但是我认为这些类型的函数必须抽象为可重用的函数。

it('Test the input text field and submit button list the basket items', () => {
const allNameBeforeInput = []
const allNameAfterInput = []
cy.document().then((doc) => {
    const elements = doc.querySelector('#items').querySelectorAll('.row-style > :nth-child(1)')
    for (let i = 0; i <= elements.length - 1; i++) {
        const basketName = elements[i].textContent
        if (basketName && basketName !== '') {
            allNameBeforeInput.push(`${basketName}`)
        }
        console.log(allNameBeforeInput.length) //this gives 0
    }
})
cy.get(basket.itemInputField)
    .type('Suraj')
cy.get(basket.submitInputButtonField)
    .click()
cy.get(basket.itemInputField)
    .type('Suraj')
cy.get(basket.submitInputButtonField)
    .click()
cy.get(basket.itemInputField)
    .type('Suraj')
cy.get(basket.submitInputButtonField)
    .click()
cy.get('#items').children('.row-style').children('.list-item')
    .contains('Suraj')
cy.document().then((doc) => {
    const elements = doc.querySelector('#items').querySelectorAll('.row-style > :nth-child(1)')
    for (let i = 0; i <= elements.length - 1; i++) {
        const basketName = elements[i].textContent
        if (basketName && basketName !== '') {
            allNameAfterInput.push(`${basketName}`)
        }
    }
    console.log(allNameAfterInput.length) //this gives 3 
    expect(allNameBeforeInput.length).equal(0)
    expect(allNameAfterInput.length).equal(3)
    expect(allNameBeforeInput.length).is.lt(allNameAfterInput.length)
})

})

这是我要在Basket类上完成的工作:

getAllBasketName() {
    cy.document().then((doc) => {
        const allName = []
        const elements = doc.querySelector('#items').querySelectorAll('.row-style > :nth-child(1)')
        for (let i = 0; i <= elements.length - 1; i++) {
            const basketName = elements[i].textContent
            if (basketName && basketName !== '') {
                allName.push(`${basketName}`)
            }
        }
        return allName
    })
}

现在我应该可以使用

    const getAllBasketNamesBefore = basket.getAllBasketName()
cy.get(basket.itemInputField)
        .type('Suraj')
    cy.get(basket.submitInputButtonField)
        .click()
    cy.get(basket.itemInputField)
        .type('Suraj')
    cy.get(basket.submitInputButtonField)
        .click()
    cy.get(basket.itemInputField)
        .type('Suraj')
    cy.get(basket.submitInputButtonField)
        .click()
    const getAllBasketNamesAfter = basket.getAllBasketName()
{Assertion goes here}

由于无法处理异步/等待,因此无法正常工作,因此before和after的值始终为0。任何线索或帮助将不胜感激。

1 个答案:

答案 0 :(得分:1)

赛普拉斯不建议您使用的方法,该方法被认为是反模式。 https://docs.cypress.io/guides/references/best-practices.html#Assigning-Return-Values

Cypress建议您添加自定义命令。 https://docs.cypress.io/api/cypress-api/custom-commands.html#Syntax

在最初创建的文件夹结构中,可以在support文件夹下找到commands.js文件。在这里,您可以创建一个命令,其中包含您希望重用的逻辑。基于您代码的console.log部分,我假设这是在命令行上运行的。控制台以及在UI中都有自定义命令。

对于该部分,您可能必须添加此自定义命令

// not a super useful custom command
// but demonstrates how subject is passed
// and how the arguments are shifted
Cypress.Commands.add('console', {
  prevSubject: true
}, (subject, method) => {
  // the previous subject is automatically received
  // and the commands arguments are shifted

  // allow us to change the console method used
  method = method || 'log'

  // log the subject to the console
  console[method]('The subject is', subject)

  // whatever we return becomes the new subject
  //
  // we don't want to change the subject so
  // we return whatever was passed in
  return subject
})

对于其他功能,创建命令非常简单,基本模式为:

Cypress.Commands.add(name, callbackFn)

因此您可以创建类似

的内容
Cypress.Commands.add(allNameBeforeInput, (options, options) => {
 //custom logic goes here

})

然后您可以通过调用cy.allNameBeforeInput(options,options)来使用它。

例如,我在登录方面苦苦挣扎,我所有的测试都具有通过UI登录的登录功能,但我想在正确的页面而不是登录页面上开始测试。我将此添加到了support文件夹中的command.js文件:

Cypress.Commands.add('login',(username="notsharingmyusernam@stackexchange.com", 
password="somesecurepasswordshhh") => {
 cy.request({
   method: "POST",
   url: "/api/public/login",
   body: `{:person/email "${username}", :person/password "${password}"}`,
   headers: {
     "Accept": "application/edn",
     "Content-Type": "application/edn"
   }
 })
})

现在,我可以在测试开始时添加cy.login和beforeEach函数。之前,每个向服务器发出请求并等待登录请求和cy.login自定义命令,以确保仅使用一个cy命令就可以使用捆绑的逻辑。

describe('Test suite for page traverse', () => {
    beforeEach(() => {
        cy.server()
        cy.route("POST","/api/graphql").as("graphql")
        Cypress.Cookies.preserveOnce("company_jwt_qa") 
    })

     it('traverses all subnav items', () => {
        cy.login()
            cy.visit('/index.html')
            cy.wait("@graphql")
        cy.get('[data-tag-component="subnav-group"]')
            cy.get('[data-tag-component="subnav-title"]').eq(1).click()


    })
 })