Back to list
yonatangross

integration-testing

by yonatangross

The Complete AI Development Toolkit for Claude Code — 159 skills, 34 agents, 20 commands, 144 hooks. Production-ready patterns for FastAPI, React 19, LangGraph, security, and testing.

29🍴 4📅 Jan 23, 2026

SKILL.md


name: integration-testing description: Integration testing patterns for APIs and components. Use when testing component interactions, API endpoints with test databases, or service layer integration. tags: [testing, integration, api, database] context: fork agent: test-generator version: 1.0.0 author: OrchestKit user-invocable: false

Integration Testing

Test how components work together.

API Integration Test

import { describe, test, expect } from 'vitest';
import request from 'supertest';
import { app } from '../app';

describe('POST /api/users', () => {
  test('creates user and returns 201', async () => {
    const response = await request(app)
      .post('/api/users')
      .send({ email: 'test@example.com', name: 'Test' });

    expect(response.status).toBe(201);
    expect(response.body.id).toBeDefined();
    expect(response.body.email).toBe('test@example.com');
  });

  test('returns 400 for invalid email', async () => {
    const response = await request(app)
      .post('/api/users')
      .send({ email: 'invalid', name: 'Test' });

    expect(response.status).toBe(400);
    expect(response.body.error).toContain('email');
  });
});

FastAPI Integration Test

import pytest
from httpx import AsyncClient
from app.main import app

@pytest.fixture
async def client():
    async with AsyncClient(app=app, base_url="http://test") as ac:
        yield ac

@pytest.mark.asyncio
async def test_create_user(client: AsyncClient):
    response = await client.post(
        "/api/users",
        json={"email": "test@example.com", "name": "Test"}
    )

    assert response.status_code == 201
    assert response.json()["email"] == "test@example.com"

@pytest.mark.asyncio
async def test_get_user_not_found(client: AsyncClient):
    response = await client.get("/api/users/nonexistent")

    assert response.status_code == 404

Test Database Setup

import pytest
from sqlalchemy import create_engine
from sqlalchemy.orm import sessionmaker

@pytest.fixture(scope="function")
def db_session():
    """Fresh database per test."""
    engine = create_engine("sqlite:///:memory:")
    Base.metadata.create_all(engine)
    Session = sessionmaker(bind=engine)
    session = Session()

    yield session

    session.close()
    Base.metadata.drop_all(engine)

React Component Integration

import { render, screen } from '@testing-library/react';
import userEvent from '@testing-library/user-event';
import { QueryClientProvider } from '@tanstack/react-query';

test('form submits and shows success', async () => {
  const user = userEvent.setup();

  render(
    <QueryClientProvider client={queryClient}>
      <UserForm />
    </QueryClientProvider>
  );

  await user.type(screen.getByLabelText('Email'), 'test@example.com');
  await user.click(screen.getByRole('button', { name: /submit/i }));

  expect(await screen.findByText(/success/i)).toBeInTheDocument();
});

Coverage Targets

AreaTarget
API endpoints70%+
Service layer80%+
Component interactions70%+

Key Decisions

DecisionRecommendation
DatabaseIn-memory SQLite or test container
Execution< 1s per test
External APIsMSW (frontend), VCR.py (backend)
CleanupFresh state per test

Common Mistakes

  • Shared test database state
  • No transaction rollback
  • Testing against production APIs
  • Slow setup/teardown
  • unit-testing - Isolated tests
  • msw-mocking - Network mocking
  • e2e-testing - Full flow testing

Capability Details

api-testing

Keywords: api, endpoint, httpx, testclient Solves:

  • Test FastAPI endpoints
  • Integration test patterns
  • API contract testing

database-testing

Keywords: database, fixture, transaction, rollback Solves:

  • Test database operations
  • Use transaction rollback
  • Create test fixtures

test-plan-template

Keywords: plan, template, strategy, coverage Solves:

  • Integration test plan template
  • Coverage strategy
  • Test organization

Score

Total Score

75/100

Based on repository quality metrics

SKILL.md

SKILL.mdファイルが含まれている

+20
LICENSE

ライセンスが設定されている

+10
説明文

100文字以上の説明がある

+10
人気

GitHub Stars 100以上

0/15
最近の活動

1ヶ月以内に更新

+10
フォーク

10回以上フォークされている

0/5
Issue管理

オープンIssueが50未満

+5
言語

プログラミング言語が設定されている

+5
タグ

1つ以上のタグが設定されている

+5

Reviews

💬

Reviews coming soon