🎯

database-testing

🎯Skill

from proffesor-for-testing/agentic-qe

VibeIndex|
What it does

Validates database schemas, tests data integrity, verifies migrations, checks transaction isolation, and measures query performance.

database-testing

Installation

Install skill:
npx skills add https://github.com/proffesor-for-testing/agentic-qe --skill database-testing
6
Last UpdatedJan 26, 2026

Skill Details

SKILL.md

"Database schema validation, data integrity testing, migration testing, transaction isolation, and query performance. Use when testing data persistence, ensuring referential integrity, or validating database migrations."

Overview

# Database Testing

When testing database operations:

  1. VALIDATE schema (tables, columns, constraints exist as expected)
  2. TEST data integrity (unique, foreign key, check constraints)
  3. VERIFY migrations (forward works, rollback works, data preserved)
  4. CHECK transaction isolation (ACID properties, concurrent access)
  5. MEASURE query performance (indexes used, execution time)

Quick DB Testing Checklist:

  • Schema matches specification
  • Unique constraints prevent duplicates
  • Foreign keys prevent orphaned records
  • Migrations are reversible
  • Transactions roll back on error

Critical Success Factors:

  • Database bugs cause data loss/corruption (catastrophic)
  • Test migrations in staging before production
  • Transaction tests catch concurrency bugs

Quick Reference Card

When to Use

  • New table/schema creation
  • Migration development
  • Data integrity validation
  • Query performance optimization

Database Test Types

| Type | Focus | When |

|------|-------|------|

| Schema | Structure correct | Table creation |

| Integrity | Constraints work | Data operations |

| Migration | Up/down work | Schema changes |

| Transaction | ACID properties | Concurrent access |

| Performance | Query speed | Optimization |

ACID Properties

| Property | Test Focus |

|----------|------------|

| Atomicity | All or nothing (rollback on error) |

| Consistency | Constraints always valid |

| Isolation | Concurrent transactions don't interfere |

| Durability | Committed data persists |

---

Schema Testing

```javascript

test('users table has correct schema', async () => {

const schema = await db.raw(`

SELECT column_name, data_type, is_nullable

FROM information_schema.columns

WHERE table_name = 'users'

`);

expect(schema).toContainEqual({

column_name: 'id',

data_type: 'integer',

is_nullable: 'NO'

});

expect(schema).toContainEqual({

column_name: 'email',

data_type: 'character varying',

is_nullable: 'NO'

});

});

```

---

Data Integrity Testing

```javascript

test('email must be unique', async () => {

await db.users.create({ email: 'test@example.com' });

await expect(

db.users.create({ email: 'test@example.com' })

).rejects.toThrow('unique constraint violation');

});

test('foreign key prevents orphaned records', async () => {

const user = await db.users.create({ email: 'test@example.com' });

await db.orders.create({ userId: user.id, total: 100 });

await expect(

db.users.delete({ id: user.id })

).rejects.toThrow('foreign key constraint');

});

```

---

Migration Testing

```javascript

test('migration is reversible', async () => {

await migrate('add-users-table');

// Table exists after migration

const tables = await db.raw(SELECT table_name FROM information_schema.tables);

expect(tables.map(t => t.table_name)).toContain('users');

await rollback('add-users-table');

// Table gone after rollback

const tablesAfter = await db.raw(SELECT table_name FROM information_schema.tables);

expect(tablesAfter.map(t => t.table_name)).not.toContain('users');

});

test('migration preserves existing data', async () => {

await db.users.create({ email: 'test@example.com' });

await migrate('add-age-column');

const user = await db.users.findOne({ email: 'test@example.com' });

expect(user).toBeDefined();

expect(user.age).toBeNull(); // New column, null default

});

```

---

Transaction Testing

