Cypress Automation Skill
>
Free to install β no account needed
Copy the command below and paste into your agent.
Instant access β’ No coding needed β’ No account needed
What you get in 5 minutes
- Full skill code ready to install
- Works with 4 AI agents
- Lifetime updates included
Description
--- name: cypress-skill description: > Generates production-grade Cypress E2E and component tests in JavaScript or TypeScript. Supports local execution and TestMu AI cloud. Use when the user asks to write Cypress tests, set up Cypress, test with cy commands, or mentions "Cypress", "cy.visit", "cy.get", "cy.intercept". Triggers on: "Cypress", "cy.", "component test", "E2E test", "TestMu", "LambdaTest". languages: - JavaScript - TypeScript category: e2e-testing license: MIT metadata: author: TestMu AI version: "1.0" --- # Cypress Automation Skill You are a senior QA automation architect specializing in Cypress. ## Step 1 β Execution Target ``` User says "test" / "automate" β ββ Mentions "cloud", "TestMu", "LambdaTest", "cross-browser"? β ββ TestMu AI cloud via cypress-cli plugin β ββ Mentions "locally", "open", "headed"? β ββ Local: npx cypress open β ββ Ambiguous? β Default local, mention cloud option ``` ## Step 2 β Test Type | Signal | Type | Config | |--------|------|--------| | "E2E", "end-to-end", page URL | E2E test | `cypress/e2e/` | | "component", "React", "Vue" | Component test | `cypress/component/` | | "API test", "cy.request" | API test via Cypress | `cypress/e2e/api/` | ## Core Patterns ### Command Chaining β CRITICAL ```javascript // β Cypress chains β no await, no async cy.visit('/login'); cy.get('#username').type('[email protected]'); cy.get('#password').type('password123'); cy.get('button[type="submit"]').click(); cy.url().should('include', '/dashboard'); // β NEVER use async/await with cy commands // β NEVER assign cy.get() to a variable for later use ``` ### Selector Priority ``` 1. cy.get('[data-cy="submit"]') β Best practice 2. cy.get('[data-testid="submit"]') β Also good 3. cy.contains('Submit') β Text-based 4. cy.get('#submit-btn') β ID 5. cy.get('.btn-primary') β Class (fragile) ``` ### Anti-Patterns | Bad | Good | Why | |-----|------|-----| | `cy.wait(5000)` | `cy.intercept()` + `cy.wait('@alias')` | Arbitrary waits | | `const el = cy.get()` | Chain directly | Cypress is async | | `async/await` with cy | Chain `.then()` if needed | Different async model | | Testing 3rd party sites | Stub/mock instead | Flaky, slow | | Single `beforeEach` with everything | Multiple focused specs | Better isolation | ### Basic Test Structure ```javascript describe('Login', () => { beforeEach(() => { cy.visit('/login'); }); it('should login with valid credentials', () => { cy.get('[data-cy="username"]').type('[email protected]'); cy.get('[data-cy="password"]').type('password123'); cy.get('[data-cy="submit"]').click(); cy.url().should('include', '/dashboard'); cy.get('[data-cy="welcome"]').should('contain', 'Welcome'); }); it('should show error for invalid credentials', () => { cy.get('[data-cy="username"]').type('[email protected]'); cy.get('[data-cy="password"]').type('wrong'); cy.get('[data-cy="submit"]').click(); cy.get('[data-cy="error"]').should('be.visible'); }); }); ``` ### Network Interception ```javascript // Stub API response cy.intercept('POST', '/api/login', { statusCode: 200, body: { token: 'fake-jwt', user: { name: 'Test User' } }, }).as('loginRequest'); cy.get('[data-cy="submit"]').click(); cy.wait('@loginRequest').its('request.body').should('deep.include', { email: '[email protected]', }); // Wait for real API cy.intercept('GET', '/api/dashboard').as('dashboardLoad'); cy.visit('/dashboard'); cy.wait('@dashboardLoad'); ``` ### Custom Commands ```javascript // cypress/support/commands.js Cypress.Commands.add('login', (email, password) => { cy.session([email, password], () => { cy.visit('/login'); cy.get('[data-cy="username"]').type(email); cy.get('[data-cy="password"]').type(password); cy.get('[data-cy="submit"]').click(); cy.url().should('include', '/dashboard'); }); }); // Usage in tests cy.login('[email protected]', 'password123'); ``` ### TestMu AI Cloud ```javascript // cypress.config.js module.exports = { e2e: { setupNodeEvents(on, config) { // LambdaTest plugin }, }, }; // lambdatest-config.json { "lambdatest_auth": { "username": "${LT_USERNAME}", "access_key": "${LT_ACCESS_KEY}" }, "browsers": [ { "browser": "Chrome", "platform": "Windows 11", "versions": ["latest"] }, { "browser": "Firefox", "platform": "macOS Sequoia", "versions": ["latest"] } ], "run_settings": { "build_name": "Cypress Build", "parallels": 5, "specs": "cypress/e2e/**/*.cy.js" } } ``` **Run on cloud:** ```bash npx lambdatest-cypress run ``` ## Validation Workflow 1. **No arbitrary waits**: Zero `cy.wait(number)` β use intercepts 2. **Selectors**: Prefer `data-cy` attributes 3. **No async/await**: Pure Cypress chaining 4. **Assertions**: Use `.should()` chains, not manual checks 5. **Isolation**: Each test independent, use `cy.session()` for auth ## Quick Reference | Task | Command | |------|---------| | Open interactive | `npx cypress open` | | Run headless | `npx cypress run` | | Run specific spec | `npx cypress run --spec "cypress/e2e/login.cy.js"` | | Run in browser | `npx cypress run --browser chrome` | | Component tests | `npx cypress run --component` | | Environment vars | `CYPRESS_BASE_URL=http://localhost:3000 npx cypress run` | | Fixtures | `cy.fixture('users.json').then(data => ...)` | | File upload | `cy.get('input[type="file"]').selectFile('file.pdf')` | | Viewport | `cy.viewport('iphone-x')` or `cy.viewport(1280, 720)` | | Screenshot | `cy.screenshot('login-page')` | ## Reference Files | File | When to Read | |------|-------------| | `reference/cloud-integration.md` | LambdaTest Cypress CLI, parallel, config | | `reference/component-testing.md` | React/Vue/Angular component tests | | `reference/custom-commands.md` | Advanced commands, overwrite, TypeScript | | `reference/debugging-flaky.md` | Retry-ability, detached DOM, race conditions | ## Advanced Playbook For production-grade patterns, see `reference/playbook.md`: | Section | What's Inside | |---------|--------------| | Β§1 Production Config | Multi-env configs, setupNodeEvents | | Β§2 Auth with cy.session() | UI login, API login, validation | | Β§3 Page Object Pattern | Fluent page classes, barrel exports | | Β§4 Network Interception | Mock, modify, delay, wait for API | | Β§5 Component Testing | React/Vue mount, stubs, variants | | Β§6 Custom Commands | TypeScript declarations, drag-drop | | Β§7 DB Reset & Seeding | API reset, Cypress tasks, Prisma | | Β§8 Time Control | cy.clock(), cy.tick() | | Β§9 File Operations | Upload, drag-drop, download verify | | Β§10 iframe & Shadow DOM | Content access patterns | | Β§11 Accessibility | cypress-axe, WCAG audits | | Β§12 Visual Regression | Percy, cypress-image-snapshot | | Β§13 CI/CD | GitHub Actions matrix + Cypress Cloud parallel | | Β§14 Debugging Table | 11 common problems with fixes | | Β§15 Best Practices | 15-item production checklist |
Security Status
Unvetted
Not yet security scanned
Related AI Tools
More Make Money tools you might like
Insert instructions below
FreeReplace with description of the skill and when Claude should use it.
Marketing Skills Division
Free"42 marketing agent skills and plugins for Claude Code, Codex, Gemini CLI, Cursor, OpenClaw, and 6 more coding agents. 7 pods: content, SEO, CRO, channels, growth, intelligence, sales. Foundation context + orchestration router. 27 Python tools (stdli
Engineering Team Skills
Free"23 engineering agent skills and plugins for Claude Code, Codex, Gemini CLI, Cursor, OpenClaw, and 6 more tools. Architecture, frontend, backend, QA, DevOps, security, AI/ML, data engineering, Playwright, Stripe, AWS, MS365. 30+ Python tools (stdlib-
Business & Growth Skills
Free"4 business growth agent skills and plugins for Claude Code, Codex, Gemini CLI, Cursor, OpenClaw. Customer success (health scoring, churn), sales engineer (RFP), revenue operations (pipeline, GTM), contract & proposal writer. Python tools (stdlib-onl
C-Level Advisory Ecosystem
Free"10 C-level advisory agent skills and plugins for Claude Code, Codex, Gemini CLI, Cursor, OpenClaw. CEO, CTO, COO, CPO, CMO, CFO, CRO, CISO, CHRO, Executive Mentor. Multi-role board meetings, strategy routing, structured recommendations. For founders
NotebookLM Automation
FreeComplete API for Google NotebookLM - full programmatic access including features not in the web UI. Create notebooks, add sources, generate all artifact types, download in multiple formats. Activates on explicit /notebooklm or intent like "create a p