test-validity-checker
Scannednpx machina-cli add skill smicolon/ai-kit/test-validity-checker --openclawTest Validity Checker
Auto-validates that tests are meaningful and catch real bugs.
Activation Triggers
This skill activates when:
- Writing test files
- Before pytest execution
- When test coverage is checked
- When dev loop is running
Validity Checks
Check 1: Empty Test Detection
# INVALID - Empty body
def test_user():
pass
# INVALID - Only setup, no assertions
def test_create():
user = create_user()
# No assertions!
# VALID
def test_user_creation():
user = create_user()
assert user.id is not None
assert user.is_active
Action: Flag empty tests, require assertions
Check 2: Trivial Assertion Detection
# INVALID - Always passes
def test_always_passes():
assert True
def test_truthy():
user = create_user()
assert user # Just checks existence
# INVALID - Testing constants
def test_constant():
assert 1 + 1 == 2
# VALID - Tests actual behavior
def test_user_email_lowercase():
user = create_user(email='TEST@Example.COM')
assert user.email == 'test@example.com'
Action: Require value comparisons, not just truthiness
Check 3: Assertion Count
# WEAK - Only 1 assertion
def test_single_assertion():
response = client.get('/api/users/')
assert response.status_code == 200
# STRONG - Multiple assertions
def test_list_users():
response = client.get('/api/users/')
assert response.status_code == 200
assert 'results' in response.data
assert len(response.data['results']) > 0
assert 'email' in response.data['results'][0]
Minimum: 2 meaningful assertions per test
Check 4: Edge Case Coverage
For each function under test, require:
- Happy path (valid input -> expected output)
- Invalid input (validation error)
- Boundary conditions (min, max, empty)
- Error handling (exceptions caught)
# Complete test suite example
class TestUserService:
# Happy path
def test_create_user_success(self):
...
# Invalid input
def test_create_user_invalid_email(self):
with pytest.raises(ValidationError):
...
# Boundary
def test_create_user_max_length_name(self):
user = create_user(name='x' * 255) # Max length
...
# Error handling
def test_create_user_database_error(self, mocker):
mocker.patch('app.models.User.save', side_effect=DatabaseError)
with pytest.raises(ServiceError):
...
Check 5: Test Independence
# INVALID - Shared state
shared_user = None
def test_create():
global shared_user
shared_user = create_user() # Modifies global
def test_read():
assert shared_user.email # Depends on previous test
# VALID - Independent tests
def test_create(user_factory):
user = user_factory()
assert user.id
def test_read(user_factory):
user = user_factory()
assert user.email
Action: Each test must be runnable in isolation
Check 6: No Mocking Internals
# INVALID - Testing implementation
def test_service_calls_model(self, mocker):
mock_create = mocker.patch('User.objects.create')
service.create_user(data)
mock_create.assert_called_once() # Tests HOW, not WHAT
# VALID - Testing behavior
def test_service_creates_user(self):
user = service.create_user(data)
assert User.objects.filter(id=user.id).exists() # Tests WHAT
Validation Report
When checking tests, output:
TEST VALIDITY REPORT
File: tests/test_user_service.py
test_create_user_success
- Assertions: 4
- Tests behavior: Yes
- Independent: Yes
test_create_user_validation
- Assertions: 1 (minimum 2)
- Suggestion: Add assertion for error message
test_trivial
- Issue: assert True (trivial)
- Action: Remove or rewrite
Summary:
- Valid: 8/10
- Warnings: 1
- Invalid: 1
Recommendation: Fix 2 issues before continuing
Auto-Fix Actions
When issues detected:
- Empty test -> Generate test body
- Trivial assertion -> Suggest meaningful assertion
- Low assertion count -> Add more assertions
- Missing edge cases -> Generate edge case tests
- Shared state -> Refactor to fixtures
Source
git clone https://github.com/smicolon/ai-kit/blob/main/packs/django/skills/test-validity-checker/SKILL.mdView on GitHub Overview
Test Validity Checker analyzes test files to ensure they exercise real behavior and catch bugs rather than trivial checks. It flags empty tests, trivial or single-assert patterns, weak coverage, and shared-state dependencies, helping you keep a meaningful test suite as you write tests or run pytest.
How This Skill Works
The checker activates during test creation, before pytest runs, and when coverage is checked to inspect test bodies, assertion counts, and independence. It flags patterns like empty tests, trivial assertions, and shared-state tests, and provides concrete remediation guidance and example improvements.
When to Use It
- Writing test files
- Before pytest execution
- When test coverage is checked
- During the development loop (dev loop)
- Reviewing test quality or debugging test failures
Quick Start
- Step 1: Write tests with clear behavior goals and at least two assertions per test where appropriate
- Step 2: Run the test-validity checker before executing pytest to surface issues
- Step 3: Review the TEST VALIDITY REPORT and update tests to address empty tests, trivial assertions, and independence concerns
Best Practices
- Ensure each test has at least two meaningful assertions
- Avoid empty bodies and tests that only set up data
- Prefer asserting actual behavior over truthiness checks
- Design tests to be independent and runnable in isolation
- Avoid mocking internals; test expected behavior, not implementation details
Example Use Cases
- def test_user_creation(): user = create_user() assert user.id is not None assert user.is_active
- def test_list_users(): response = client.get('/api/users/') assert response.status_code == 200 assert 'results' in response.data assert len(response.data['results']) > 0 assert 'email' in response.data['results'][0]
- def test_user_email_lowercase(): user = create_user(email='TEST@Example.COM') assert user.email == 'test@example.com'
- def test_create_user_invalid_email(): with pytest.raises(ValidationError): create_user(email='not-an-email')
- def test_create_user_database_error(self, mocker): mocker.patch('app.models.User.save', side_effect=DatabaseError) with pytest.raises(ServiceError): service.create_user(data)