```javascript

test('transaction rolls back on error', async () => {

const initialCount = await db.users.count();

try {

await db.transaction(async (trx) => {

await trx('users').insert({ email: 'user1@example.com' });

await trx('users').insert({ email: 'user2@example.com' });

throw new Error('Rollback test');

});

} catch (error) { / Expected / }

expect(await db.users.count()).toBe(initialCount);

});

test('concurrent transactions isolated', async () => {

const user = await db.users.create({ balance: 100 });

// Two concurrent withdrawals (race condition test)

await Promise.all([

db.transaction(async (trx) => {

const current = await trx('users').where({ id: user.id }).first();

await trx('users').update({ balance: current.balance - 50 });

}),

db.transaction(async (trx) => {

const current = await trx('users').where({ id: user.id }).first();

await trx('users').update({ balance: current.balance - 50 });

})

]);

const final = await db.users.findOne({ id: user.id });

expect(final.balance).toBe(0); // Proper isolation

});

```

---

Agent-Driven Database Testing

```typescript

// Generate test data with integrity

await Task("Generate Test Data", {

schema: 'ecommerce',

tables: ['users', 'products', 'orders'],

count: { users: 1000, products: 500, orders: 5000 },

preserveReferentialIntegrity: true

}, "qe-test-data-architect");

// Test migration safety

await Task("Migration Test", {

migration: 'add-payment-status-column',

tests: ['forward', 'rollback', 'data-preservation'],

environment: 'staging'

}, "qe-test-executor");

```

---

Agent Coordination Hints

Memory Namespace

```

aqe/database-testing/

β”œβ”€β”€ schema-snapshots/* - Current schema state

β”œβ”€β”€ migrations/* - Migration test results

β”œβ”€β”€ integrity/* - Constraint validation

└── performance/* - Query benchmarks

```

Fleet Coordination

```typescript

const dbFleet = await FleetManager.coordinate({

strategy: 'database-testing',

agents: [

'qe-test-data-architect', // Generate test data

'qe-test-executor', // Run DB tests

'qe-performance-tester' // Query performance

],

topology: 'sequential'

});

```

---

Related Skills

  • [test-data-management](../test-data-management/) - Generate test data
  • [performance-testing](../performance-testing/) - Query performance
  • [compliance-testing](../compliance-testing/) - Data protection

---

Remember

Database bugs are catastrophic. Data loss is unrecoverable. Corruption spreads silently. Performance issues compound.

Test migrations before production: Forward works, rollback works, data preserved, performance acceptable. Never deploy untested migrations.

With Agents: qe-test-data-architect generates realistic test data with referential integrity. qe-test-executor validates migrations automatically in CI/CD.

More from this repository10

🎯
brutal-honesty-review🎯Skill

Delivers unvarnished technical criticism with surgical precision, combining expert-level BS detection and zero-tolerance for low-quality work.

🎯
n8n-security-testing🎯Skill

Automates security vulnerability scanning and penetration testing for n8n workflows, identifying potential risks and misconfigurations.

🎯
n8n-expression-testing🎯Skill

n8n-expression-testing skill from proffesor-for-testing/agentic-qe

🎯
n8n-integration-testing-patterns🎯Skill

Validates n8n integration connectivity, authentication flows, and error handling across external service APIs through comprehensive testing patterns.

🎯
six-thinking-hats🎯Skill

Applies Six Thinking Hats methodology to systematically analyze software testing challenges from multiple perspectives, enhancing decision-making and test strategy development.

🎯
n8n-trigger-testing-strategies🎯Skill

Validates n8n workflow triggers by comprehensively testing webhook, schedule, polling, and event-driven mechanisms with robust payload and authentication checks.

🎯
risk-based-testing🎯Skill

Prioritizes testing efforts by systematically assessing and ranking risks based on probability and potential impact across software components.

🎯
shift-left-testing🎯Skill

Accelerates software quality by moving testing earlier in development, reducing defect costs through proactive validation, automated testing, and continuous improvement practices.

🎯
chaos-engineering-resilience🎯Skill

chaos-engineering-resilience skill from proffesor-for-testing/agentic-qe

🎯
cicd-pipeline-qe-orchestrator🎯Skill

Orchestrates quality engineering across CI/CD pipeline phases by coordinating multiple QE agents, implementing quality gates, and adapting testing strategies dynamically.