[Cypress] install, configure, and script Cypress for JavaScript web applications -- part1
Despite the fact that Cypress is an application that runs natively on your machine, you can install it and add it as a dependency just like all other dependencies in your package.json
file. So let's install Cypress and get our project ready to start end-to-end testing with Cypress.
install:
npm i -D cypress
Run:
npx cypress open
It will create some default tests and run the tests.
Config with eslint:
npm i -D eslint-plugin-cypress
Open .eslintrc.js:
const path = require('path') module.exports = {
extends: [
'kentcdodds',
'kentcdodds/import',
'kentcdodds/webpack',
'kentcdodds/jest',
'kentcdodds/react',
],
plugins: ['eslint-plugin-cypress'],
env: {'cypress/globals': true},
overrides: [
{
files: ['**/__tests__/**'],
settings: {
'import/resolver': {
jest: {
jestConfigFile: path.join(__dirname, './jest.config.js'),
}
}
}
}
]
}
Update .gitignore:
coverage
node_modules
dist
cypress/videos
cypress/screenshots
Write the first Cypress Test
Cypress starts out your project with a ton of tests, let’s remove those and add our first test that verifies our calculator can add two numbers together using the Cypress selector playground and Cypress commands.
describe('anonymous calculator', () => {
it('can make calculation', () => {
cy.visit('http://localhost:8080')
.get('._2S_Gj6clvtEi-dZqCLelKb > :nth-child(3)') // get 1
.click()
.get('._1yUJ9HTWYf2v-MMhAEVCAn > :nth-child(4)') // get +
.click()
.get('._2S_Gj6clvtEi-dZqCLelKb > :nth-child(5)') // get 3
.click()
.get('._1yUJ9HTWYf2v-MMhAEVCAn > :nth-child(5)') // get =
.click()
.get('.mNQM6vIr72uG0YPP56ow5')// get display
.should('have.text', '4');
})
})
Configure Cypress in cypress.json
Cypress is fairly simple to configure, but it’s important to optimize our experience in testing Cypress. We’ll configure the baseUrl to make it easier to visit our app and we’ll also move our test files to a folder called e2e
to make it more clear what types of tests we want to write with Cypress. We’ll use the cypress.json
file, but Cypress can also be configured via command line flags and environment variables.
// cypress.json {
"baseUrl": "http://localhost:8080",
"integrationFolder": "cypress/e2e/",
"viewportHeight": 900,
"viewportWidth": 400,
"defaultCommandTimeout": 5000
}
We have config the 'baseUrl', so in the test, we can use:
describe('anonymous calculator', () => {
it('can make calculation', () => {
cy.visit('/')
.get('._2S_Gj6clvtEi-dZqCLelKb > :nth-child(3)')
.click()
.get('._1yUJ9HTWYf2v-MMhAEVCAn > :nth-child(4)')
.click()
.get('._2S_Gj6clvtEi-dZqCLelKb > :nth-child(5)')
.click()
.get('._1yUJ9HTWYf2v-MMhAEVCAn > :nth-child(5)')
.click()
.get('.mNQM6vIr72uG0YPP56ow5')
.should('have.text', '4');
})
})
Installing cypress-testing-library
Our selectors are pretty ridiculous, mostly because we’re using CSS-in-JS and css modules for our react application. But even if we weren’t, using class names as selectors for our application testing is pretty brittle and not really testing in the way a user would. So instead let’s use cypress-testing-library to improve our selectors and make it easier to read our tests.
The following part of code is really hard to read and maintain because those wired selector
.get('._2S_Gj6clvtEi-dZqCLelKb > :nth-child(3)')
.click()
.get('._1yUJ9HTWYf2v-MMhAEVCAn > :nth-child(4)')
.click()
.get('._2S_Gj6clvtEi-dZqCLelKb > :nth-child(5)')
.click()
.get('._1yUJ9HTWYf2v-MMhAEVCAn > :nth-child(5)')
.click()
.get('.mNQM6vIr72uG0YPP56ow5')
To solve the problem, let's install:
npm i -D cypress-testing-library
Inside cypress/support:
// ***********************************************************
// This example support/index.js is processed and
// loaded automatically before your test files.
//
// This is a great place to put global configuration and
// behavior that modifies Cypress.
//
// You can change the location of this file or turn off
// automatically serving support files with the
// 'supportFile' configuration option.
//
// You can read more here:
// https://on.cypress.io/configuration
// ***********************************************************
import 'cypress-testing-library/add-commands' // Import commands.js using ES2015 syntax:
import './commands' // Alternatively you can use CommonJS syntax:
// require('./commands')
Update the tests:
cy.visit('/')
.getByText(/^1$/)
.click()
.getByText(/^\+$/)
.click()
.getByText(/^3$/)
.click()
.getByText(/^\=$/)
.click()
For the display, we need to use 'data-testid':
Update the component:
return (
<div
className={styles.autoScalingText}
style={{transform: `scale(${scale},${scale})`}}
ref={this.node}
data-testid="total"
>
{this.props.children}
</div>
Now the test looks like:
describe('anonymous calculator', () => {
it('can make calculation', () => {
cy.visit('/')
.getByText(/^1$/)
.click()
.getByText(/^\+$/)
.click()
.getByText(/^3$/)
.click()
.getByText(/^\=$/)
.click()
.getByTestId('total')
.should('have.text', '4');
})
})
Scripting Cypress for local development and Continuous Integration
We want to make starting cypress as simple as possible for local development and we need to be able to run a single script that exits when the tests are complete for continuous integration. So let’s add a few scripts to get ourselves setup for this development experience.
Install:
npm install --save-dev start-server-and-test
When we run e2e test, check if it is CI, when we run:
cypress run // not open the broswer
Otherwise:
cypress open
Then we want to run our server first, after get response from server, then we want to run cypress automaticlly:
start-server-and-test start http://localhost:8080 cy:run // run 'start' first, it will start the server wait response from 'http://localhost:8080', if get the response, then run cy:run' command
Scripts:
"scripts": {
"test": "is-ci \"test:coverage\" \"test:watch\"",
"test:coverage": "jest --coverage",
"test:watch": "jest --watch",
"test:debug": "node --inspect-brk ./node_modules/jest/bin/jest.js --runInBand --watch",
"cy:run": "cypress run",
"cy:open": "cypress open",
"pretest:e2e:run": "npm run build",
"test:e2e": "is-ci \"test:e2e:run\" \"test:e2e:dev",
"test:e2e:run": "start-server-and-test start http://localhost:8080 cy:run",
"test:e2e:dev": "start-server-and-test dev http://localhost:8080 cy:open",
"dev": "webpack-serve",
"build": "webpack --mode=production",
"precommit": "lint-staged",
"postbuild": "cp ./public/index.html ./dist/index.html",
"start": "serve --no-clipboard --listen 8080 dist",
"lint": "jest --config test/jest-lint.js",
"format": "prettier \"**/*.js\" --write",
"validate": "npm run test && && npm run test:e2e:run",
"setup": "npm run setup && npm run validate"
},
Debug a test with Cypress
One of the greatest features of Cypress is how awesome the experience of debugging tests is. You do have to get used to the asynchronous nature of E2E testing, but once you get the hang of that debugging is pretty straightforward, and the ability to debug your own source code is awesome. The fact that your test and source code are executed in the same context also gives you some powerful advantages as well. You can potentially even expose some internal state to your Cypress app.
The way to add a debugger in the Cypress:
describe('anonymous calculator', () => {
it('can make calculation', () => {
cy.visit('/')
.getByText(/^1$/)
.click()
.getByText(/^\+$/)
.click()
.getByText(/^3$/)
.click()
.getByText(/^\=$/)
.then(subject => {
debugger
return subject;
})
.click()
.getByTestId('total')
.should('have.text', '4');
})
})
or
.getByText(/^\=$/)
.debug()
.click()
And
we can add cy.log('xxx'):
cy.log('get by text')
cy.getByText(/^\=$/)
.debug()
.click()
In the component, you can also put a debugger:
ReactDOM.render(
<Component initialState={{}}>
{({state, setState}) => {
debugger
if(window.Cypress) {
window.appState = state
window.setAppState = setState
}
[Cypress] install, configure, and script Cypress for JavaScript web applications -- part1的更多相关文章
- [Cypress] install, configure, and script Cypress for JavaScript web applications -- part3
Use custom Cypress command for reusable assertions We’re duplicating quite a few commands between th ...
- [Cypress] install, configure, and script Cypress for JavaScript web applications -- part2
Use Cypress to test user registration Let’s write a test to fill out our registration form. Because ...
- [Cypress] install, configure, and script Cypress for JavaScript web applications -- part4
Load Data from Test Fixtures in Cypress When creating integration tests with Cypress, we’ll often wa ...
- [Cypress] install, configure, and script Cypress for JavaScript web applications -- part5
Use the Most Robust Selector for Cypress Tests Which selectors your choose for your tests matter, a ...
- Cypress系列(3)- Cypress 的初次体验
如果想从头学起Cypress,可以看下面的系列文章哦 https://www.cnblogs.com/poloyy/category/1768839.html 前言 这里的栗子项目时 Cypress ...
- Cypress系列(41)- Cypress 的测试报告
如果想从头学起Cypress,可以看下面的系列文章哦 https://www.cnblogs.com/poloyy/category/1768839.html 注意 51 testting 有一篇文章 ...
- document.write('<script type=\"text/javascript\"><\/script>')
document.write('<script type=\"text/javascript\"><\/script>')
- <script language = "javascript">, <script type = "text/javascript">和<script language = "application/javascript">(转)
application/javascript是服务器端处理js文件的mime类型,text/javascript是浏览器处理js的mime类型,后者兼容性更好(虽然application/ ...
- 2.1 <script>元素【JavaScript高级程序设计第三版】
向 HTML 页面中插入 JavaScript 的主要方法,就是使用<script>元素.这个元素由 Netscape 创造并在 Netscape Navigator 2 中首先实现.后来 ...
随机推荐
- 力扣题目汇总(反转字符串中的单词,EXCEL表列序号,旋置矩阵)
反转字符串中的单词 III 1.题目描述 给定一个字符串,你需要反转字符串中每个单词的字符顺序,同时仍保留空格和单词的初始顺序. 示例 1: 输入: "Let's take LeetCode ...
- Dajngo admin
Dajngo admin admin app Django 提供了基于 web 的管理工具. Django 自动管理工具是 django.contrib 的一部分.你可以在项目的 settings.p ...
- deine const 等关键字区别
define 属于预编译指令,在程序运行之前就已经编译好:额,定义变量,没有类型信息, const 修饰的变量是不可变的,只是给出了内存地址,且只在程序运行时初始化开辟一块内存空间 const 只修饰 ...
- wordpress 使用jquery需要主要的问题
wordpress 使用jquery时,不能直接使用$, 而是用jQuery 代替$, 而且wordpress默认调用jquery
- HDU 3341 Lost's revenge
Lost's revenge Time Limit: 5000ms Memory Limit: 65535KB This problem will be judged on HDU. Original ...
- ubuntu系统下如何禁用笔记本触摸板
命令行方式,得每次用终端输入命令行设置,不方便. sudo rmmod psmouse # 用来禁用触摸板 sudo modprobe psmouse # 用来启用触摸板 想 ...
- sublime text2-text3 定义的不同浏览器的预览快捷键
sublime text3 自己定义的不同浏览器的预览快捷键突然全部失效了,搞到现在一直没闹清楚怎么回事,翻看插件发现SideBarEnhancements这插件刚更新了,快捷键也是依赖这个插件弄得. ...
- iOS学习笔记13-网络(二)NSURLSession
在2013年WWDC上苹果揭开了NSURLSession的面纱,将它作为NSURLConnection的继任者.现在使用最广泛的第三方网络框架:AFNetworking.SDWebImage等等都使用 ...
- POJ 2396 Budget ——有上下界的网络流
给定矩阵的每行每列的和,和一些大于小于等于的限制.然后需要求出一组可行解. 上下界网络流. 大概的思想就是计算出每一个点他需要强行流入或者流出的量,然后建出超级源点和汇点,然后删除下界,就可以判断是否 ...
- 刷题总结——路径(ssoi)
题目: 题目背景 CF 57D 题目描述 小美今天和她的好朋友在玩捉迷藏游戏.地图可以抽象成一张 n*m 的图,地图上有一些障碍.但这些障碍有一些性质:1:每个障碍周围 8 个格子是没有障碍的.2:每 ...