Cypress icon

Cypress

Testing

A JavaScript end-to-end testing framework that makes it easy to set up, write, run, and debug tests.

40 Questions

Questions

Explain what Cypress is, its purpose in the testing ecosystem, and the main features that make it a popular testing framework.

Expert Answer

Posted on Mar 26, 2025

Cypress is a next-generation front-end testing tool built for the modern web. It addresses the key pain points developers and QA engineers face when testing modern applications.

Architecture and Core Concepts:

Cypress operates directly in the browser, executing in the same run loop as the application. This architectural decision distinguishes it from other testing frameworks:

  • Node.js + Browser Execution Model: Cypress runs partly in Node.js and partly in the browser, giving it access to both environments simultaneously.
  • Same Origin Policy Solution: Cypress can work around same-origin policy limitations through proxying.
  • Execution Context: Tests execute in the browser's JavaScript context, allowing direct access to all browser APIs, window objects, and application code.

Key Technical Features:

  • Network Traffic Control: Cypress can intercept, stub, and mock network requests with cy.intercept() and cy.route().
  • Retry-ability: Most Cypress commands are retried until assertions pass or timeout, employing a built-in retry-ability logic.
  • Synchronous Execution API: While asynchronous under the hood, Cypress presents a synchronous API that handles waiting and promises automatically.
  • Native Event Handling: Cypress interacts with the DOM using native browser events, simulating real user interactions.
  • System Integration: Cypress can execute system commands, read/write files, and interact with databases through its Node.js process.
  • Viewport Control: Tests can be run against different viewports to test responsive designs.
  • Screenshot and Video Recording: Automatic capture of screenshots on failure and video recording of test runs.
  • Plugin Ecosystem: Extensible through plugins for additional functionality like authentication, visual regression testing, etc.
Advanced Cypress Test Example with Network Stubbing:

describe('API Testing Example', () => {
  it('stubs network requests and validates app behavior', () => {
    // Setup the route to be stubbed
    cy.intercept('GET', '/api/users/*', {
      statusCode: 200,
      body: {
        id: 1,
        name: 'Test User',
        email: 'test@example.com'
      }
    }).as('getUser')
    
    // Visit the page that will make the request
    cy.visit('/user/1')
    
    // Wait for the intercept to be called
    cy.wait('@getUser')
    
    // Verify the UI reflects the stubbed data
    cy.get('.user-name').should('contain', 'Test User')
    cy.get('.user-email').should('contain', 'test@example.com')
    
    // Verify network request properties if needed
    cy.get('@getUser').its('request.url').should('include', '/api/users/1')
  })
})
        

Technical Implementation Details:

  • Command Queue: Cypress implements a command queue that manages test execution, ensuring commands run in sequence with proper waiting.
  • DOM Snapshots: Cypress captures the state of the DOM at each step, enabling its time-travel debugging feature.
  • Browserify/Webpack Integration: Cypress bundles test files using Browserify (or Webpack) to enable importing modules and using modern JavaScript features.
  • WebSocket Communication: The Test Runner communicates with the browser via WebSockets to coordinate test execution and report results.

Expert Tip: When dealing with complex applications, leverage Cypress's ability to directly modify application state by accessing the window object. For example: cy.window().then(win => { win.app.store.dispatch({type: 'SET_AUTH', payload: true}) }) can bypass login flows for tests focused on authenticated features.

Beginner Answer

Posted on Mar 26, 2025

Cypress is a modern JavaScript-based testing framework designed specifically for web applications. It's an all-in-one testing tool that makes it easy to set up, write, run, and debug tests.

Key Features of Cypress:

  • Time Travel: Cypress takes snapshots as your tests run, allowing you to see exactly what happened at each step.
  • Real-time Reloads: Tests automatically reload when you make changes to your test files.
  • Automatic Waiting: Cypress automatically waits for commands and assertions before moving on, eliminating the need for sleep and wait commands.
  • Consistent Results: Cypress tests run inside the browser, reducing network issues that cause flaky tests.
  • Debugging: The Cypress Test Runner provides a clear view of what's happening during test execution with helpful error messages.
Simple Cypress Test Example:

describe('My First Test', () => {
  it('Visits the example page', () => {
    cy.visit('https://example.com')
    
    cy.contains('example')
      .should('be.visible')
    
    cy.get('h1')
      .should('contain', 'Example Domain')
  })
})
        

Tip: Cypress comes with an interactive Test Runner that shows exactly what's happening during test execution, making it much easier to debug issues compared to traditional testing tools.

Describe the key differences between Cypress and traditional testing tools like Selenium, highlighting the unique advantages and potential limitations of each approach.

Expert Answer

Posted on Mar 26, 2025

The architectural differences between Cypress and Selenium fundamentally reshape the testing paradigm, resulting in distinctive capabilities, constraints, and performance profiles that influence their applicability in different testing scenarios.

Architectural Comparison:

  • Execution Model:
    • Cypress: Executes directly in the browser, within the same JavaScript runtime as the application. The test script and application share the same execution context.
    • Selenium: Uses a client-server architecture with WebDriver as an intermediary protocol layer that communicates with the browser through browser-specific drivers.
  • Command Execution:
    • Cypress: Implements a command queue with automatic retry-ability. Each command yields a Promise-like "Chainable" object, though the API appears synchronous to developers.
    • Selenium: Commands are sent serially over HTTP to the WebDriver server, requiring explicit synchronization and waiting strategies.
  • Access to Application:
    • Cypress: Has direct access to application code, window object, DOM, network layer, and storage (localStorage, sessionStorage, cookies).
    • Selenium: Limited to public browser APIs and cannot access application internals directly.

Technical Implementation Differences:

  • Network Control:
    • Cypress: Intercepts network requests at the application layer, enabling stubbing, spying, and modification with fine-grained control.
    • Selenium: Cannot intercept network traffic directly; requires external proxies like BrowserMob.
  • Synchronization:
    • Cypress: Employs an intelligent auto-waiting mechanism that understands application state (animations, XHR, page transitions).
    • Selenium: Requires explicit waits (implicit, explicit, fluent) which can be error-prone and require careful tuning.
  • Debugging Capabilities:
    • Cypress: Provides DOM snapshots at each step with time travel, detailed error messages with stack traces that map to original code, and real-time test execution visualization.
    • Selenium: Offers limited debugging information, typically requiring additional logging and tooling.
  • Real Events:
    • Cypress: Uses browser's native event system with actual event propagation, respecting event bubbling and capturing phases.
    • Selenium: Simulates events using JavaScript injected into the page, sometimes failing to trigger all associated event handlers.
Technical Comparison Matrix:
Feature Cypress Selenium Other Tools (e.g., Playwright, TestCafe)
Execution Context Inside browser Outside browser Outside browser with better abstraction
Parallelization Limited in open-source version, better in Cypress Cloud Excellent, industry standard Good to excellent
Browser Support Chrome-family, Firefox, Edge (no Safari) All major browsers All major browsers including mobile
iFrame Handling Limited, requires context switching Native support Usually better than Cypress
Multiple Tabs/Windows Not supported natively Fully supported Usually supported
Network Interception Native, powerful API Requires external proxy Usually native support
Advanced Testing Pattern Comparison:

Handling async operations in Cypress:


// Cypress handles waiting automatically
cy.intercept('GET', '/api/data').as('dataRequest')
cy.visit('/dashboard')
cy.wait('@dataRequest')
cy.get('[data-cy=result]').should('contain', 'Success')

// Access to application code for advanced scenarios
cy.window().then(win => {
  const appState = win.store.getState()
  expect(appState.user.isAuthenticated).to.be.true
})
        

Equivalent pattern in Selenium (using JavaScript):


// Manual setup for request interception
const proxy = new BrowserMobProxy()
proxy.start()
proxy.newHar()

const options = new chrome.Options()
options.setProxy(proxy.seleniumProxy())
const driver = new webdriver.Builder()
  .forBrowser('chrome')
  .setChromeOptions(options)
  .build()

// Manual wait implementation
await driver.get('/dashboard')
const wait = new webdriver.WebDriverWait(driver, 10)
await wait.until(webdriver.until.elementLocated(webdriver.By.css('[data-cy=result]')))
const element = await driver.findElement(webdriver.By.css('[data-cy=result]'))
const text = await element.getText()
assert(text.includes('Success'))

// No direct access to application state
// Would require exposing state through the DOM or custom JS execution
        

Performance and Scale Considerations:

  • Test Execution Speed:
    • Cypress: Generally faster for individual tests due to direct browser integration.
    • Selenium: Often slower for individual tests but can scale better for parallel execution.
  • Grid/Parallelization:
    • Cypress: Parallelization limited in open-source version; Cypress Cloud offers more options.
    • Selenium: Mature grid infrastructure for massive parallelization across browsers and environments.
  • Cross-Domain Testing:
    • Cypress: Has limitations with cross-domain testing due to same-origin policy constraints.
    • Selenium: No inherent cross-domain limitations.

Expert Tip: Consider a hybrid approach for comprehensive testing strategies. Use Cypress for critical user journeys and component testing where its debugging capabilities shine, and Selenium for broader cross-browser validation and edge cases that require multiple tabs or windows. Tools like Playwright and TestCafe offer middle grounds that combine advantages from both approaches.

Architectural Decision Factors:

When evaluating which tool to use, consider these technical constraints:

  • Cypress cannot access browser resources outside its origin due to same-origin policy
  • Selenium requires more infrastructure for reliable operation (WebDriver servers, browser drivers)
  • Cypress has limitations in testing scenarios requiring multiple browser tabs or windows
  • Selenium cannot easily stub network requests without additional tools
  • Cypress cannot effectively run headless tests on CI/CD infrastructure with the same reliability as Selenium

Beginner Answer

Posted on Mar 26, 2025

Cypress and Selenium are both popular tools for end-to-end testing of web applications, but they have several key differences in how they work and what they offer.

Main Differences:

  • Architecture: Cypress runs directly in the browser alongside your application, while Selenium controls the browser from the outside using WebDriver.
  • Language Support: Selenium supports many programming languages (Java, Python, C#, etc.), while Cypress is JavaScript-only.
  • Speed: Cypress tests generally run faster because they execute within the browser.
  • Automatic Waiting: Cypress automatically waits for elements to appear, animations to complete, etc., whereas Selenium requires explicit waits.
  • Browser Support: Selenium supports all major browsers, while Cypress originally supported only Chrome but now also supports Firefox, Edge, and Electron.
Cypress vs. Selenium:
Cypress Selenium
Runs inside the browser Controls browser from outside
JavaScript only Multiple languages
Automatic waiting Requires explicit waits
Built-in time travel No built-in time travel
Limited browser support All major browsers
Simple Test Comparison:

Cypress Example:


cy.visit('https://example.com')
cy.get('#username').type('testuser')
cy.get('#password').type('password')
cy.get('#login-button').click()
cy.get('.welcome-message').should('contain', 'Welcome')
        

Selenium Example (JavaScript):


driver.get('https://example.com');
driver.findElement(By.id('username')).sendKeys('testuser');
driver.findElement(By.id('password')).sendKeys('password');
driver.findElement(By.id('login-button')).click();
const welcomeMsg = await driver.wait(until.elementLocated(By.className('welcome-message')), 5000);
expect(await welcomeMsg.getText()).to.contain('Welcome');
        

Tip: Choose Cypress when you need a tool that's easy to set up and use, especially for JavaScript developers. Choose Selenium when you need to support multiple browsers or need to write tests in languages other than JavaScript.

Explain the process of setting up Cypress in a web project, including installation and basic configuration steps.

Expert Answer

Posted on Mar 26, 2025

Setting up Cypress involves several detailed steps, with opportunities for customization based on your project's needs:

Installation Methods:

While the standard npm/yarn approach works for most cases, there are multiple ways to install Cypress:


# Standard installation
npm install cypress --save-dev

# Direct download (bypasses npm post-install hooks)
CYPRESS_INSTALL_BINARY=0 npm install cypress --save-dev
npx cypress install

# Specific version installation
npm install cypress@9.5.1 --save-dev

# With caching for CI environments
CYPRESS_CACHE_FOLDER=~/cypress_cache npm install cypress
        

Project Structure Configuration:

After installation, Cypress creates the following structure that can be customized:

  • cypress/fixtures/ - Static data for test mocks
  • cypress/integration/ - Test files (or cypress/e2e/ in v10+)
  • cypress/plugins/ - Plugin configurations (or cypress/support/plugins/ in v10+)
  • cypress/support/ - Support files like custom commands
  • cypress.json - Main configuration file (or cypress.config.js in v10+)

Advanced Configuration:

A comprehensive configuration might include:


{
  "baseUrl": "http://localhost:3000",
  "viewportWidth": 1280,
  "viewportHeight": 720,
  "defaultCommandTimeout": 6000,
  "requestTimeout": 10000,
  "responseTimeout": 30000,
  "pageLoadTimeout": 60000,
  "video": true,
  "videoCompression": 32,
  "videoUploadOnPasses": false,
  "trashAssetsBeforeRuns": true,
  "screenshotOnRunFailure": true,
  "chromeWebSecurity": false,
  "retries": {
    "runMode": 2,
    "openMode": 0
  },
  "env": {
    "apiUrl": "https://api.example.com",
    "authToken": "test-token-123"
  },
  "experimentalStudio": true,
  "reporter": "mochawesome",
  "reporterOptions": {
    "reportDir": "cypress/reports",
    "overwrite": false
  }
}
        

TypeScript Configuration:

For TypeScript support, you need additional configuration:

  1. Install TypeScript and Cypress types:
  2. npm install --save-dev typescript @types/cypress
  3. Create a tsconfig.json file:
  4. 
    {
      "compilerOptions": {
        "target": "es5",
        "lib": ["es5", "dom"],
        "types": ["cypress", "node"],
        "resolveJsonModule": true,
        "esModuleInterop": true
      },
      "include": ["**/*.ts"]
    }
            
  5. Create cypress/tsconfig.json for test files:
  6. 
    {
      "extends": "../tsconfig.json",
      "include": ["**/*.ts"]
    }
            

CI/CD Integration:

For CI environments, create a separate configuration:


# cypress.ci.json
{
  "baseUrl": "http://localhost:3000",
  "video": true,
  "screenshotOnRunFailure": true,
  "trashAssetsBeforeRuns": true,
  "videoCompression": 15,
  "reporter": "junit",
  "reporterOptions": {
    "mochaFile": "results/cypress-[hash].xml",
    "toConsole": true
  },
  "retries": 2
}

# Run with the CI config
cypress run --config-file cypress.ci.json
        

Plugin Configuration:

Configure plugins in cypress/plugins/index.js:


// cypress/plugins/index.js
const cypressTypeScriptPreprocessor = require('@cypress/webpack-preprocessor')

module.exports = (on, config) => {
  // TypeScript support
  const options = {
    webpackOptions: {
      resolve: {
        extensions: ['.ts', '.js']
      },
      module: {
        rules: [
          {
            test: /\.ts$/,
            exclude: [/node_modules/],
            use: [
              {
                loader: 'ts-loader'
              }
            ]
          }
        ]
      }
    },
  }
  on('file:preprocessor', cypressTypeScriptPreprocessor(options))
  
  // Environment variable handling
  config.env.customVariable = process.env.CUSTOM_VARIABLE
  
  return config
}
        

Pro Tip: For monorepos or complex project structures, use Cypress's module API:


// scripts/cypress.js
const cypress = require('cypress')

cypress.run({
  project: './apps/frontend',
  config: {
    baseUrl: 'http://localhost:4200',
    integrationFolder: '../shared/cypress/integration'
  },
  env: {
    apiUrl: process.env.API_URL
  }
})
.then(results => {
  console.log(results)
  if (results.totalFailed > 0) {
    process.exit(1)
  }
})
.catch(err => {
  console.error(err)
  process.exit(1)
})
        

Beginner Answer

Posted on Mar 26, 2025

Setting up Cypress in a web project is straightforward and involves just a few steps:

Basic Installation:

  1. Install Node.js if you don't have it already
  2. Create a project or navigate to your existing project
  3. Install Cypress using npm or yarn:

# Using npm
npm install cypress --save-dev

# Using yarn
yarn add cypress --dev
        

Opening Cypress for the first time:

After installation, you can open Cypress using:


# Using npm
npx cypress open

# Using yarn
yarn cypress open
        

The first time you run this command, Cypress will:

  • Create a cypress folder in your project with example tests
  • Create a cypress.json configuration file
  • Open the Cypress Test Runner

Basic Configuration:

The main configuration is done in the cypress.json file at the root of your project. A simple configuration might look like:


{
  "baseUrl": "http://localhost:3000",
  "viewportWidth": 1280,
  "viewportHeight": 720
}
        

Tip: You can add Cypress commands to your package.json for easier access:


"scripts": {
  "cypress:open": "cypress open",
  "cypress:run": "cypress run"
}
        

That's it! You've successfully set up Cypress and can start writing tests in the cypress/integration folder.

Describe the purpose of the cypress.json file, its structure, and some commonly used configuration options.

Expert Answer

Posted on Mar 26, 2025

The cypress.json file functions as the primary configuration mechanism for Cypress, allowing granular control over test execution, environment setup, and runtime behavior. This file is loaded at the start of each test run and can be overridden via command line flags or programmatic execution.

Configuration Hierarchy and Precedence:

Cypress resolves configuration in the following order (highest precedence first):

  1. Command line arguments (--config flag)
  2. Environment variables (prefixed with CYPRESS_)
  3. Programmatic configuration in plugins/index.js
  4. Configuration in cypress.json
  5. Default Cypress configuration

Comprehensive Configuration Options:


{
  // Base Configuration
  "baseUrl": "http://localhost:3000",
  "projectId": "a1b2c3", // For Cypress Dashboard integration
  
  // File/Folder Configuration
  "fixturesFolder": "cypress/fixtures",
  "integrationFolder": "cypress/integration",
  "supportFile": "cypress/support/index.js",
  "pluginsFile": "cypress/plugins/index.js",
  "screenshotsFolder": "cypress/screenshots",
  "videosFolder": "cypress/videos",
  "downloadsFolder": "cypress/downloads",
  
  // Viewport Configuration
  "viewportWidth": 1280,
  "viewportHeight": 720,
  
  // Timeout Settings (milliseconds)
  "defaultCommandTimeout": 4000,
  "execTimeout": 60000,
  "taskTimeout": 60000,
  "pageLoadTimeout": 60000,
  "requestTimeout": 5000,
  "responseTimeout": 30000,
  
  // Test Execution Settings
  "video": true,
  "videoCompression": 32,
  "videoUploadOnPasses": true,
  "trashAssetsBeforeRuns": true,
  "watchForFileChanges": true,
  "testFiles": "**/*.spec.js",
  "screenshotOnRunFailure": true,
  "chromeWebSecurity": true,
  
  // Retries Configuration
  "retries": {
    "runMode": 2,      // Number of retries in cypress run
    "openMode": 0      // Number of retries in cypress open
  },
  
  // Component Testing (v10+)
  "component": {
    "componentFolder": "src",
    "testFiles": "**/*.spec.{js,ts,jsx,tsx}"
  },
  
  // Environment Variables
  "env": {
    "apiUrl": "https://api.example.com",
    "authToken": "test-token-123",
    "featureFlags": {
      "newFeature": true
    }
  },
  
  // Reporter Configuration
  "reporter": "mochawesome",
  "reporterOptions": {
    "reportDir": "cypress/reports",
    "overwrite": false,
    "html": true,
    "json": true
  },
  
  // Experimental Features
  "experimentalSourceRewriting": true,
  "experimentalSessionAndOrigin": true,
  "experimentalStudio": false,
  
  // Plugin/Module Configuration
  "nodeVersion": "system"
}
        

Advanced Configuration Techniques:

1. Environment-Specific Configurations:

Create multiple configuration files for different environments:


# cypress.dev.json, cypress.staging.json, cypress.prod.json
cypress run --config-file cypress.staging.json
        
2. Dynamic Configuration via Plugins:

Modify configuration based on environment variables or build parameters:


// cypress/plugins/index.js
module.exports = (on, config) => {
  // Modify baseUrl based on environment variable
  const environment = process.env.ENVIRONMENT || 'development'
  
  const environmentConfigs = {
    development: {
      baseUrl: 'http://localhost:3000',
      env: {
        apiUrl: 'http://localhost:8000/api'
      }
    },
    staging: {
      baseUrl: 'https://staging.example.com',
      env: {
        apiUrl: 'https://staging-api.example.com'
      }
    },
    production: {
      baseUrl: 'https://example.com',
      env: {
        apiUrl: 'https://api.example.com'
      }
    }
  }
  
  // Merge environment-specific config with base config
  return { ...config, ...environmentConfigs[environment] }
}
        
3. Programmatic Configuration via API:

// scripts/run-tests.js
const cypress = require('cypress')

const browsers = ['chrome', 'firefox', 'edge']

// Run tests across multiple browsers
Promise.all(
  browsers.map(browser => {
    return cypress.run({
      browser: browser,
      config: {
        baseUrl: process.env.APP_URL || 'http://localhost:3000',
        viewportWidth: 1280,
        viewportHeight: 720
      },
      env: {
        grepTags: '@smoke',
        apiUrl: process.env.API_URL
      }
    })
  })
)
.then(results => {
  const failures = results.reduce((sum, result) => sum + result.totalFailed, 0)
  process.exit(failures ? 1 : 0)
})
        

Performance Optimization Settings:


{
  // Speed up test execution
  "numTestsKeptInMemory": 10,    // Reduce for memory-constrained environments
  "modifyObstructiveCode": false, // Slightly faster but less robust
  "video": false,                // Disable video recording for faster runs
  "trashAssetsBeforeRuns": false // Skip cleanup for faster sequential runs
}
        

Advanced Tip: For testing cross-domain applications, you may need to disable Chrome web security:


{
  "chromeWebSecurity": false,
  "modifyObstructiveCode": false,
  "experimentalCspAllowList": true
}
        

This disables same-origin policy, but comes with security implications and should only be used when necessary.

Integration with TypeScript:

For TypeScript projects, you can define types for custom environment variables:


// cypress/support/index.d.ts
/// <reference types="cypress" />

declare namespace Cypress {
  interface Chainable {
    login(email: string, password: string): Chainable<Element>
  }
  
  interface Cypress {
    env(): {
      apiUrl: string
      authToken: string
      featureFlags: {
        newFeature: boolean
      }
    }
  }
}
        

Note that as of Cypress 10+, the configuration format has changed to a JavaScript-based format (cypress.config.js or cypress.config.ts) which provides better type support and more programmatic capabilities.

Beginner Answer

Posted on Mar 26, 2025

The cypress.json file is the main configuration file for Cypress. It sits at the root of your project and allows you to customize how Cypress behaves.

What is cypress.json?

Think of cypress.json as the control panel for your Cypress tests. It's where you can set up default behaviors, without having to specify them in each test.

Common Settings:


{
  "baseUrl": "http://localhost:3000",
  "viewportWidth": 1280,
  "viewportHeight": 720,
  "defaultCommandTimeout": 5000,
  "video": false
}
        

Explanation of Common Settings:

  • baseUrl: The URL where your application runs. This lets you use relative paths in your cy.visit() commands.
  • viewportWidth/viewportHeight: The default size of the browser window for your tests.
  • defaultCommandTimeout: How long (in milliseconds) Cypress will wait for commands to complete before failing.
  • video: Whether to record videos of test runs (true/false).

Other Useful Settings:

  • screenshotsFolder: Where screenshots are saved (default: cypress/screenshots)
  • videosFolder: Where videos are saved (default: cypress/videos)
  • integrationFolder: Where test files are located (default: cypress/integration)
  • fixturesFolder: Where test data files are located (default: cypress/fixtures)

Tip: You can also set environment variables in your configuration:


{
  "env": {
    "apiUrl": "https://api.example.com",
    "username": "testuser"
  }
}
        

Then access them in your tests with Cypress.env('username')

When you change settings in cypress.json, the changes take effect the next time you run Cypress.

Explain how to create and structure basic tests in Cypress, including file organization and simple test commands.

Expert Answer

Posted on Mar 26, 2025

Writing effective Cypress tests requires understanding its architecture, command chaining, and testing best practices. Let's dive deeper into structuring robust tests:

Cypress Project Organization:

  • Directory Structure:
    • cypress/e2e/ - Test specs (in Cypress 10+; was integration/ in earlier versions)
    • cypress/fixtures/ - Static test data
    • cypress/support/ - Reusable utilities, commands, and global setup
    • cypress.config.js - Configuration options

Cypress Architecture Fundamentals:

Cypress uses a unique command execution model with these key characteristics:

  • Command Queueing: Commands are enqueued and executed asynchronously
  • Automatic Waiting: Built-in retry-ability for DOM-based assertions
  • Subject Management: Commands yield subjects to the next command in the chain
  • Timeout Management: Configurable timeouts at command, test, and global levels
Advanced Test Structure Example:

// cypress/e2e/authentication.cy.js

describe('Authentication Flow', () => {
  beforeEach(() => {
    // Reset state between tests
    cy.intercept('POST', '/api/login').as('loginRequest')
    cy.visit('/login')
  })
  
  it('displays validation errors with invalid credentials', () => {
    cy.get('[data-cy=email-input]').type('invalid@example.com')
    cy.get('[data-cy=password-input]').type('wrongpassword')
    cy.get('[data-cy=login-button]').click()
    
    // Wait for the API request to complete
    cy.wait('@loginRequest')
    
    // Assertions using chainable methods
    cy.get('[data-cy=error-message]')
      .should('be.visible')
      .and('contain.text', 'Invalid credentials')
      .and('have.css', 'color', 'rgb(220, 53, 69)') // Red color
  })
  
  it('successfully logs in with valid credentials', () => {
    // Using a custom command defined in support/commands.js
    cy.fixture('user.json').then((userData) => {
      cy.get('[data-cy=email-input]').type(userData.email)
      cy.get('[data-cy=password-input]').type(userData.password)
      cy.get('[data-cy=login-button]').click()
      
      cy.wait('@loginRequest').its('response.statusCode').should('eq', 200)
      
      // Verify redirection to dashboard
      cy.url().should('include', '/dashboard')
      cy.get('[data-cy=welcome-message]')
        .should('contain', userData.name)
        
      // Verify local storage for auth token
      cy.window().its('localStorage.token')
        .should('exist')
    })
  })
})
        

Testing Best Practices:

  • Data Selectors: Use data-cy or similar attributes instead of relying on CSS classes or IDs that might change
  • Network Request Handling: Use cy.intercept() to stub responses or wait for actual requests
  • Custom Commands: Extract repetitive test steps into reusable commands
  • Fixtures: Externalize test data to maintain separation of concerns
  • Error Handling: Configure proper error reporting with screenshots/videos
Custom Commands Example:

// cypress/support/commands.js

Cypress.Commands.add('login', (email, password) => {
  cy.session([email, password], () => {
    cy.visit('/login')
    cy.get('[data-cy=email-input]').type(email)
    cy.get('[data-cy=password-input]').type(password)
    cy.get('[data-cy=login-button]').click()
    cy.url().should('include', '/dashboard')
  })
})

// Usage in tests
it('performs user-specific action', () => {
  cy.login('test@example.com', 'password123')
  // Test continues with user already logged in
})
        

Performance Optimization: Use session-based authentication caching (cy.session()) to avoid repeating login flows for each test, significantly improving test suite execution time.

Common Pitfalls:

  • Improper Assertions: Using .then() with direct assertions rather than chainable .should()
  • Race Conditions: Not properly waiting for application state to stabilize
  • Tight Coupling: Tests that depend on previous test state
  • Brittle Selectors: Using implementation-specific selectors that break with UI changes

Beginner Answer

Posted on Mar 26, 2025

Writing basic tests with Cypress is straightforward and follows a simple pattern. Here's how to get started:

Setting Up Cypress Tests:

  • File Location: Tests are stored in the cypress/integration folder (or cypress/e2e in newer versions)
  • File Naming: Test files typically end with .spec.js or .cy.js
Basic Test Example:

// cypress/integration/my_first_test.spec.js

describe('My First Test', () => {
  it('Visits the homepage', () => {
    // Visit a webpage
    cy.visit('https://example.com')
    
    // Check if an element exists
    cy.contains('welcome')
    
    // Click on a button
    cy.get('button').click()
    
    // Type into a form field
    cy.get('input[name="email"]').type('test@example.com')
    
    // Assert something is true
    cy.get('.success-message').should('be.visible')
  })
})
        

Common Cypress Commands:

  • cy.visit(url): Opens a webpage
  • cy.get(selector): Selects elements like you would with CSS selectors
  • cy.contains(text): Finds elements containing specific text
  • cy.click(): Clicks on an element
  • cy.type(text): Types text into input fields
  • cy.should(assertion): Makes assertions about elements

Tip: Cypress automatically waits for elements to exist before interacting with them, which makes tests more stable.

To run your tests, you can use the Cypress Test Runner by typing npx cypress open in your terminal, which gives you a nice visual interface for running and debugging tests.

What is the describe-it pattern in Cypress? How do you structure tests and use basic assertions?

Expert Answer

Posted on Mar 26, 2025

The describe-it pattern in Cypress originates from the Mocha testing framework and provides a robust foundation for organizing test suites with proper isolation, setup, and teardown capabilities. Let's explore the advanced usage and underlying mechanics:

BDD Structure and Test Organization:

Cypress adopts Behavior-Driven Development (BDD) semantics through the describe-it pattern:

  • describe(): Defines a test suite and creates a closure for shared state and hooks
  • it(): Defines a test specification that exercises a specific behavior
  • context(): Alias for describe(), useful for creating sub-groupings
  • specify(): Alias for it(), improves readability in certain contexts

Advanced Test Hooks:

Cypress supports various hooks for precise test setup and teardown:


describe('User Authentication Flow', () => {
  // Runs once before all tests in this describe block
  before(() => {
    cy.log('Setting up test database')
    cy.task('seedTestData', { fixtures: ['users', 'roles'] })
  })
  
  // Runs before each test
  beforeEach(() => {
    cy.intercept('POST', '/api/login', { fixture: 'login-response.json' }).as('loginRequest')
    cy.intercept('GET', '/api/user-profile', { fixture: 'user-profile.json' }).as('profileRequest')
    cy.visit('/login')
    cy.clearLocalStorage() // Ensure clean state
  })
  
  // Standard test case
  it('should authenticate with valid credentials', () => {
    // Test implementation
  })
  
  // Focused test - only this will run when using .only
  it.only('should show appropriate errors for invalid credentials', () => {
    // Only this test will run when you use cy:open or cy:run
  })
  
  // Skipped test
  it.skip('should redirect to previous page after login', () => {
    // This test will be skipped
  })
  
  // Test with retry configuration
  it('should display user profile after login', { retries: 2 }, () => {
    // This test will retry up to 2 times before failing
  })
  
  // Runs after each test
  afterEach(() => {
    cy.log('Cleaning up test state')
  })
  
  // Runs once after all tests
  after(() => {
    cy.log('Tearing down test environment')
    cy.task('resetTestData')
  })
})
        

Assertion System Architecture:

Cypress's assertion system combines Chai, Sinon, and jQuery with a unique retry-ability mechanism:

  • Implicit Subject Management: Assertions operate on the yield of the previous command
  • Automatic Waiting: Assertions retry until they pass or timeout
  • Chainable Interface: Multiple assertions can be chained for concise test code
  • DOM-aware Assertions: Special handling for DOM elements with jQuery integration
Advanced Assertion Patterns:

// DOM-based assertions with retry-ability
cy.get('table tr')
  .should('have.length.gt', 5)                    // Greater than 5 rows
  .and('have.length.lt', 10)                      // Less than 10 rows
  .first()                                          // Focus on first row
  .should('have.attr', 'data-status', 'active')  // Has attribute check
  .find('td')                                      // Find cells within row
  .eq(2)                                            // Get the third cell
  .should(($el) => {
    // Custom function assertion using jQuery element
    expect(parseFloat($el.text())).to.be.greaterThan(100)
  })

// Network request assertions
cy.wait('@loginRequest')
  .its('request.body')                              // Access request body
  .should('deep.include', { username: 'testuser' }) // Deep object check
  
cy.wait('@profileRequest')
  .its('response.statusCode')                       // Access status code
  .should('eq', 200)                                // Equality check

// Multiple assertions on application state
cy.window()
  .its('app.store.state.user')                      // Access app state
  .should('deep.include', {
    isLoggedIn: true,
    role: 'admin',
    permissions: Cypress.sinon.match.array.contains(['read', 'write'])
  })
        

Advanced Test Structure Patterns:

Data-Driven Testing:

describe('Form Validation', () => {
  const testCases = [
    { input: 'test', expectValid: false, errorMessage: 'Email must be valid' },
    { input: 'test@example', expectValid: false, errorMessage: 'Email must include domain' },
    { input: 'test@example.com', expectValid: true, errorMessage: null }
  ]
  
  beforeEach(() => {
    cy.visit('/signup')
  })
  
  testCases.forEach(({ input, expectValid, errorMessage }) => {
    it(`validates email: ${input} (should ${expectValid ? 'pass' : 'fail'})`, () => {
      cy.get('input[name="email"]').type(input)
      cy.get('button[type="submit"]').click()
      
      if (expectValid) {
        cy.get('.error-message').should('not.exist')
        cy.url().should('include', '/confirmation')
      } else {
        cy.get('.error-message')
          .should('be.visible')
          .and('contain', errorMessage)
      }
    })
  })
})
        

Optimization Tip: Use cypress.config.js to configure test behavior at different levels:


// cypress.config.js
module.exports = {
  e2e: {
    setupNodeEvents(on, config) {
      // implement node event listeners here
    },
    // Global assertion timeout
    defaultCommandTimeout: 5000,
    // Retry options at the suite level
    retries: {
      runMode: 2,      // Retries in CI
      openMode: 0      // No retries in interactive mode
    }
  }
}
        

Best Practices for Test Structure:

  • Isolation: Each test should be independent and not rely on previous test state
  • Descriptive Names: Use descriptive describe/it blocks that read like documentation
  • Focused Testing: Test one behavior per it() block
  • Shared Setup: Use before/beforeEach hooks for common setup instead of duplicating code
  • Conditional Testing: Use runtime checks to make tests adaptable to different environments
  • Page Objects: Consider extracting page interactions into reusable classes/functions

Beginner Answer

Posted on Mar 26, 2025

The describe-it pattern in Cypress helps organize your tests in a readable and structured way. It's borrowed from testing frameworks like Mocha.

Test Structure in Cypress:

  • describe(): Creates a block that groups related tests
  • it(): Defines an individual test case
  • beforeEach(): Runs before each test in a describe block
  • afterEach(): Runs after each test in a describe block
Basic Structure Example:

// Test file: login_spec.js

describe('Login Page', () => {
  beforeEach(() => {
    // This runs before each test
    cy.visit('https://example.com/login')
  })

  it('displays the login form', () => {
    cy.get('form').should('be.visible')
    cy.get('input[type="email"]').should('exist')
    cy.get('input[type="password"]').should('exist')
  })

  it('shows error with incorrect password', () => {
    cy.get('input[type="email"]').type('user@example.com')
    cy.get('input[type="password"]').type('wrongpassword')
    cy.get('button[type="submit"]').click()
    cy.get('.error-message').should('be.visible')
  })
})
        

Basic Assertions in Cypress:

Assertions in Cypress use the .should() command and help you verify that your application is behaving correctly.

  • Visibility: .should('be.visible')
  • Existence: .should('exist')
  • Content: .should('have.text', 'Expected text')
  • Length: .should('have.length', 5)
  • Value: .should('have.value', 'example')
Assertion Examples:

// Check if element is visible
cy.get('#submit-button').should('be.visible')

// Check if element contains specific text
cy.get('h1').should('contain', 'Welcome')

// Check if checkbox is checked
cy.get('input[type="checkbox"]').should('be.checked')

// Check if element has a class
cy.get('div').should('have.class', 'success')

// Chain multiple assertions
cy.get('input')
  .should('have.attr', 'placeholder', 'Enter your email')
  .and('be.enabled')

Tip: Cypress assertions automatically retry until they pass or timeout, which makes your tests more reliable when dealing with asynchronous UI changes.

This describe-it structure makes your tests easy to read and organize, while assertions help you verify your application works as expected.

Explain the different ways to select elements in Cypress and how to interact with them through actions like clicking, typing, etc.

Expert Answer

Posted on Mar 26, 2025

Cypress provides a rich API for selecting and interacting with DOM elements that relies on jQuery's selector engine under the hood while adding additional functionality through command chaining.

Element Selection Strategies:

  • cy.get(): Primary selector command that accepts CSS selectors
    cy.get('[data-testid="submit"]') // Using data attributes (recommended)
    cy.get('.user-list > li')         // Using child combinator
    cy.get('form input:first-of-type') // Using pseudo-selectors
  • cy.contains(): Selects elements based on text content
    // With regex pattern matching
    cy.contains(/^Submit$/) 
    
    // Scoped within a specific element + with options
    cy.contains('form', 'Password', { matchCase: false })
  • cy.within(): Scopes commands to operate within a specific element
    cy.get('form').within(() => {
      cy.get('input[name="username"]').type('user')
      cy.get('input[name="password"]').type('pass')
      // These get commands are scoped to the form
    })
  • Custom commands: For application-specific element selection
    // In cypress/support/commands.js
    Cypress.Commands.add('getByTestId', (testId) => {
      return cy.get(`[data-testid="${testId}"]`)
    })
    
    // In test
    cy.getByTestId('login-form').find('button').click()

Advanced Interactions:

  • Complex click interactions:
    // Multiple clicking
    cy.get('button').click({ multiple: true })
    
    // Position specific clicking
    cy.get('button').click({ position: 'topLeft' })
    
    // Modifier keys
    cy.get('a').click({ ctrlKey: true }) // Ctrl+click
  • Advanced typing:
    // With key modifiers and special sequences
    cy.get('input').type('Hello{enter}')
    cy.get('input').type('Test{selectall}{backspace}')
    
    // Delay between keystrokes (for autocomplete testing)
    cy.get('#search').type('Cypress testing', { delay: 100 })
  • File upload handling:
    cy.get('input[type=file]').attachFile('test.pdf')
  • Drag and drop:
    cy.get('#draggable').drag('#droppable')

Handling Element States & Assertions:

// Wait for element state
cy.get('button').should('be.enabled').click()

// Retry until assertion passes (built into Cypress)
cy.get('#dynamic-content').should('contain', 'Loaded')

// Capture element for later use
cy.get('table').find('tr')
  .then(($rows) => {
    // Work with the jQuery collection
    const texts = $rows.toArray().map(el => el.innerText)
    expect(texts).to.include('Expected row')
  })

Best Practices:

  • Use data-testid or data-cy attributes for stable selectors that won't break with CSS/design changes
  • Avoid using XPath selectors as they're typically more brittle and slower
  • Leverage Cypress's automatic retry-ability instead of adding artificial waits
  • Use .should() commands to assert element state before interaction to take advantage of automatic waiting
  • Consider the { timeout: ms } option on commands when dealing with elements that might take longer to appear
Complete Real-world Example:
describe('User authentication flow', () => {
  it('handles failed login attempt correctly', () => {
    cy.visit('/login')
    
    // Fill form with invalid credentials
    cy.get('[data-testid="username-field"]')
      .should('be.visible')
      .clear()
      .type('invalid@example.com')
    
    cy.get('[data-testid="password-field"]')
      .should('be.visible')
      .clear()
      .type('wrongpassword')
      
    // Submit and verify error message
    cy.get('[data-testid="login-button"]')
      .should('not.be.disabled')
      .click()
      
    // Wait for error to appear and verify message
    cy.get('[data-testid="error-message"]', { timeout: 10000 })
      .should('be.visible')
      .and('contain', 'Invalid credentials')
      
    // Verify we're still on login page
    cy.url().should('include', '/login')
  })
})

Beginner Answer

Posted on Mar 26, 2025

In Cypress, selecting and interacting with elements is a fundamental skill. Here's how you can do it:

Selecting Elements:

  • cy.get(): Select elements by CSS selector
    cy.get('button')         // Select all buttons
    cy.get('#submit-button') // Select element with ID 'submit-button'
    cy.get('.form-input')    // Select elements with class 'form-input'
  • cy.contains(): Select elements containing specific text
    cy.contains('Submit')              // Element containing 'Submit'
    cy.contains('button', 'Submit')   // Button containing 'Submit'
  • cy.find(): Find elements within a previous selection
    cy.get('form').find('input')  // Find inputs within a form

Common Interactions:

  • Clicking elements:
    cy.get('button').click()
    cy.contains('Submit').click()
  • Typing text:
    cy.get('input').type('Hello, Cypress')
    cy.get('#password').type('secret123')
  • Clearing inputs:
    cy.get('input').clear()
  • Selecting options:
    cy.get('select').select('Option 1')
  • Checking checkboxes/radio buttons:
    cy.get('[type="checkbox"]').check()
    cy.get('[type="radio"]').first().check()
Basic Form Interaction Example:
cy.visit('https://example.com/login')
cy.get('#username').type('testuser')
cy.get('#password').type('password123')
cy.contains('button', 'Login').click()
cy.url().should('include', '/dashboard')

Tip: Cypress automatically waits for elements to become available before interacting with them, so you don't need to add explicit waits in most cases.

Describe how cy.get() and cy.contains() work in Cypress, their differences, and what best practices should be followed when selecting elements.

Expert Answer

Posted on Mar 26, 2025

Cypress's element selection API is built on top of jQuery's selector engine but enhanced with additional retry-ability, assertions, and promise-like chaining. Understanding the nuanced differences between cy.get() and cy.contains() is crucial for writing robust tests.

Deep Dive: cy.get()

cy.get() is Cypress's fundamental query command that uses CSS selectors to identify elements in the DOM.

// Syntax and options
cy.get(selector, options)

// Options object can include:
{
  timeout: 4000,       // Time to retry finding the element (default: 4000ms)
  log: false,          // Disable command logging in the test runner
  withinSubject: $el   // Limit the search to within this element
}

Under the hood, cy.get():

  • Queries the entire document (or within a parent if chained or using cy.within())
  • Automatically retries until timeout or success
  • Returns a jQuery object wrapped in a Cypress-specific chainable object
  • Includes built-in waiting logic with exponential backoff

Deep Dive: cy.contains()

cy.contains() is specialized for finding elements based on their text content, using either string or RegExp matching.

// Syntax variations
cy.contains(content)               // Find any element with this text
cy.contains(selector, content)     // Find elements matching selector with this text
cy.contains(content, options)      // With options
cy.contains(selector, content, options)

// Options include standard options plus:
{
  matchCase: false,    // Case insensitive search
  timeout: 10000,      // Custom timeout
  // Additional options...
}

Implementation details:

  • Performs a depth-first search through the DOM
  • Ignores elements that are hidden by CSS (can be overridden)
  • When no selector is provided, matches against any element type
  • With RegExp, tests the pattern against the element's text
  • Returns only the first matching element (unlike cy.get() which returns all matches)

Advanced Selection Strategies:

// Using regular expressions with cy.contains
cy.contains(/^Exact text$/)
cy.contains(/partial match/i)  // Case insensitive flag

// Combining methods for precision
cy.get('table').contains('tr', 'User data')

// Using subject yielded from a previous command
cy.get('form')
  .within(() => {
    cy.get('[name="email"]').type('test@example.com')
  })
  
// With custom retry logic
cy.get('#dynamic-element', { timeout: 10000 })
  .should('have.attr', 'data-loaded', 'true')

Selector Strategy Best Practices - Detailed Analysis

Selector Stability Comparison:
Selector Type Stability Example Notes
Data Attributes Highest [data-testid="login"] Dedicated for testing, won't change with UI updates
ID-based High #login-button Generally stable but may change with component refactoring
Element + Attributes Medium button[type="submit"] Decent stability if attributes have semantic meaning
Class-based Low .btn-primary Often tied to styling which changes frequently
Positional/Index Lowest :nth-child(3) Extremely brittle to layout changes

Implementation Recommendations:

  1. Explicit Testing Attributes
    // Component code
    <button 
      data-testid="submit-login"
      className="btn btn-primary"
      onClick={handleSubmit}
    >
      Login
    </button>
    
    // Test code
    cy.get('[data-testid="submit-login"]').click()
  2. Custom Commands for Common Selectors
    // In cypress/support/commands.js
    Cypress.Commands.add('getByTestId', (testId) => {
      return cy.get(`[data-testid="${testId}"]`)
    })
    
    Cypress.Commands.add('findByTestId', { prevSubject: true }, (subject, testId) => {
      return subject.find(`[data-testid="${testId}"]`)
    })
    
    // In test
    cy.getByTestId('user-info').findByTestId('edit-button').click()
  3. Testing Library Integration
    // Using @testing-library/cypress
    cy.findByRole('button', { name: /submit/i }).click()
    cy.findByLabelText('Email').type('user@example.com')

Advanced Tips and Gotchas:

  • Use cy.document() and cy.window() to access document and window objects when needed
  • Be aware that cy.contains() only returns the first match - use with caution when multiple elements could match
  • Remember that Cypress commands are not promises, though they look similar - they execute asynchronously in a queue
  • Shadow DOM elements require special handling with { includeShadowDom: true }
  • For iframes, use cy.iframe() or cy.frameLoaded() from cypress-iframe plugin
  • Consider selector performance in large DOMs - complex selectors can slow tests
Comprehensive Selection Strategy Example:
// Setting up reusable selectors
const selectors = {
  userTable: '[data-testid="user-table"]',
  userRow: '[data-testid="user-row"]',
  editButton: '[data-testid="edit-btn"]',
  deleteButton: '[data-testid="delete-btn"]',
  confirmDialog: '[data-testid="confirm-dialog"]',
  confirmButton: '[data-testid="confirm-action"]'
}

// Test that demonstrates advanced selection techniques
describe('User Management', () => {
  beforeEach(() => {
    cy.intercept('GET', '/api/users', { fixture: 'users.json' }).as('getUsers')
    cy.visit('/admin/users')
    cy.wait('@getUsers')
  })
  
  it('allows deleting a user with confirmation', () => {
    // Find specific user by content and interact with nested elements
    cy.get(selectors.userTable)
      .contains(selectors.userRow, 'john.doe@example.com')
      .within(() => {
        // Scoped to just this row
        cy.get(selectors.deleteButton).click()
      })
      
    // Handle confirmation dialog
    cy.get(selectors.confirmDialog)
      .should('be.visible')
      .within(() => {
        // Assert dialog content first
        cy.contains('Are you sure you want to delete this user?')
          .should('be.visible')
        
        // Confirm deletion
        cy.get(selectors.confirmButton).click()
      })
      
    // Verify user removal - negative assertion
    cy.get(selectors.userTable)
      .contains(selectors.userRow, 'john.doe@example.com')
      .should('not.exist')
      
    // Verify API call was made with correct data
    cy.wait('@deleteUser').its('request.body')
      .should('deep.equal', { userId: 'user-123' })
  })
})

Beginner Answer

Posted on Mar 26, 2025

Cypress provides several methods to select elements, with cy.get() and cy.contains() being the most commonly used. Let's understand each and learn some best practices:

cy.get() - Selection by CSS Selectors

cy.get() finds elements based on CSS selectors, just like you would with jQuery or document.querySelector().

// Select by element type
cy.get('button')

// Select by ID
cy.get('#username')

// Select by class
cy.get('.submit-button')

// Select by attribute
cy.get('[data-test="login"]')

cy.contains() - Selection by Text Content

cy.contains() finds elements that contain specific text.

// Find any element containing the text "Log in"
cy.contains('Log in')

// Find a button containing the text "Submit"
cy.contains('button', 'Submit')

// Case insensitive search
cy.contains('welcome', {matchCase: false})

Key Differences:

  • cy.get() finds elements based on structure and attributes
  • cy.contains() finds elements based on their text content

Best Practices for Selecting Elements in Cypress:

DO:
  • Use data attributes specifically for testing:
    // HTML: <button data-test="submit-button">Submit</button>
    cy.get('[data-test="submit-button"]')
  • Be specific in your selectors to avoid brittleness:
    // Better than just cy.get('button')
    cy.get('form .submit-section button')
  • Use chaining to refine your selection:
    cy.get('form').find('button')
AVOID:
  • Selecting by CSS or styling classes which might change:
    // Avoid: may break if styling changes
    cy.get('.btn-blue')
  • Overly complex selectors that are hard to maintain:
    // Too brittle and complex
    cy.get('div > ul > li:nth-child(2) > span')
  • Selecting by index when possible:
    // Avoid when possible
    cy.get('button').eq(3)

Tips:

  • Add dedicated test attributes (data-test, data-cy, data-testid) to your elements for stable test selectors
  • Create custom commands for common selection patterns in your app
  • Let Cypress's automatic waiting work for you - no need for explicit waits in most cases
  • Chain assertions with .should() to verify properties before interacting with elements

Simple Example:

// Bad approach
cy.get('button').eq(2).click()

// Good approach
cy.get('[data-test="submit-form"]').click()

// Using cy.contains() when appropriate
cy.contains('h2', 'Welcome back').should('be.visible')

Describe the most frequently used Cypress commands for selecting elements and interacting with a web page during testing.

Expert Answer

Posted on Mar 26, 2025

Cypress provides a robust API for DOM traversal and element interaction that follows a unique command execution architecture. Here's a comprehensive breakdown of the most powerful commands:

Element Selection and Traversal:

  • cy.get(selector): Primary command for selecting DOM elements via CSS selectors. Automatically retries until elements are found (or times out).
  • cy.contains(content) / cy.contains(selector, content): Finds elements containing specific text. The second variant narrows the search to elements matching the selector.
  • cy.find(selector): Finds descendants of previously yielded elements (must be chained).
  • cy.within(callback): Scopes commands to within a specific DOM element.
  • cy.root(): Yields the root element of a command chain.
  • cy.children(), cy.closest(), cy.parent(), cy.siblings(): DOM traversal commands similar to jQuery.

Interaction Commands:

  • cy.click(): Simulates mouse click. Can accept options like {multiple: true} to click multiple elements, {force: true} to click even if the element is not actionable.
  • cy.type(text): Types text into inputs. Supports special characters (e.g., {enter}, {backspace}) and options like {delay: 100} to simulate human-like typing.
  • cy.clear(): Clears the value of input or textarea elements.
  • cy.check() / cy.uncheck(): Checks/unchecks checkboxes or radio buttons. Can handle multiple elements with the {multiple: true} option.
  • cy.select(value): Selects option(s) from a <select> element. Can select by value, text, or index.
  • cy.trigger(eventName): Triggers a DOM event programmatically when higher-level commands like click() are insufficient.
  • cy.scrollTo(): Scrolls the page or an element to a specified position.
  • cy.focus() / cy.blur(): Focuses or blurs an element.
  • cy.rightclick(), cy.dblclick(): Simulates right-click and double-click actions.

Navigation and Management:

  • cy.visit(url, options): Visits a URL with optional configuration like timeout, onBeforeLoad, onLoad, and headers.
  • cy.reload(): Reloads the current page. Can be forced with {forceReload: true}.
  • cy.go(direction): Navigates browser history (e.g., cy.go('back') or cy.go(-1)).
  • cy.wait(): Waits for a specific time, route, or alias to resolve before proceeding.
Advanced Example with Command Chaining:

cy.visit('/complex-form');

// Working with a form inside a specific section
cy.get('.user-section').within(() => {
  // Type with special characters and specific options
  cy.get('input[name="email"]')
    .type('test@example.com{enter}', { delay: 50 })
    .should('have.value', 'test@example.com');
    
  // Force-click on a partially hidden element
  cy.contains('Advanced Options')
    .click({ force: true });
    
  // Select multiple items from a multi-select dropdown
  cy.get('select[multiple]')
    .select(['option1', 'option2']);
    
  // Handle a custom dropdown that isn't a native select element
  cy.get('.custom-dropdown').click();
  cy.get('.dropdown-menu').contains('Option 3').click();
});

// Complex assertions with retry logic
cy.get('.status-indicator')
  .should('have.attr', 'data-status', 'success')
  .and('have.css', 'background-color', 'rgb(0, 128, 0)');

// Using aliasing for reusable elements
cy.get('form').as('userForm');
cy.get('@userForm').find('button[type="submit"]').click();

// Handle confirmations
cy.on('window:confirm', (text) => {
  expect(text).to.equal('Are you sure you want to submit?');
  return true;
});
        

Performance Tip: Use cy.get() over cy.contains() when possible for better performance. Selectors like [data-cy="my-element"] are preferable as they are detached from styling or semantic structure changes.

Command Execution Concepts:

Understanding Cypress's command architecture is crucial:

  • Commands are enqueued and executed asynchronously but appear synchronous in your test code
  • Each command yields a subject to the next command (similar to a promise chain)
  • Commands have built-in automatic waiting and retry logic (up to the default timeout)
  • DOM commands are automatically awaited until elements are actionable (visible, not disabled, not covered)

Advanced users should also consider using cy.intercept() to manage network requests, cy.task() for Node.js operations outside the browser, and custom commands for reusable test patterns.

Beginner Answer

Posted on Mar 26, 2025

Cypress provides a variety of commands that make it easy to interact with web pages during automated testing. The most commonly used commands include:

Element Selection Commands:

  • cy.get(): Selects elements using CSS selectors (e.g., cy.get('#login-button') selects an element with ID "login-button")
  • cy.contains(): Finds elements containing specific text (e.g., cy.contains('Submit') finds elements with the text "Submit")
  • cy.find(): Finds elements within a previously selected element

Action Commands:

  • cy.click(): Clicks on an element
  • cy.type(): Types text into an input field
  • cy.check() and cy.uncheck(): Checks/unchecks checkboxes
  • cy.select(): Selects an option from a dropdown

Navigation Commands:

  • cy.visit(): Visits a specific URL
  • cy.reload(): Reloads the page
  • cy.go(): Navigates forward or backward in the browser's history
Example:

// Visit the login page
cy.visit('/login');

// Find the username field and type into it
cy.get('#username').type('testuser');

// Find the password field and type into it
cy.get('#password').type('password123');

// Click the login button
cy.get('button[type="submit"]').click();

// Verify we redirected to the dashboard
cy.url().should('include', '/dashboard');
        

Tip: Cypress commands are chained together and execute asynchronously, but you don't need to use async/await or promises as Cypress handles this automatically for you.

Describe the functionality of basic Cypress interaction commands such as click(), type(), check(), and how they are used in automated testing.

Expert Answer

Posted on Mar 26, 2025

Cypress interaction commands are built on a sophisticated architecture that simulates real user behavior while providing numerous configuration options. Let's examine these commands in depth:

1. click() Command:

The click() command simulates a user clicking on an element and includes the following behavior:

  • Automatically scrolls the element into view
  • Ensures the element is visible, not disabled, and not covered by other elements
  • Fires appropriate mouse events (mousedown, mouseup, click)
  • Can handle multiple clicks on collections with {multiple: true}

// Basic click
cy.get('.button').click();

// Click with options
cy.get('.button').click({
  force: true,        // Click even if the element is not actionable
  multiple: true,     // Click all matching elements
  timeout: 10000,     // Custom timeout
  position: 'topLeft' // Click at a specific position on the element
});

// Click coordinates relative to the element
cy.get('.canvas').click(50, 75);  // x=50, y=75
    

2. type() Command:

The type() command simulates keyboard input and provides extensive control over typing behavior:

  • Focuses the element first (input, textarea, or element with contenteditable)
  • Clears the input when using {clear: true} option
  • Provides keystroke delay configuration to simulate human typing
  • Manages key modifiers like shift, alt, ctrl, and meta
  • Handles special keystrokes via sequences in curly braces

// Type with options
cy.get('.input').type('Hello World', {
  delay: 100,       // ms delay between keystrokes
  force: true,      // Type even if element is hidden/covered
  parseSpecialCharSequences: false, // Treat curly braces as literal
  release: false,   // Don't release modifier keys between keystrokes
  timeout: 10000    // Custom command timeout
});

// Special key sequences
cy.get('.input').type('test{selectall}{backspace}new text');

// Available special sequences:
// {backspace}, {del}, {downarrow}, {end}, {enter}, {esc}, {home}, 
// {insert}, {leftarrow}, {movetoend}, {movetostart}, {pagedown}, 
// {pageup}, {rightarrow}, {selectall}, {uparrow}, {alt}, {ctrl}, 
// {meta}, {shift}, {cmd} and many more

// Modifier keys
cy.get('body').type('a', {ctrlKey: true}); // Control+A (select all)
    

3. check() and uncheck() Commands:

These commands interact with checkboxes and radio buttons:

  • Work on <input type="checkbox">, <input type="radio">
  • Can target elements by value with the value option
  • Handle multiple checkboxes when using {multiple: true}

// Check/uncheck single element
cy.get('[type="checkbox"]').check();
cy.get('[type="checkbox"]').uncheck();

// Check specific values in a group
cy.get('[type="checkbox"]').check(['value1', 'value2']);

// With options
cy.get('[type="checkbox"]').check({
  force: true,     // Check even if hidden/covered
  timeout: 10000,  // Custom timeout
  multiple: true   // Allow multiple elements
});

// Note: uncheck() does not work with radio buttons as they cannot be unchecked
// via user interaction
    

4. select() Command:

The select() command interacts with <select> dropdown elements:

  • Can select by value, text content, or index
  • Supports multi-select for dropdown lists with the multiple attribute
  • Triggers appropriate change events

// Select by value
cy.get('select').select('option1');

// Select by text
cy.get('select').select('Option Text');

// Select multiple options
cy.get('select[multiple]').select(['option1', 'option2']);

// With options
cy.get('select').select('option1', {
  force: true,    // Select even if hidden/covered
  timeout: 10000  // Custom timeout
});
    

5. Additional Advanced Interaction Commands:


// Double click on an element
cy.get('.btn').dblclick();

// Right click on an element
cy.get('.context-menu-trigger').rightclick();

// Focus on an element
cy.get('input').focus();

// Remove focus from an element
cy.get('input').blur();

// Clear the content of an input
cy.get('input').clear();

// Trigger arbitrary DOM events
cy.get('.element')
  .trigger('mouseover')
  .trigger('mousedown', {
    button: 0,      // 0 = left, 1 = middle, 2 = right
    clientX: 100,   // x coordinate
    clientY: 100,   // y coordinate
    ctrlKey: true   // Control key pressed
  });

// Scrolling an element
cy.get('.scrollable').scrollTo('bottom');
cy.get('.scrollable').scrollTo(500, 300); // x, y coordinates
    

Command Execution and Subject Yielding:

Understanding how commands work in the Cypress chain is critical:

  • Most interaction commands yield the same subject they were given
  • This enables chained assertions after interactions
  • Commands respect the Cypress retry-ability pattern

// The element is yielded after the click, enabling chained assertions
cy.get('button')
  .click()
  .should('have.class', 'active')
  .and('contain', 'Clicked');
    

Advanced Tip: All interaction commands accept a log option that can be set to false to hide the command from logs, which is useful when automating security testing or working with sensitive information:

cy.get('#password').type('mysecret', {log: false});

Common Pitfalls and Solutions:

  • Element detached from DOM: Use .should('exist') before interaction or implement custom retry logic
  • Element is covered: Either fix your app's UI or use {force: true} when appropriate
  • Cross-origin iframes: Configure chromeWebSecurity: false in cypress.config.js and consider the security implications
  • Animations: Wait for animations to complete or disable animations in your test environment

While the force: true option is available, it should be used sparingly as it bypasses Cypress's built-in safeguards that ensure elements are actionable, potentially making tests less reliable.

Beginner Answer

Posted on Mar 26, 2025

Cypress provides several interaction commands that make it easy to simulate user actions in your tests. These commands help you interact with elements on a web page just like a real user would.

Basic Interaction Commands:

  • click(): Simulates a mouse click on an element
    cy.get('#submit-button').click()
  • type(): Types text into an input field
    cy.get('#username').type('testuser')

    You can also clear the field first and then type:

    cy.get('#username').clear().type('newuser')
  • check(): Checks a checkbox or radio button
    cy.get('#terms-checkbox').check()
  • uncheck(): Unchecks a checkbox
    cy.get('#newsletter-checkbox').uncheck()
  • select(): Selects an option from a dropdown menu
    cy.get('#country-select').select('USA')
Putting It All Together:

// Visit a registration page
cy.visit('/register');

// Fill out a registration form
cy.get('#first-name').type('John');
cy.get('#last-name').type('Doe');
cy.get('#email').type('john.doe@example.com');
cy.get('#password').type('securePassword123');

// Select from a dropdown
cy.get('#country').select('Canada');

// Check agreements
cy.get('#terms-checkbox').check();
cy.get('#marketing-checkbox').uncheck();

// Submit the form
cy.get('#register-button').click();

// Verify success message appears
cy.contains('Registration successful!').should('be.visible');
        

Special Features:

Special Characters in type()

The type() command can also handle special keys using curly braces:


// Press Enter after typing
cy.get('#search-input').type('cypress tips{enter}');

// Use arrow keys
cy.get('#input').type('Hello{leftarrow}{leftarrow}!');
    

Tip: Each of these commands will automatically wait for the element to be in an actionable state before performing the interaction. This means you don't need to add explicit waits in most cases.

Explain how assertions work in Cypress, including built-in assertions and the should() syntax.

Expert Answer

Posted on Mar 26, 2025

Assertions in Cypress are implemented as chainable methods that leverage the powerful retry-ability system of Cypress. They're built on top of Chai, Chai-jQuery, and Sinon-Chai libraries but with special adaptations for Cypress's asynchronous nature.

Assertion Architecture:

  • Subject-based: Assertions operate on the yielded subject from previous commands
  • Retry-ability: Most assertions automatically retry until they pass or timeout
  • Implicit waiting: Assertions incorporate automatic waiting, eliminating explicit waits
  • DOM-focused: Enhanced assertions for DOM elements via Chai-jQuery integration

Built-in Assertion Types:

BDD vs TDD Syntax:

Cypress supports both styles but should() (BDD) is preferred and more commonly used:


// BDD style with should()
cy.get('#element').should('have.text', 'Expected text')

// TDD style with assert
cy.get('#element').then(($el) => {
  assert.equal($el.text(), 'Expected text')
})
        

Advanced Assertion Patterns:

1. Chained assertions with multiple checks:

cy.get('input[type="email"]')
  .should('be.visible')
  .and('have.attr', 'placeholder', 'Enter your email')
  .and('have.class', 'form-control')
  .and('not.be.disabled')
        
2. Custom assertions with callbacks:

cy.get('table').find('tr').should(($rows) => {
  // Custom assertion logic
  expect($rows.length).to.be.at.least(5)
  expect($rows.length).to.be.at.most(10)
  
  // Complex validation
  const texts = $rows.map((i, el) => Cypress.$(el).text()).get()
  expect(texts).to.include('Expected Row')
  expect(texts).to.have.length(7)
})
        
3. Working with complex data types:

cy.request('GET', '/api/users')
  .its('body')
  .should((users) => {
    expect(users).to.be.an('array')
    expect(users[0]).to.have.all.keys('id', 'name', 'email')
    expect(users).to.have.length.of.at.least(3)
  })
        

Performance and Optimization:

  • Assertion timeout: Can be configured globally or per command with { timeout: ms }
  • Strategic assertions: Place assertions at critical points rather than over-asserting
  • Selective DOM queries: Only query DOM elements needed for assertions to avoid performance issues

Advanced Tip: Cypress assertions that operate on DOM elements are automatically retried, but assertions on objects/primitives in .then() callbacks are not. Use .should(callback) for retry-ability with complex assertions.

Assertion Error Handling:

Cypress provides detailed error messages when assertions fail, including:

  • DOM snapshots at the moment of failure
  • Expected vs. actual values
  • Command chain that led to the assertion
  • Suggestions for fixing common issues
Custom error messages:

cy.get('#user-list')
  .find('li')
  .should((items) => {
    expect(items.length, `Expected at least 3 users but found ${items.length}`).to.be.at.least(3)
  })
        

Beginner Answer

Posted on Mar 26, 2025

Assertions in Cypress are like checkpoints that verify if your application is behaving as expected. They're the part of your test that actually checks if things are working correctly.

Basic Assertion Concepts:

  • What assertions do: They check if elements exist, have certain text, are visible, etc.
  • Built-in assertions: Cypress comes with common assertions already included
  • Syntax: Most assertions use the should() command
Simple Assertion Example:

// Check if an element with ID 'message' contains the text 'Hello World'
cy.get('#message').should('contain', 'Hello World')
        

Common Assertion Types:

  • Existence: Check if elements exist on the page
  • Content: Verify text or values
  • Visibility: Make sure elements are visible
  • State: Check if elements are enabled, checked, etc.

Tip: Cypress automatically waits for elements before making assertions, so you don't need to add explicit waits like in other testing tools.

Chaining Assertions:

You can check multiple things about the same element:


cy.get('button')
  .should('be.visible')
  .and('contain', 'Submit')
        

That's the basic idea! Cypress assertions help you verify your app works as expected.

Describe how assertion chaining works in Cypress, including the should() syntax and common patterns for combining multiple assertions.

Expert Answer

Posted on Mar 26, 2025

Assertion chaining in Cypress leverages the Command-Query separation pattern and Subject Management to create fluent, readable test sequences while maintaining the benefits of automatic retry-ability and timeout management.

Technical Implementation of Assertion Chaining:

Assertion chaining works through Cypress's command queue architecture:

  • Command queue: Each assertion is enqueued and processed sequentially
  • Subject yielding: Each command in the chain receives the subject yielded from the previous command
  • Implicit waiting: Each assertion inherits Cypress's automatic waiting behavior
  • Same subject retention: The .and() command is an alias that maintains the same subject
Assertion Chain Architecture:

// Internal representation simplified:
cy.get('button') // yields jQuery element as subject
  .should('be.visible') // operates on previous subject, yields same subject
  .and('contain', 'Submit') // alias for .should(), operates on same subject
  // Each assertion gets a new opportunity to retry with the original subject
        

Advanced Assertion Chaining Patterns:

1. Multiple property validations with callback functions:

cy.get('form')
  .should(($form) => {
    // Multiple assertions in a single callback
    expect($form).to.have.attr('method', 'post')
    expect($form).to.have.attr('action', '/submit')
    expect($form.find('input')).to.have.length(3)
    expect($form.find('button[type="submit"]')).to.exist
    
    // Custom validations
    const hasRequiredFields = $form.find('[required]').length >= 2
    expect(hasRequiredFields).to.be.true
  })
        
2. Targeted assertions with DOM traversal:

cy.get('table tbody')
  .find('tr')
  .should('have.length.at.least', 5)
  .first()
  .should('have.class', 'header-row')
  .find('td')
  .should('have.length', 4)
  .and(($cells) => {
    expect($cells.eq(0)).to.contain('ID')
    expect($cells.eq(1)).to.contain('Name')
    expect($cells.eq(2)).to.contain('Email')
    expect($cells.eq(3)).to.contain('Status')
  })
        
3. Combining DOM assertions with aliased elements:

cy.get('form').within(() => {
  cy.get('input[type="email"]')
    .as('emailField')
    .should('be.visible')
    .and('have.attr', 'required')
  
  cy.get('button[type="submit"]')
    .as('submitButton')
    .should('be.disabled') // Initially disabled
})

// Type in email to enable button
cy.get('@emailField')
  .type('valid@email.com')
  .should('have.value', 'valid@email.com')

// Assert button state changed
cy.get('@submitButton')
  .should('not.be.disabled')
  .and('have.css', 'background-color', 'rgb(0, 123, 255)')
        

Performance Optimization in Assertion Chains:

Chained assertions have important performance implications:

  • Retry isolation: Each assertion retries independently, with its own timeout
  • Subject caching: DOM queries aren't repeated between assertions in a chain
  • Timeout management: Each assertion in the chain can have a custom timeout
Custom timeout in assertion chains:

cy.get('#slow-loading-element')
  .should('be.visible', { timeout: 10000 }) // Wait longer for visibility
  .and('contain', 'Data loaded successfully') // Uses default timeout
  .and('have.css', 'color', 'rgb(0, 128, 0)', { timeout: 2000 }) // Custom timeout just for this assertion
        

Common Patterns for Assertion Grouping:

Strategic organization of assertions can improve test readability and maintenance:

Functional grouping pattern:

// Group 1: Structural validation
cy.get('form')
  .should('be.visible')
  .and('have.attr', 'id', 'signup-form')
  .and('have.class', 'needs-validation')

// Group 2: Field validation
cy.get('#username')
  .should('be.visible')
  .and('have.attr', 'required')
  .and('have.attr', 'minlength', '3')

// Group 3: Interaction validation
cy.get('#username')
  .type('test')
  .blur()
  .should('have.class', 'is-valid')
  .and('not.have.class', 'is-invalid')
        

Advanced Tip: When debugging complex assertion chains, use .then() with console logs between assertions to inspect the state of the subject at each step. This helps identify exactly which assertion is failing and why.


cy.get('#complex-element')
  .should('be.visible')
  .then($el => { console.log('After visibility check:', $el.attr('class')); return $el; })
  .and('have.class', 'active')
  .then($el => { console.log('After class check:', $el.text()); return $el; })
  .and('contain', 'Expected text')
        

Edge Cases in Assertion Chaining:

  • Command vs. assertion chains: Commands like .click() yield the subject for next command, enabling continued assertions
  • Subject changes: Some commands change the subject (.find(), .its()), breaking the original assertion chain
  • Implicit vs. explicit assertions: Combining both styles can lead to unexpected behavior
  • Negative assertions: .should('not.exist') requires special handling since there's no element to chain from if successful

Beginner Answer

Posted on Mar 26, 2025

Assertion chaining in Cypress is like making a series of checks on the same element, one after another. It makes your tests more readable and efficient.

Basic Assertion Chaining:

Instead of writing separate lines to check different things about an element, you can chain assertions together:

Example:

// Instead of this:
cy.get('button').should('be.visible')
cy.get('button').should('contain', 'Submit')
cy.get('button').should('have.class', 'primary')

// You can write this:
cy.get('button')
  .should('be.visible')
  .and('contain', 'Submit')
  .and('have.class', 'primary')
        

How to Chain Assertions:

  • Use .should() - This is the main assertion command
  • Add .and() - This continues the chain with another assertion
  • Check multiple things - Visibility, text, attributes, etc.

Common Assertion Chains:

Checking a form field:

cy.get('#email-input')
  .should('be.visible')
  .and('have.attr', 'placeholder', 'Enter your email')
  .and('have.value', '')  // Empty initially
        
After typing in the field:

cy.get('#email-input')
  .type('test@example.com')
  .should('have.value', 'test@example.com')
  .and('not.have.class', 'error')
        

Tip: Chaining assertions is more efficient because Cypress doesn't have to find the element again for each check.

Different Types of Assertions You Can Chain:

  • Visibility: .should('be.visible'), .should('not.be.visible')
  • Text content: .should('contain', 'some text')
  • Value: .should('have.value', 'expected value')
  • CSS classes: .should('have.class', 'error')
  • Attributes: .should('have.attr', 'href', 'https://example.com')
  • State: .should('be.disabled'), .should('be.checked')

Chaining assertions makes your tests cleaner and easier to understand. It's a good practice to use when you need to check multiple things about the same element!

Explain the process of creating custom commands in Cypress, how to implement them, and provide examples of how they can be used to enhance test readability and reusability.

Expert Answer

Posted on Mar 26, 2025

Custom commands in Cypress provide a powerful abstraction mechanism for encapsulating complex interactions and assertions into reusable units. Properly implemented, they can significantly enhance your test architecture's maintainability and expressiveness.

Custom Command Architecture:

Cypress commands are chainable methods that return a promise-like object called a Chainable. Custom commands integrate directly into Cypress's command queue, benefiting from built-in retry-ability, timeouts, and debugging features.

Defining the TypeScript interface (for typed projects):

// In cypress/support/index.d.ts
declare namespace Cypress {
  interface Chainable {
    /**
     * Custom command to authenticate a user
     * @param username - The username to use
     * @param password - The password to use
     * @example cy.authenticate('testuser', 'password123')
     */
    authenticate(username: string, password: string): Chainable<Element>
  }
}
        

Implementation Patterns:

1. Basic Command Implementation:

// In cypress/support/commands.js
Cypress.Commands.add('authenticate', (username, password) => {
  cy.session([username, password], () => {
    cy.request({
      method: 'POST',
      url: '/api/auth/login',
      body: { username, password }
    }).then(response => {
      window.localStorage.setItem('authToken', response.body.token);
    });
  });
});
        
2. Command with Subject (Parent Commands vs Child Commands):

// Parent command (doesn't require a subject)
Cypress.Commands.add('findByDataTest', (selector) => {
  return cy.get(`[data-test=${selector}]`);
});

// Child command (requires a subject)
Cypress.Commands.add('validateAttribute', { prevSubject: true }, (subject, attr, value) => {
  return cy.wrap(subject).should('have.attr', attr, value);
});

// Usage:
// cy.findByDataTest('user-profile').validateAttribute('role', 'button');
        
3. Overwriting Existing Commands:

Cypress.Commands.overwrite('visit', (originalFn, url, options) => {
  // Add custom logging or preprocessing
  console.log(`Visiting: ${url}`);
  
  // Call the original function with the modified arguments
  return originalFn(url, {
    ...options,
    onBeforeLoad: (window) => {
      // Inject custom behavior
      window.localStorage.setItem('featureFlag', 'true');
      
      // Execute original onBeforeLoad if it exists
      if (options?.onBeforeLoad) {
        options.onBeforeLoad(window);
      }
    }
  });
});
        

Advanced Implementation Considerations:

  • Command timeout customization: Set specific timeouts for complex operations
  • Error handling: Include custom error messages for better debugging
  • Return values: Ensure proper chain continuation
  • Documentation: Use JSDoc for self-documenting commands

Cypress.Commands.add('findAndSelectOption', (selectSelector, optionText) => {
  // Command with custom timeout and error handling
  return cy.get(selectSelector, { timeout: 10000 })
    .should('exist')
    .then($select => {
      if ($select.find(`option:contains("${optionText}")`).length === 0) {
        throw new Error(
          `Option with text "${optionText}" not found in select element "${selectSelector}"`
        );
      }
      return cy.wrap($select).select(optionText);
    });
});
        

Organizational Strategies for Custom Commands:

For larger projects, consider organizing commands into modular files:


// cypress/support/commands/authentication.js
Cypress.Commands.add('login', (username, password) => { /* ... */ });
Cypress.Commands.add('logout', () => { /* ... */ });

// cypress/support/commands/navigation.js
Cypress.Commands.add('navigateTo', (section) => { /* ... */ });

// cypress/support/commands.js
import './commands/authentication';
import './commands/navigation';
// etc.
        

Best Practices for Custom Commands:

  • Domain-specific language: Design commands that reflect your application's business domain
  • Command composition: Create smaller commands that can be composed together
  • Avoid side effects: Commands should be as pure as possible
  • Testing commands: Consider writing tests for complex custom commands
  • Consistent retry-ability: Ensure commands support Cypress's automatic retrying

Advanced Tip: For complex applications, consider implementing a page object pattern or application action pattern using custom commands as the foundation, creating a higher level of abstraction.

Beginner Answer

Posted on Mar 26, 2025

Custom commands in Cypress are like shortcuts or helper functions that you can create once and reuse throughout your tests. They help make your tests easier to read and maintain.

Creating Custom Commands:

You create custom commands in the cypress/support/commands.js file. This is a special file that Cypress loads automatically.

Basic Custom Command Example:

// In cypress/support/commands.js
Cypress.Commands.add('login', (username, password) => {
  cy.visit('/login');
  cy.get('#username').type(username);
  cy.get('#password').type(password);
  cy.get('#login-button').click();
});
        

Using Custom Commands:

After creating a custom command, you can use it in any test like this:


// In your test file
it('should login successfully', () => {
  cy.login('testuser', 'password123');
  cy.url().should('include', '/dashboard');
});
        

Benefits of Custom Commands:

  • Reusability: Write once, use many times
  • Readability: Makes tests cleaner and easier to understand
  • Maintenance: Change the command in one place instead of updating many tests

Tip: Keep custom commands simple and focused on a single task. This makes them more reusable and easier to maintain.

Describe how to extend Cypress functionality through custom commands, explain the advantages of this approach, and outline best practices for creating reusable and maintainable test code in Cypress.

Expert Answer

Posted on Mar 26, 2025

Extending Cypress effectively requires a deep understanding of its command architecture, chaining mechanism, and best practices for creating maintainable test abstractions. When implemented properly, custom commands create a domain-specific testing language that mirrors your application's functionality.

Cypress Extension Architecture:

Cypress commands operate on an asynchronous, promise-like chain using a command queue. Custom commands integrate into this architecture and preserve chainability.

Command Types:
  • Parent Commands: Start a new chain (e.g., cy.get())
  • Child Commands: Continue a chain from a previous subject (e.g., .click())
  • Dual Commands: Can operate in both modes
  • Query Commands: Retry until assertions pass or timeout
Parent vs. Child Command Implementation:

// Parent command
Cypress.Commands.add('findByTestId', (testId) => {
  return cy.get(`[data-testid="${testId}"]`);
});

// Child command
Cypress.Commands.add('shouldBeDisabledWithReason', { prevSubject: true }, (subject, reason) => {
  cy.wrap(subject)
    .should('be.disabled')
    .should('have.attr', 'aria-disabled', 'true')
    .should('have.attr', 'title', reason);
  
  return cy.wrap(subject); // Important: return the subject to maintain the chain
});

// Usage: cy.findByTestId('submit-button').shouldBeDisabledWithReason('Form is incomplete');
        

Advanced Command Patterns and Techniques:

1. Type Definitions for Custom Commands (TypeScript):

// In cypress/support/index.d.ts
declare namespace Cypress {
  interface Chainable {
    /**
     * Selects a date from the datepicker component
     * @param dateSelector - The date selector in YYYY-MM-DD format
     * @param options - Additional configuration options
     * @example cy.selectDate('2023-05-15')
     */
    selectDate(dateSelector: string, options?: {
      datepickerSelector?: string,
      animate?: boolean
    }): Chainable<JQuery<HTMLElement>>
  }
}
        
2. Command Configuration Objects:

Cypress.Commands.add('tableContains', (options) => {
  const config = {
    tableSelector: 'table',
    rowIdx: null,
    colIdx: null,
    colName: null,
    text: '',
    ...options
  };

  let tableEl = cy.get(config.tableSelector);
  
  if (config.rowIdx !== null && config.colIdx !== null) {
    return tableEl.find(`tr:nth-child(${config.rowIdx + 1}) td:nth-child(${config.colIdx + 1})`)
      .should('contain', config.text);
  } else if (config.rowIdx !== null && config.colName) {
    // Find column by name logic
    // ...
  }
  // Additional strategies
});

// Usage: cy.tableContains({ rowIdx: 2, colName: 'Status', text: 'Active' });
        
3. Composition and Command Factories:

// Command factory pattern
function createApiCommand(endpoint) {
  const commandName = `api${endpoint.charAt(0).toUpperCase() + endpoint.slice(1)}`;
  
  Cypress.Commands.add(commandName, (method = 'GET', data = null, options = {}) => {
    return cy.request({
      method,
      url: `/api/${endpoint}`,
      body: data,
      headers: { 'Content-Type': 'application/json' },
      ...options
    });
  });
}

// Generate API commands
createApiCommand('users');
createApiCommand('products');
createApiCommand('orders');

// Usage: cy.apiUsers('POST', { name: 'John Doe' });
        

Organizational Strategies for Scale:

1. Module-Based Organization:

// File structure:
// - cypress/support/commands/
//   - authentication.js
//   - navigation.js
//   - forms.js
//   - api.js
//   - assertions.js

// In cypress/support/commands/forms.js
Cypress.Commands.add('fillForm', (formSelector, fields) => { /* ... */ });
Cypress.Commands.add('submitForm', (formSelector) => { /* ... */ });

// In cypress/support/commands.js
import './commands/authentication';
import './commands/navigation';
import './commands/forms';
// ...
        
2. Page Object or Component Object Pattern:

// cypress/support/page-objects/login-page.js
class LoginPage {
  visit() {
    cy.visit('/login');
  }
  
  fillCredentials(username, password) {
    cy.get('#username').type(username);
    cy.get('#password').type(password);
    return this;
  }
  
  submit() {
    cy.get('form').submit();
  }
  
  // Combining as higher-level command
  login(username, password) {
    this.visit();
    this.fillCredentials(username, password);
    this.submit();
  }
}

// Register as a command
Cypress.Commands.add('loginPage', () => {
  return new LoginPage();
});

// Usage: cy.loginPage().login('testuser', 'password');
        

Best Practices for Reusable Test Code:

  • Command granularity: Balance between atomic operations and meaningful abstractions
  • Consistent return values: Always return a chainable object to maintain fluent API
  • Domain-specific language: Name commands according to business domain concepts
  • Error handling: Provide useful error messages when commands fail
  • Documentation: Use JSDoc to document parameters, purpose, and examples
  • Defaults and options: Provide sensible defaults with the ability to override when needed
Error Handling Example:

Cypress.Commands.add('findDataElement', (selector) => {
  return cy.get(`[data-test="${selector}"]`).then($els => {
    if ($els.length === 0) {
      throw new Error(
        `Could not find element with data-test attribute: "${selector}". `+
        `Make sure your element has the correct data-test attribute.`
      );
    }
    return cy.wrap($els);
  });
});
        

Testing Edge Cases and Advanced Scenarios:

Command with Retry Logic and Custom Timeout:

Cypress.Commands.add('waitForResource', (resourceName, options = {}) => {
  const defaultOptions = {
    timeout: 10000,
    interval: 500,
    errorMessage: `Resource "${resourceName}" did not load within timeout`
  };
  
  const opts = { ...defaultOptions, ...options };
  
  return cy.window({ log: false }).then({ timeout: opts.timeout }, (win) => {
    return new Cypress.Promise((resolve, reject) => {
      const checkResource = () => {
        const resource = win.performance
          .getEntriesByType('resource')
          .find(r => r.name.includes(resourceName));
          
        if (resource) {
          resolve(resource);
          return;
        }
        
        setTimeout(checkResource, opts.interval);
      };
      
      checkResource();
      
      // Set rejection timeout
      setTimeout(() => {
        reject(new Error(opts.errorMessage));
      }, opts.timeout);
    });
  });
});
        

Advanced Tip: For complex applications, consider implementing a Test Object Model that maps your application's functionality into a hierarchy of interrelated objects. This approach scales effectively for enterprise applications with many interconnected components.

Beginner Answer

Posted on Mar 26, 2025

Extending Cypress with custom commands is like creating your own toolkit of testing shortcuts. This helps make your tests cleaner and easier to maintain.

Why Use Custom Commands?

  • Less repetition: Write common actions once, use them everywhere
  • Cleaner tests: Your test files become shorter and easier to read
  • Easier maintenance: If something in your app changes, you only need to update one place

How to Extend Cypress:

You add custom commands in the cypress/support/commands.js file:

Example: Adding a login command

// In cypress/support/commands.js
Cypress.Commands.add('login', (email, password) => {
  cy.visit('/login');
  cy.get('#email').type(email);
  cy.get('#password').type(password);
  cy.get('button[type="submit"]').click();
});
        

Using Your Custom Commands:


// In your test file
it('should show dashboard after login', () => {
  // Use the custom command
  cy.login('user@example.com', 'password123');
  
  // Now check that we're on the dashboard
  cy.contains('Dashboard').should('be.visible');
});
        

Best Practices for Reusable Test Code:

  • Keep commands focused: Each command should do one thing well
  • Use descriptive names: Name commands clearly so others can understand their purpose
  • Group related commands: For larger projects, organize similar commands together
  • Add comments: Explain what each command does, especially if it's complex
Example: Organizing commands by feature

// Authentication commands
Cypress.Commands.add('login', (email, password) => { /* ... */ });
Cypress.Commands.add('logout', () => { /* ... */ });

// Shopping cart commands
Cypress.Commands.add('addToCart', (productId) => { /* ... */ });
Cypress.Commands.add('removeFromCart', (productId) => { /* ... */ });
        

Tip: Start with small, simple commands and gradually build more complex ones using those as building blocks.

Explain how Cypress manages asynchronous operations in test scripts, including its command queue, automatic waiting, and retry mechanisms.

Expert Answer

Posted on Mar 26, 2025

Cypress implements a unique architecture for handling asynchronous operations that differs fundamentally from other testing frameworks. Its approach is built around these core technical concepts:

Architectural Overview:

Cypress operates on a command queue model with promises, but abstracts away promise chains from the developer. The framework runs entirely in the browser alongside your application, giving it direct access to the DOM and all network requests.

Command Queue Implementation:

Cypress uses an internal promise chain architecture where:

  • Each command returns a chainable jQuery object, not a promise
  • Commands are enqueued and executed sequentially
  • The queue is processed asynchronously but appears synchronous in code
  • Each command yields a subject to the next command in the chain
Internal Queue Implementation:

// Simplified internal representation of how Cypress chains work
const commands = []
commands.push({name: 'visit', args: ['https://example.com']})
commands.push({name: 'get', args: ['button']})
commands.push({name: 'click', args: []})
// Each executes only after the previous completes
        

Automatic Waiting Mechanisms:

Cypress implements sophisticated waiting logic through:

  • Actionability checks: Before any action (click, type, etc.), Cypress verifies the element is:
    • Visible in the viewport (scrolling if necessary)
    • Not covered by other elements (calculated using geometry)
    • Not disabled (checking various HTML attributes)
    • Not animated (observing position changes over time)
  • Network request interception: Using browser APIs to track XHR/fetch requests
  • Page load events: Monitoring the complete page lifecycle

Retry-ability Implementation:

Cypress implements retry-ability through:

  • Time-based polling of assertions (default interval: 50ms)
  • DOM-based queries automatically retry until timeout (default: 4000ms)
  • Assertions attached to commands with .should() or .and() retry the preceding command
  • Only queries that yield DOM elements are retryable by default
Retry Logic Example:

// Technical implementation behind a simple assertion
cy.get('li').should('have.length', 5)

// What happens internally (simplified):
function retryAssert(getFn, assertion, timeout = 4000) {
  const start = Date.now()
  const retry = () => {
    // Get fresh elements with each attempt
    const $elements = getFn('li')
    try {
      // Run assertion
      expect($elements.length).to.equal(5)
      return true // Success
    } catch (err) {
      if (Date.now() - start < timeout) {
        // Try again after delay
        setTimeout(retry, 50)
      } else {
        throw err // Timeout reached, fail test
      }
    }
  }
  retry()
}
        

Handling Specific Asynchronous Scenarios:

Asynchronous Operation Handling:
Scenario Cypress Approach
Network Requests Intercepts via cy.intercept(), waits with cy.wait('@alias')
Animations Actionability checks, { animationDistanceThreshold: 20 } config
Dynamic Content Loading Automatic retries, cy.contains() with assertions
iFrames cy.iframe() plugin or native cy.get('iframe').its('0.contentDocument')
Promises from App cy.wrap() to handle app-generated promises, Cypress.Promise API

Timeouts and Configuration:

Cypress provides fine-grained timeout control:


// Global timeouts in cypress.config.js
{
  defaultCommandTimeout: 4000,
  requestTimeout: 5000,
  responseTimeout: 30000,
  pageLoadTimeout: 60000
}

// Command-specific timeouts
cy.get('button', { timeout: 10000 })
    

Understanding Cypress's asynchronous architecture is crucial for advanced testing patterns like handling race conditions, implementing custom commands that respect the command queue, and properly handling application state transitions.

Beginner Answer

Posted on Mar 26, 2025

Cypress handles asynchronous operations differently than other testing frameworks. Here's a simple explanation:

Cypress Command Queue:

Think of Cypress as a patient assistant who writes down all your instructions (commands) in order, then executes them one by one, waiting for each to finish before moving to the next.

Example:

// Cypress doesn't execute these immediately - it queues them up
cy.visit('https://example.com')
cy.get('button').click()
cy.url().should('include', '/dashboard')
        

Automatic Waiting:

Cypress automatically waits for elements to be ready before interacting with them. It's like having someone who won't try clicking a button until they can see and reach it.

Tip: You rarely need to add explicit waits or sleeps in Cypress because it already waits for elements to be:

  • Visible
  • Not covered by other elements
  • Not disabled
  • Not animating

Retry-ability:

Cypress will try assertions multiple times until they pass or time out. It's like checking repeatedly if something has happened rather than checking just once.

Example:

// This will keep checking until it finds 5 items or times out
cy.get('li').should('have.length', 5)
        

This approach means you don't have to worry about timing issues that often plague other testing frameworks, making your tests more reliable and easier to write.

Describe how Cypress handles waiting for elements and actions, including its built-in automatic waiting, retry mechanisms, and when explicit waiting is necessary. Provide examples of each approach.

Expert Answer

Posted on Mar 26, 2025

Cypress implements a sophisticated set of waiting mechanisms that are fundamental to its architecture. Understanding the technical implementation and nuances of these mechanisms is essential for writing efficient and reliable tests.

1. Automatic Waiting: Technical Implementation

Cypress's automatic waiting is powered by "actionability checks" that run before DOM interactions. These checks are implemented as promise chains that must resolve before the action proceeds:

Actionability Checks Implementation:

// Internal actionability check flow (simplified representation)
function verifyElementActionability($el) {
  return Promise.all([
    checkVisibility($el),
    checkDetached($el),
    checkReadOnly($el),
    checkDisabled($el),
    checkAnimating($el),
    checkOverlapping($el)
  ])
}

// Different commands have different actionability requirements
cy.click()       // Requires all checks
cy.type()        // Requires all checks 
cy.select()      // Requires visibility, not detached, not disabled
cy.scrollIntoView() // Only requires not detached
        

Each action has different criteria that must be satisfied:

  • Visibility: Uses computed styles (checking opacity, visibility, display, etc.)
  • Detachment: Verifies element is still attached to DOM between query and action
  • Coverage: Uses geometric calculations to determine if another element is covering the target
  • Animation: Monitors element position changes over multiple animation frames

Advanced Configuration: These checks can be configured or bypassed:


// Modify actionability thresholds
Cypress.config('animationDistanceThreshold', 5)
        
// Force action without waiting for actionability
cy.get('button').click({ force: true })
        
// Specific timeouts for element visibility
cy.get('#slow-element', { timeout: 10000 }).should('be.visible')
        

2. Retry-ability: Technical Implementation

Retry-ability is implemented through Cypress's query and assertion systems:

Query Retry Implementation:

// Internal representation of retry logic (simplified)
function retryableQuery(selector, options = {}) {
  const timeout = options.timeout || Cypress.config('defaultCommandTimeout')
  const startTime = Date.now()
  
  return new Cypress.Promise((resolve, reject) => {
    const attempt = () => {
      // Query DOM for elements matching selector
      const $elements = Cypress.$(selector)
      
      if ($elements.length > 0 || Date.now() - startTime > timeout) {
        // Either found elements or timed out
        return resolve($elements)
      }
      
      // Schedule another attempt
      setTimeout(attempt, Cypress.config('retryInterval') || 50)
    }
    
    attempt()
  })
}
        

Important distinctions in retry-ability:

  • DOM queries retry: cy.get(), cy.contains(), cy.find()
  • Assertions retry: .should(), .and()
  • Non-retryable commands: cy.request(), cy.task(), cy.exec()
  • Subject yielding: Previous subjects are re-queried on each retry to ensure fresh DOM references
Advanced Retry Patterns:

// Recursive retries with compound assertions
cy.get('table')
  .find('tr')
  .should('have.length', 10)
  .and('have.class', 'data-row')
  .and(($rows) => {
    // Custom function assertions also retry
    expect($rows.first().text()).to.include('Expected Text')
  })
        

3. Explicit Waiting: Advanced Techniques

Explicit waiting in Cypress comes in several forms, each with specific technical implementations:

Explicit Waiting Techniques:
Technique Implementation Use Case
Network Request Waiting cy.intercept() with cy.wait('@alias') Synchronizing with XHR/fetch operations
Multiple Request Waiting cy.wait(['@req1', '@req2']) Parallel network operations
Route Options cy.intercept({times: 3}).as('req') Waiting for specific number of requests
Time-based Waiting cy.wait(ms) Last resort for non-deterministic scenarios
Advanced Network Waiting:

// Precise network intercepts with timing control
cy.intercept(
  {
    method: 'POST',
    url: /\/api\/users$/,
    // Wait specifically for requests with certain bodies
    body: {
      name: 'John',
      role: 'admin'
    }
  },
  // Optionally modify response
  {
    statusCode: 201,
    body: { success: true, id: 123 }
  }
).as('createUser')

// Trigger action
cy.get('form').submit()

// Wait with timeout override
cy.wait('@createUser', { timeout: 10000 })
  .its('response.statusCode').should('eq', 201)

// You can also examine request details
cy.get('@createUser').then((interception) => {
  // Detailed analysis of request
  expect(interception.request.headers).to.have.property('authorization')
  expect(interception.response.body.id).to.be.a('number')
})
        

Integration of Waiting Mechanisms:

For complex asynchronous scenarios, you can combine these mechanisms:


// Combining automatic waiting, retry-ability, and explicit waiting
// This pattern handles race conditions in dynamic applications
cy.intercept('GET', '/api/data').as('dataLoad')

// Start action that triggers data loading
cy.get('#load-data').click()

// Wait for network request to complete
cy.wait('@dataLoad')

// Let automatic retry handle possible render delays
cy.get('table tbody tr')
  .should('have.length.at.least', 1)
  .and('be.visible')
  
// Custom waiting function for complex conditions
cy.get('body').should(($body) => {
  // This will retry until the condition passes or times out
  const isLoaded = $body.find('.loader').length === 0 && 
                   $body.find('table tr').length > 0 &&
                   $body.text().includes('Results')
                   
  expect(isLoaded).to.be.true
})
    

Performance Optimization: Managing wait strategies affects test execution time and reliability:

  • Avoid fixed timeouts (cy.wait(5000)) as they add unnecessary delay
  • Use { log: false } to reduce command log noise on retries
  • Configure timeouts contextually based on operation complexity
  • Implement custom commands for domain-specific waiting patterns
  • Use requestTimeout vs responseTimeout appropriately for network operations

Beginner Answer

Posted on Mar 26, 2025

Cypress makes testing easier by handling most of the waiting for you. Let's look at the three main ways Cypress deals with timing in tests:

1. Automatic Waiting

Cypress automatically waits for elements to be ready before performing actions on them. You don't need to add delays or sleeps in most cases.

Example:

// Cypress will automatically wait for this button to exist
// and be clickable before proceeding
cy.get('#submit-button').click()
        

Before clicking, Cypress checks that the button:

  • Exists in the DOM
  • Is visible (not hidden)
  • Is not covered by another element
  • Is not disabled
  • Is not moving/animating

2. Retry-ability

Cypress will keep trying assertions until they pass or time out. This is great for dynamic content.

Example:

// Cypress will keep checking until it finds exactly 5 items
// or times out after a few seconds
cy.get('ul.shopping-list li').should('have.length', 5)
        

This is like saying "keep checking for 5 items in the list until you find them" rather than checking just once.

3. Explicit Waiting

Sometimes you need to wait for specific things, like network requests. Cypress has tools for this too.

Example - Waiting for Network Requests:

// First, we tell Cypress to watch for a specific API call
cy.intercept('GET', '/api/users').as('getUsers')

// Then we do something that triggers that API call
cy.get('#load-users-button').click()

// Then we explicitly wait for that specific request to complete
cy.wait('@getUsers')

// Now we can check the results
cy.get('table tr').should('have.length.gt', 2)
        

Tip: Avoid using arbitrary time delays like cy.wait(5000) when possible. They make tests slow and unreliable. Instead, wait for specific elements or events.

By understanding these three waiting techniques, you can write more reliable tests that don't break due to timing issues. Most of the time, Cypress's automatic waiting and retry-ability will handle everything for you!

Explain what fixtures are in Cypress, their purpose, and how they can be effectively used in testing.

Expert Answer

Posted on Mar 26, 2025

Fixtures in Cypress are external static data files that serve as test data sources, allowing for consistent, reproducible testing environments and enabling various testing patterns including network stubbing, data-driven testing, and test isolation.

Fixture Architecture and Implementation:

Fixtures are typically stored in the cypress/fixtures/ directory and can be organized into subdirectories for better structure. By default, Cypress supports JSON fixtures, but through preprocessors, you can utilize other formats including:

  • CSV files (with appropriate plugins)
  • Images (for visual testing or file upload testing)
  • HTML snippets
  • Any text-based format

Advanced Fixture Usage Patterns:

1. Dynamic fixture manipulation:
cy.fixture('users').then((users) => {
  // Clone to avoid modifying the cached fixture
  const modifiedUsers = structuredClone(users);
  
  // Add dynamic timestamp or other runtime values
  modifiedUsers.users[0].lastLogin = new Date().toISOString();
  
  cy.intercept('GET', '/api/users', modifiedUsers);
});
2. Fixture composition for complex test scenarios:
// Combine multiple fixtures into a composite test state
cy.fixture('users').then((users) => {
  cy.fixture('products').then((products) => {
    const testState = {
      users: users.users,
      products: products.items,
      // Add computed properties
      featuredProducts: products.items.filter(p => p.featured)
    };
    
    cy.wrap(testState).as('testData');
  });
});
3. Using fixtures with cy.intercept() for advanced response stubbing:
// Conditional response based on request parameters
cy.intercept('GET', '/api/users', (req) => {
  // Select different fixtures based on request query parameters
  if (req.query.role === 'admin') {
    req.reply({ fixture: 'admin-users.json' });
  } else {
    req.reply({ fixture: 'standard-users.json' });
  }
});

Fixture Loading Lifecycle:

Understanding the fixture loading lifecycle is critical for optimizing test performance:

  • Caching: Fixtures are cached in memory after first load during a test run to improve performance
  • Preprocessing: Fixtures can be preprocessed through Webpack or other bundlers if configured
  • Context Isolation: Each test maintains its own fixture references, preventing cross-test contamination

Performance Optimization: For large fixtures, consider using fixture subsets or composing smaller fixtures to reduce memory overhead. Large fixtures (>1MB) can impact test performance.

Fixture-Based Testing Patterns:

Effective fixture usage enables several architectural testing patterns:

  • Data-driven testing: Using fixtures to parameterize tests with different data sets
  • Golden master testing: Comparing output against known-good fixture snapshots
  • Contract testing: Validating API responses match fixture-defined contracts
  • Visual regression testing: Using image fixtures as comparison baselines
Fixture Loading Approaches Comparison:
Approach Use Case Advantages Limitations
cy.fixture() Direct data manipulation in tests Full programmatic control More verbose code
{ fixture: 'file.json' } Network stubbing Concise syntax Less dynamic control
this.fixture pattern Shared fixture across test suite DRY approach Requires function() syntax

Beginner Answer

Posted on Mar 26, 2025

Fixtures in Cypress are like pre-prepared data files that you can use in your tests. Think of them as sample data that you've prepared ahead of time.

What are Fixtures?

  • Static Data Files: Fixtures are typically JSON files stored in the cypress/fixtures/ folder.
  • Mock Data: They let you provide consistent test data without making real API calls.
  • Reusable: The same fixture can be used across multiple tests.
Example Fixture File (users.json):
{
  "users": [
    {
      "id": 1,
      "name": "John Smith",
      "email": "john@example.com"
    },
    {
      "id": 2,
      "name": "Jane Doe",
      "email": "jane@example.com"
    }
  ]
}

How to Use Fixtures:

There are three main ways to use fixtures in Cypress:

1. Load with cy.fixture():
cy.fixture('users').then((usersData) => {
  // usersData contains the JSON from users.json
  const firstUser = usersData.users[0];
  cy.get('#username').type(firstUser.name);
});
2. Stub network requests with fixture data:
cy.intercept('GET', '/api/users', { fixture: 'users.json' });

Tip: Fixtures are great for creating reliable tests that don't depend on external data sources that might change. They help make your tests more predictable!

Describe how to load test data from fixtures in Cypress tests using the cy.fixture() command, including syntax, use cases, and best practices.

Expert Answer

Posted on Mar 26, 2025

The cy.fixture() command is a core Cypress utility for loading external test data, supporting advanced testing patterns including data-driven testing, test parameterization, and API mocking. This command integrates with Cypress's chain-able command architecture and leverages its built-in retry-ability semantics.

Fixture Loading Mechanics:

The cy.fixture() command follows these core processing steps:

  1. Path resolution relative to the cypress/fixtures folder
  2. File loading and optional encoding conversion
  3. Content parsing (automatic for JSON, optional for other formats)
  4. Caching the result for subsequent calls within the same run
Full Syntax with Options:
cy.fixture(filePath, encoding, options)
  • filePath (string): Path to the fixture file, relative to cypress/fixtures
  • encoding (string, optional): File encoding (default: utf8, can be null for binary)
  • options (object, optional): Additional options passed to the underlying Node.js fs.readFile

Advanced Usage Patterns:

1. Fixture aliasing for efficient reuse:
// Load once and alias for reuse throughout the test
beforeEach(() => {
  cy.fixture('large-dataset').as('testData');
});

it('uses aliased fixture data', () => {
  cy.get('@testData').then((data) => {
    // Use data without reloading the fixture
  });
});
2. Loading binary fixtures (images, PDFs, etc.):
// Load a fixture as binary data
cy.fixture('sample.pdf', null).then((pdfBuffer) => {
  // pdfBuffer is a Buffer containing the file contents
  
  // Example: Upload the PDF in a form
  cy.get('input[type="file"]').then((input) => {
    const blob = Cypress.Blob.arrayBufferToBlob(pdfBuffer);
    const file = new File([blob], 'sample.pdf', { type: 'application/pdf' });
    const dataTransfer = new DataTransfer();
    
    dataTransfer.items.add(file);
    input[0].files = dataTransfer.files;
    input.trigger('change');
  });
});
3. Parameterizing tests with fixtures via custom commands:
// In commands.js
Cypress.Commands.add('loadTestCase', (testCaseId) => {
  return cy.fixture(`test-cases/${testCaseId}`);
});

// In test file
['case1', 'case2', 'case3'].forEach((caseId) => {
  it(`runs test for ${caseId}`, () => {
    cy.loadTestCase(caseId).then((testCase) => {
      // Dynamic test implementation based on test case data
      cy.visit(testCase.url);
      cy.get(testCase.selector).should('contain', testCase.expectedText);
    });
  });
});
4. Dynamic fixture path resolution:
// Dynamically determine fixture path based on test environment
const getFixturePath = () => {
  const env = Cypress.env('ENVIRONMENT') || 'development';
  return `configs/${env}/settings`;
};

cy.fixture(getFixturePath()).then((config) => {
  // Use environment-specific configuration
});

Integration with Cypress Commands:

1. Using fixtures with cy.intercept() for sophisticated mocks:
// Dynamically modify fixture before using it as a response
cy.fixture('users').then((users) => {
  const enhancedUsers = users.map(user => ({
    ...user,
    lastSeen: new Date().toISOString(),
    permissions: Cypress.env('TEST_PERMISSIONS') || user.permissions
  }));
  
  cy.intercept('GET', '/api/users', (req) => {
    // Add realistic network delay
    req.delay = 100;
    // Add CORS headers for testing
    req.reply({
      statusCode: 200,
      body: enhancedUsers,
      headers: {
        'Access-Control-Allow-Origin': '*',
        'Content-Type': 'application/json'
      }
    });
  }).as('userRequest');
});
2. Fixture-driven test flow control:
cy.fixture('test-flows').then((flows) => {
  // Extract the current test flow based on test context
  const flow = flows[Cypress.env('TEST_FLOW') || 'default'];
  
  // Execute each step in the flow
  flow.steps.forEach((step, index) => {
    cy.log(`Executing step ${index + 1}: ${step.description}`);
    
    // Dynamic command execution based on fixture data
    if (step.command === 'visit') {
      cy.visit(step.url);
    } else if (step.command === 'click') {
      cy.get(step.selector).click();
    } else if (step.command === 'type') {
      cy.get(step.selector).type(step.value);
    }
    
    // Verify step results
    if (step.expectation) {
      cy.get(step.expectation.selector)
        .should(step.expectation.assertion, step.expectation.value);
    }
  });
});

Performance Considerations:

Fixture loading impacts test performance in several ways:

  • Memory Usage: Large fixtures are held in memory throughout the test run
  • Parse Time: Complex JSON structures can have non-trivial parse times
  • I/O Operations: Excessive fixture loading can slow test initialization

Advanced Optimization: For large test suites with many fixtures, consider implementing a fixture preloading strategy in a plugin:

// In cypress/plugins/index.js
const fs = require('fs');
const path = require('path');

module.exports = (on, config) => {
  // Preload commonly used fixtures once during test runner initialization
  const preloadFixtures = ['users', 'products', 'settings'];
  const fixtureCache = {};
  
  preloadFixtures.forEach(fixtureName => {
    const fixturePath = path.join(config.fixturesFolder, `${fixtureName}.json`);
    fixtureCache[fixtureName] = JSON.parse(fs.readFileSync(fixturePath, 'utf8'));
  });
  
  // Expose custom task to get preloaded fixtures
  on('task', {
    getPreloadedFixture({ name }) {
      return fixtureCache[name] || null;
    }
  });
};
Fixture Loading Strategy Comparison:
Strategy Advantages Disadvantages Best For
On-demand in test Simple, intuitive Potential duplication Small test suites
beforeEach with alias Reduced duplication, explicit Still per-test overhead Medium test suites
before with this context Loaded once per suite Requires function() style Larger suites
Plugin preloading Loaded once for all tests Complex setup Very large suites

Beginner Answer

Posted on Mar 26, 2025

Loading test data from fixtures in Cypress is like grabbing a pre-written note to use in your test. The cy.fixture() command helps you access this data easily.

How to Load Fixtures with cy.fixture():

Basic Syntax:
cy.fixture('example').then((data) => {
  // Now you can use the data from example.json
  console.log(data);
});

When you call cy.fixture('example'), Cypress looks for a file called example.json in your fixtures folder (usually cypress/fixtures/).

Example: Using fixture data to fill a form
// Assuming we have a file cypress/fixtures/user.json
// With content: { "name": "John", "email": "john@example.com" }

cy.fixture('user').then((user) => {
  // Fill form with data from fixture
  cy.get('#name').type(user.name);
  cy.get('#email').type(user.email);
});

Other Ways to Use cy.fixture():

Using "this" to share fixture data:
beforeEach(function() {
  // Load fixture data into "this", which makes it available
  // to all tests in this context
  cy.fixture('user').then((userData) => {
    this.user = userData;
  });
});

it('fills the form', function() {
  // Now we can access the fixture data with this.user
  cy.get('#name').type(this.user.name);
});
Loading fixtures from subfolders:
// This loads cypress/fixtures/users/admin.json
cy.fixture('users/admin').then((admin) => {
  // Use admin data
});

Tip: You can use fixtures to make your tests more consistent. Since the data is always the same, your tests will behave the same way each time they run!

Common Use Cases:

  • Filling out forms with test data
  • Setting up test user credentials
  • Creating mock data for testing
  • Verifying that displayed data matches expected values

Explain what Cypress hooks are, their purpose in test automation, and how they can be implemented in Cypress test suites.

Expert Answer

Posted on Mar 26, 2025

Cypress hooks are lifecycle methods that provide execution points for running code at specific phases of the test execution cycle. They enable deterministic test setup, state management, and cleanup processes essential for reliable test automation.

Cypress Hook Architecture:

Hooks in Cypress follow Mocha's execution model but with additional guarantees around asynchronous operations and Cypress command chaining:

  • before(): Executes once before all tests in a describe block. Used for suite-wide setup like database seeding or environment configuration.
  • beforeEach(): Executes before each test (it block). Ideal for establishing a consistent test baseline.
  • after(): Executes once after all tests in a describe block. Used for suite-wide cleanup.
  • afterEach(): Executes after each test. Used for resetting state between tests.
Advanced Hook Implementation:

describe('Product Management', () => {
  // Setup test data and login once before all tests
  before(() => {
    // Using cy.task to interact with Node.js for DB operations
    cy.task('resetDb')
    cy.task('seedTestProducts', { count: 5 })
    
    // Login via API instead of UI for efficiency
    cy.request('POST', '/api/login', {
      username: Cypress.env('ADMIN_USER'),
      password: Cypress.env('ADMIN_PASS')
    }).then((response) => {
      expect(response.status).to.eq(200)
      // Store auth token in localStorage for subsequent tests
      window.localStorage.setItem('authToken', response.body.token)
    })
  })

  beforeEach(() => {
    // Preserve cookies and localStorage between tests
    cy.preserveOnce('session_id', 'remember_token')
    
    // Visit the products page and wait for initial data load
    cy.visit('/admin/products')
    cy.intercept('GET', '/api/products*').as('productsLoad')
    cy.wait('@productsLoad')
    
    // Establish test retry ability with custom error handling
    Cypress.on('fail', (error, runnable) => {
      if (error.message.includes('Network Error')) {
        cy.log('Detected network error - retrying')
        cy.reload()
        return false  // Prevent test failure
      }
      throw error  // Other errors should still fail the test
    })
  })

  it('should create a new product', () => {
    // Test implementation
  })

  it('should edit an existing product', () => {
    // Test implementation
  })

  afterEach(() => {
    // Take screenshot on test failure
    if (this.currentTest.state === 'failed') {
      cy.screenshot(`failure-${this.currentTest.title}`)
    }
    
    // Clear any dynamically created test data
    cy.window().then((win) => {
      const testId = win.localStorage.getItem('lastCreatedTestId')
      if (testId) {
        cy.request({
          method: 'DELETE',
          url: `/api/products/${testId}`,
          headers: {
            Authorization: `Bearer ${win.localStorage.getItem('authToken')}`,
          }
        })
        win.localStorage.removeItem('lastCreatedTestId')
      }
    })
  })

  after(() => {
    // Clean up all test data
    cy.task('cleanTestProducts')
    
    // Log performance metrics
    cy.task('logTestMetrics', {
      suite: 'Product Management',
      duration: new Date() - suiteStartTime
    })
  })
})
    

Hook Execution Context and Considerations:

  • Automatic Retry: Hooks are not retried when they fail, unlike test commands.
  • Timeouts: Hooks have a default timeout of 4 seconds, configurable via Cypress.config('hookTimeout', milliseconds)
  • Sharing Context: Variables defined in higher-scope hooks are available in nested scopes and tests.
  • Async Handling: Hooks properly respect Cypress command chains and handle their asynchronous nature.

Optimization Tip: For faster test execution, prefer API calls for setup/teardown over UI interactions within hooks. Reserve UI actions for the actual test cases.

Hook Scope Hierarchy:

Hooks follow a specific execution order based on their nesting level:

  - before() [outer describe]
    - before() [inner describe]
      - beforeEach() [outer describe]
        - beforeEach() [inner describe]
          - it() [test execution]
        - afterEach() [inner describe]
      - afterEach() [outer describe]
    - after() [inner describe]
  - after() [outer describe]
  
Hook Error Handling:

describe('Resilient tests', () => {
  beforeEach(() => {
    // Use try/catch for operations that might fail but shouldn't stop tests
    try {
      // Clear a specific localStorage item if it exists
      localStorage.removeItem('user-preferences')
    } catch (e) {
      cy.log('Unable to clear localStorage - continuing test')
    }
    
    // Handle potential API failures gracefully
    cy.request({
      url: '/api/reset',
      failOnStatusCode: false,
    }).then((response) => {
      if (response.status !== 200) {
        cy.log(`Reset API failed with status ${response.status}, tests may be affected`)
      }
    })
  })
})
    

Hooks should be used strategically to create optimally efficient test suites with the right balance of isolation and shared state. Well-structured hooks can significantly reduce test maintenance costs and execution time.

Beginner Answer

Posted on Mar 26, 2025

Cypress hooks are special functions that allow you to run code at specific times during your test execution. They help you set up conditions before tests run and clean up after tests finish.

Main Cypress Hooks:

  • before(): Runs once before all tests in a describe block
  • beforeEach(): Runs before each individual test
  • after(): Runs once after all tests in a describe block
  • afterEach(): Runs after each individual test
Simple Example:

describe('Login Tests', () => {
  // Runs once before all tests
  before(() => {
    cy.log('Starting all login tests')
    // Maybe set up test data here
  })

  // Runs before each test
  beforeEach(() => {
    cy.visit('/login')
    // Every test starts on the login page
  })

  it('should log in with valid credentials', () => {
    cy.get('#username').type('testuser')
    cy.get('#password').type('password123')
    cy.get('#login-button').click()
    cy.url().should('include', '/dashboard')
  })

  it('should show error with invalid credentials', () => {
    cy.get('#username').type('wronguser')
    cy.get('#password').type('wrongpass')
    cy.get('#login-button').click()
    cy.get('.error-message').should('be.visible')
  })

  // Runs after each test
  afterEach(() => {
    cy.clearCookies()
    // Reset the browser state
  })

  // Runs once after all tests
  after(() => {
    cy.log('All login tests completed')
    // Maybe clean up test data here
  })
})
    

Tip: Use beforeEach() to set up a consistent starting point for each test, like visiting a specific page or logging in a user.

Think of hooks like preparing for a meal:

  • before is like going grocery shopping before you start cooking for the week
  • beforeEach is like getting out ingredients before each dish
  • afterEach is like washing dishes after preparing each dish
  • after is like cleaning the whole kitchen when you're done with all cooking

Describe the differences between Cypress hooks (before, beforeEach, after, afterEach), explain when to use each one, and provide practical examples that demonstrate their proper implementation.

Expert Answer

Posted on Mar 26, 2025

Cypress hooks are lifecycle methods that provide precise control over test execution flow. They encapsulate Mocha's hook architecture while providing additional guarantees for asynchronous operations specific to Cypress's command chaining model.

Hook Execution Order and Lifecycle:

The execution order follows a predictable pattern based on nesting level and hook type:

1. All before() hooks run (from outermost to innermost describe blocks)
2. All beforeEach() hooks run (from outermost to innermost)
3. Test body executes
4. All afterEach() hooks run (from innermost to outermost)
5. Next test follows steps 2-4
6. After all tests, all after() hooks run (from innermost to outermost)
  
Hook Characteristics:
Hook Execution Pattern Primary Use Cases Performance Impact
before() Once per describe block, before all tests Resource-intensive setup; Database seeding; Test data generation; Initial authentication Amortized across all tests; Efficient for expensive operations
beforeEach() Before each it() block Establishing consistent test state; Navigation; Cleanup from previous tests; Interception patterns Multiplied by test count; Should be kept efficient
afterEach() After each it() block State cleanup; Error logging; Screenshot capturing; Reset storage state Multiplied by test count; Should be kept efficient
after() Once per describe block, after all tests Test data cleanup; Resource release; Final reporting; Tear down test environment Runs once; Good for cleanup operations

Implementation Examples with Advanced Patterns:

before() - Advanced Implementation:

describe('Enterprise User Management', () => {
  let fixtureData;
  
  before(() => {
    // Load test data fixtures with type checking
    cy.fixture('enterprise-users').then((data) => {
      fixtureData = data;
      
      // Validate fixture data structure - fail fast if invalid
      if (!fixtureData.adminUser || !fixtureData.testUsers || !Array.isArray(fixtureData.testUsers)) {
        throw new Error('Invalid fixture data structure for enterprise-users');
      }
      
      // Programmatically seed test database with dynamic data via Node task
      return cy.task('seedDatabase', {
        users: fixtureData.testUsers,
        timestamp: new Date().toISOString(),
        testRunId: Cypress.env('TEST_RUN_ID') || 'manual'
      });
    });
    
    // Set up global interception patterns using conditionals
    if (Cypress.env('MOCK_API')) {
      cy.intercept('GET', '/api/users*', { fixture: 'users-response.json' }).as('usersApi');
    } else {
      cy.intercept('GET', '/api/users*').as('usersApi');
    }
    
    // Authentication - using custom command with retries
    cy.loginAsAdmin({
      username: Cypress.env('ADMIN_USER'),
      password: Cypress.env('ADMIN_PASSWORD'),
      retries: 2,
      retryDelay: 1000
    });
    
    // Verify environment is properly set up before proceeding
    cy.task('verifyTestEnvironment').then(result => {
      if (!result.ready) {
        throw new Error(`Test environment not ready: ${result.reason}`);
      }
    });
  });

  it('should display all users with correct permissions', () => {
    // Test implementation
  });
  
  // More tests...
});
    
beforeEach() - Advanced Implementation:

describe('E-commerce Checkout Process', () => {
  // Track test metrics
  let testStartTime;
  
  beforeEach(() => {
    testStartTime = performance.now();
    
    // Clear session but preserve specific test values (aliasing preservation pattern)
    const preserveKeys = ['auth_token', 'test_user_id'];
    cy.window().then(win => {
      const preservedValues = {};
      preserveKeys.forEach(key => {
        preservedValues[key] = win.localStorage.getItem(key);
      });
      
      win.localStorage.clear();
      
      preserveKeys.forEach(key => {
        if (preservedValues[key]) {
          win.localStorage.setItem(key, preservedValues[key]);
        }
      });
    });
    
    // Establish intelligent waiting strategy for backend services
    cy.intercept('GET', '/api/cart/status').as('cartStatus');
    cy.intercept('GET', '/api/payment/methods').as('paymentMethods');
    cy.intercept('GET', '/api/shipping/options').as('shippingOptions');
    
    // Visit with performance tracking
    cy.visit('/checkout', {
      onBeforeLoad: (win) => {
        // Add performance measurement
        const originalFetch = win.fetch;
        win.fetch = function(...fetchArgs) {
          const startTime = performance.now();
          return originalFetch.apply(this, fetchArgs).then(response => {
            const endTime = performance.now();
            const url = typeof fetchArgs[0] === 'string' ? fetchArgs[0] : fetchArgs[0].url;
            Cypress.log({
              name: 'fetch-perf',
              message: `${url} - ${Math.round(endTime - startTime)}ms`
            });
            return response;
          });
        };
      }
    });
    
    // Wait for critical resources in parallel
    cy.wait(['@cartStatus', '@paymentMethods', '@shippingOptions'], { timeout: 10000 });
    
    // Setup conditional branching based on application state
    cy.get('body').then($body => {
      if ($body.find('.cart-empty-message').length) {
        // Add items to cart if cart is empty
        cy.task('addItemsToCart', { userId: Cypress.env('TEST_USER_ID') });
        cy.reload();
      } else if ($body.find('.error-boundary').length) {
        // Handle error state gracefully
        cy.log('Detected error boundary, recovering test state');
        cy.visit('/cart');
        cy.get('.checkout-button').click();
      }
    });
  });

  it('should allow selection of shipping method', () => {
    // Test implementation
  });
  
  // More tests...
  
  afterEach(() => {
    // Performance tracking
    const testDuration = performance.now() - testStartTime;
    cy.task('logPerformance', { 
      test: Cypress.currentTest.title, 
      duration: testDuration,
      threshold: 3000, // Flag if test takes over 3 seconds
      timestamp: new Date().toISOString()
    });
  });
});
    
afterEach() - Advanced Implementation:

describe('Document Management System', () => {
  // Track created resources for cleanup
  const testResources = [];
  
  beforeEach(() => {
    // Setup code
    cy.visit('/documents');
    
    // Spy and track document creation
    cy.intercept('POST', '/api/documents', (req) => {
      // Continue with the request
      req.continue((res) => {
        // Track created document ID for cleanup
        if (res.statusCode === 201 && res.body && res.body.id) {
          testResources.push({ type: 'document', id: res.body.id });
        }
      });
    }).as('documentCreate');
  });
  
  it('should create new document', () => {
    // Implementation that creates resources
    cy.get('#create-doc-btn').click();
    cy.get('#doc-title').type('Test Document');
    cy.get('#save-btn').click();
    cy.wait('@documentCreate');
  });

  afterEach(() => {
    // Dynamic resource cleanup based on test execution
    if (testResources.length > 0) {
      cy.log(`Cleaning up ${testResources.length} test resources`);
      
      // Group by resource type for batch operations
      const resourcesByType = testResources.reduce((acc, resource) => {
        acc[resource.type] = acc[resource.type] || [];
        acc[resource.type].push(resource.id);
        return acc;
      }, {});
      
      // Parallel cleanup operations
      const cleanupPromises = Object.entries(resourcesByType).map(([type, ids]) => {
        return cy.task('cleanupResources', { type, ids });
      });
      
      // Wait for all cleanup tasks to complete
      cy.wrap(Promise.all(cleanupPromises)).then(() => {
        testResources.length = 0; // Clear the array
      });
    }
    
    // Collect accessibility violations if any
    if (Cypress.env('CHECK_A11Y')) {
      cy.checkA11y(null, {
        includedImpacts: ['critical', 'serious']
      }, (violations) => {
        if (violations.length > 0) {
          // Log violations for reporting
          cy.task('logA11yViolations', {
            test: Cypress.currentTest.title,
            violations
          });
        }
      });
    }
    
    // Check for console errors during test
    cy.window().then((win) => {
      const consoleErrorLogs = Cypress._.filter(win.console.error.logs || [], log => 
        !log.includes('Expected error for testing') // Filter out known errors
      );
      
      if (consoleErrorLogs.length > 0) {
        cy.task('logConsoleErrors', {
          test: Cypress.currentTest.title,
          errors: consoleErrorLogs
        });
        
        // Conditional failure based on error severity
        if (Cypress.env('STRICT_ERROR_MODE')) {
          throw new Error(`Console errors detected: ${consoleErrorLogs.length}`);
        }
      }
    });
  });
});
    
after() - Advanced Implementation:

describe('Multi-tenant SaaS Application', () => {
  // Track test suite execution metrics
  const suiteStartTime = Date.now();
  let testTenant;
  let apiTokens = [];
  
  before(() => {
    // Create dedicated test tenant for isolation
    cy.task('createTestTenant', {
      name: `e2e-test-tenant-${Cypress._.random(1000, 9999)}`,
      plan: 'enterprise',
      features: ['reporting', 'audit-logs', 'sso']
    }).then(tenant => {
      testTenant = tenant;
      cy.log(`Created test tenant: ${tenant.id}`);
      
      // Generate API tokens needed for tests
      return cy.task('generateApiTokens', {
        tenantId: tenant.id,
        scopes: ['read:users', 'write:reports', 'admin:settings']
      });
    }).then(tokens => {
      apiTokens = tokens;
      Cypress.env('API_TOKEN', tokens.find(t => t.scope === 'admin:settings').token);
    });
  });
  
  // Tests that use the isolated tenant...
  it('should provision new user accounts', () => {
    // Test implementation
  });
  
  after(() => {
    // Comprehensive cleanup with error handling
    if (testTenant && testTenant.id) {
      cy.log(`Cleaning up test tenant ${testTenant.id}`);
      
      // Sequential cleanup with dependencies
      cy.task('revokeApiTokens', { 
        tokenIds: apiTokens.map(t => t.id),
        tenantId: testTenant.id 
      })
      .then(() => {
        return cy.task('deleteTestData', { 
          tenantId: testTenant.id,
          deleteUsers: true,
          deleteReports: true,
          deleteSettings: true
        });
      })
      .then(() => {
        return cy.task('deleteTenant', { tenantId: testTenant.id });
      })
      .then(() => {
        cy.log('Tenant cleanup completed successfully');
      })
      .catch(error => {
        // Log but don't fail the test - cleanup issues shouldn't fail tests
        cy.log(`Error during cleanup: ${error.message}`);
        
        // Add to error report for later investigation
        cy.task('logCleanupError', {
          tenantId: testTenant.id,
          error: error.message,
          timestamp: new Date().toISOString()
        });
      });
    }
    
    // Generate test execution report
    const suiteDuration = Date.now() - suiteStartTime;
    cy.task('generateTestReport', {
      suite: 'Multi-tenant SaaS Application',
      duration: suiteDuration,
      tests: Cypress._.map(Cypress.runner.getSpecs(), spec => ({
        name: spec.name,
        status: spec.state,
        duration: spec.wallClockDuration
      })),
      browser: Cypress.browser,
      viewport: Cypress.config('viewport'),
      timestamp: new Date().toISOString()
    });
  });
});
    

Advanced Hook Usage Patterns:

Data Isolation Patterns:
  • Test Data Factories: Use before() hooks to create data factories that generate unique test data for each test run
  • API-driven Setup: Prefer API calls in hooks rather than UI interactions for setup and teardown
  • Database Transactions: Use before/after for transaction wrapping to automatically roll back changes
  • Resource Tagging: Tag resources created during tests for easy identification and cleanup
Performance Optimization Patterns:
  • Conditional Setup: Use environment variables to conditionally skip expensive hook operations
  • Parallel Resource Cleanup: When cleaning up multiple resources in after() hooks, use Promise.all for parallel execution
  • Shared Auth State: Use before() to perform authentication once, then preserve cookies/tokens in beforeEach()
  • Targeted Clearing: Only clear specific localStorage/cookies in beforeEach() rather than resetting everything
Error Handling Patterns:
  • Soft Assertions in Hooks: Use cy.wrap().then() for assertions that shouldn't fail the hook
  • Fallback Strategies: Implement fallbacks in beforeEach() hooks when primary setup paths fail
  • Cleanup Prioritization: In after() hooks, prioritize cleanup operations so critical resources are always handled
  • Error Recovery: If a beforeEach() setup fails, have recovery logic to create a valid test state

Hook Implementation Best Practices:

  • Hook Specificity: Use the most specific hook scope needed. Prefer describe-level hooks over global hooks.
  • Performance Profiling: Monitor and optimize hook execution time to prevent test suite slowdowns.
  • Dynamic Hooks: Consider programmatically defining hooks based on environment variables for different test environments.
  • Idempotent Operations: Ensure hook operations are idempotent, especially cleanup operations that may run even if setup failed.
  • Avoid UI Dependencies: Minimize UI interaction in hooks - use APIs, custom commands, and cy.task() instead.
  • Retry Strategies: Implement explicit retry logic for critical hook operations to handle transient failures.

Beginner Answer

Posted on Mar 26, 2025

Cypress provides four main hooks that help you run code at specific times during your tests. Think of these hooks as special moments where you can prepare things, clean up, or do other necessary tasks.

The Four Cypress Hooks:

Hook When It Runs Common Use
before() Once before all tests in a describe block Set up data that all tests will use
beforeEach() Before each individual test Visit the page, log in, or reset state
afterEach() After each individual test Clean up after each test
after() Once after all tests in a describe block Final cleanup of test data

Examples of Each Hook:

before() Example:

describe('Shopping Cart Tests', () => {
  before(() => {
    // This runs once before any shopping cart tests
    cy.log('Setting up test products')
    // Maybe we add items to the database
    cy.request('POST', '/api/test-setup', { products: ['tshirt', 'hat'] })
  })

  it('Test 1: Add item to cart', () => {
    // Test implementation here
  })

  it('Test 2: Remove item from cart', () => {
    // Test implementation here
  })
})
    
beforeEach() Example:

describe('User Profile Tests', () => {
  beforeEach(() => {
    // This runs before EACH test
    cy.log('Visiting profile page')
    cy.visit('/profile')
    
    // Log in before each test
    cy.get('#username').type('testuser')
    cy.get('#password').type('password123')
    cy.get('#login-button').click()
    
    // Confirm we're logged in before proceeding
    cy.get('.welcome-message').should('contain', 'Welcome, Test User')
  })

  it('should display user info correctly', () => {
    cy.get('.email-display').should('contain', 'test@example.com')
  })

  it('should allow changing display name', () => {
    cy.get('#display-name').clear().type('New Name')
    cy.get('#save-button').click()
    cy.get('.success-message').should('be.visible')
  })
})
    
afterEach() Example:

describe('Todo App Tests', () => {
  beforeEach(() => {
    cy.visit('/todos')
    // Create a test todo
    cy.get('#new-todo').type('Test Todo Item')
    cy.get('#add-button').click()
  })

  it('should mark todo as completed', () => {
    cy.get('.todo-item').first().find('.complete-checkbox').click()
    cy.get('.todo-item').first().should('have.class', 'completed')
  })

  it('should delete todo', () => {
    cy.get('.todo-item').first().find('.delete-button').click()
    cy.get('.todo-item').should('not.exist')
  })

  afterEach(() => {
    // Clean up after each test
    cy.log('Cleaning up todos')
    // Delete all todos created during test
    cy.get('.clear-all-button').click()
    // Verify todos are gone
    cy.get('.todo-item').should('not.exist')
  })
})
    
after() Example:

describe('Database Tests', () => {
  before(() => {
    // Set up test database
    cy.task('setupTestDb')
  })

  it('should create new record', () => {
    cy.get('#create-button').click()
    cy.get('#name-input').type('Test Record')
    cy.get('#save-button').click()
    cy.get('.record-item').should('contain', 'Test Record')
  })

  it('should edit record', () => {
    cy.get('.record-item').first().find('.edit-button').click()
    cy.get('#name-input').clear().type('Updated Record')
    cy.get('#save-button').click()
    cy.get('.record-item').should('contain', 'Updated Record')
  })

  after(() => {
    // Clean up test database after all tests are done
    cy.log('Cleaning up test database')
    cy.task('cleanupTestDb')
  })
})
    

Tip: Choose the right hook for the job:

  • Use before() for slow setup operations you only want to do once
  • Use beforeEach() when each test needs a fresh start
  • Use afterEach() to clean up after individual tests
  • Use after() for final cleanup after all tests are done

Think of these hooks like preparing for, doing, and cleaning up after activities:

  • before: Setting up your craft table before starting a week of different craft projects
  • beforeEach: Getting out specific materials for today's craft project
  • afterEach: Putting away the materials after finishing today's craft
  • after: Completely cleaning up your craft area when all projects are done