home / skills / open-circle / valibot / repo-source-code-review

repo-source-code-review skill

/skills/repo-source-code-review

This skill helps review repository source changes in /library/src and enforce patterns, types, docs, and tests before merging.

npx playbooks add skill open-circle/valibot --skill repo-source-code-review

Review the files below or copy the command above to add this skill to your agents.

Files (1)
SKILL.md
5.5 KB
---
name: repo-source-code-review
description: Review pull requests and source code changes in /library/src/. Use when reviewing PRs, validating implementation patterns, or checking code quality before merging. Covers code quality checks, type safety, documentation review, test coverage, and common issues to watch for.
---

# Reviewing Source Code Changes

Guide for reviewing PRs and source code changes in `/library/src/`.

## When to Use This Guide

- Reviewing pull requests modifying library source
- Validating implementation patterns before merging
- Checking code quality, types, documentation, and tests

## Review Process

1. **Understand the change** — Read PR description, identify affected files
2. **Check patterns** — Verify code follows existing conventions
3. **Verify types** — Ensure type safety and proper inference
4. **Review docs** — Confirm JSDoc is complete and accurate
5. **Check tests** — Validate runtime and type test coverage

## What to Review

### Code Quality

| Check             | Requirement                                                           |
| ----------------- | --------------------------------------------------------------------- |
| Naming            | Matches existing patterns (`StringSchema`, `minLength`, `_parse`)     |
| Purity annotation | `// @__NO_SIDE_EFFECTS__` before pure factory functions               |
| Import extensions | All imports use `.ts` extension                                       |
| Interface vs type | Use `interface` for object shapes, `type` for unions/aliases          |
| Folder structure  | Each API has: `name.ts`, `name.test.ts`, `name.test-d.ts`, `index.ts` |

**Good — purity annotation:**

```typescript
// @__NO_SIDE_EFFECTS__
export function string(message?: ErrorMessage<StringIssue>): StringSchema {
  return {
    /* ... */
  };
}
```

**Bad — missing annotation:**

```typescript
export function string(message?: ErrorMessage<StringIssue>): StringSchema {
  return {
    /* ... */
  };
}
```

### Type Safety

| Check             | Requirement                                           |
| ----------------- | ----------------------------------------------------- |
| Generic inference | Types infer correctly without explicit annotations    |
| Constraints       | Generic parameters have appropriate `extends` clauses |
| Return types      | Explicit return types on exported functions           |
| Type tests        | `.test-d.ts` file covers type inference scenarios     |

**Good — constrained generic:**

```typescript
export function minLength<
  TInput extends LengthInput,
  TRequirement extends number,
>(
  requirement: TRequirement,
  message?: ErrorMessage<MinLengthIssue<TInput, TRequirement>>
): MinLengthAction<TInput, TRequirement>;
```

### Documentation

| Check          | Requirement                                       |
| -------------- | ------------------------------------------------- |
| JSDoc present  | All exported functions have JSDoc                 |
| First line     | Action verb matching function purpose (see below) |
| `@param` tags  | Every parameter documented                        |
| `@returns` tag | Return value documented                           |
| Overloads      | Every overload has its own complete JSDoc block   |

**First line patterns by category:**

| Category       | Pattern                                        |
| -------------- | ---------------------------------------------- |
| Schemas        | `Creates a ... schema.`                        |
| Actions        | `Creates a ... action.`                        |
| Parse methods  | `Parses ...`                                   |
| Type guards    | `Checks if ...`                                |
| Unwrap methods | `Unwraps ...`                                  |
| Other methods  | `Creates a ...`, `Returns ...`, `Forwards ...` |

See `repo-source-code-document` skill for full documentation rules.

### Tests

| Check          | Requirement                                                |
| -------------- | ---------------------------------------------------------- |
| Runtime tests  | `.test.ts` covers success cases, failure cases, edge cases |
| Type tests     | `.test-d.ts` validates type inference with `expectTypeOf`  |
| Issue messages | Tests verify correct error messages and issue structure    |

## Common Issues

| Issue                     | What to Look For                                             |
| ------------------------- | ------------------------------------------------------------ |
| Missing purity annotation | Factory function without `// @__NO_SIDE_EFFECTS__`           |
| Incomplete JSDoc          | Missing `@param` or `@returns`, wrong description format     |
| No type tests             | New API without `.test-d.ts` file                            |
| Wrong import extension    | Imports without `.ts` suffix                                 |
| Inconsistent naming       | Schema not ending in `Schema`, action not ending in `Action` |
| Side effects in pure code | Mutations, I/O, or global state in schema/action creation    |

## Checklist

- [ ] Implementation follows existing patterns in similar files
- [ ] `// @__NO_SIDE_EFFECTS__` on pure factory functions
- [ ] All imports use `.ts` extension
- [ ] `interface` used for object shapes
- [ ] JSDoc complete on all exports
- [ ] Runtime tests in `.test.ts`
- [ ] Type tests in `.test-d.ts`
- [ ] Naming conventions followed

## Related Skills

- `repo-structure-navigate` — Navigate the codebase
- `repo-source-code-document` — JSDoc requirements

Overview

This skill reviews pull requests and source code changes under /library/src/. It focuses on code quality, TypeScript type safety, documentation, and test coverage to prevent regressions before merging. The checks are tailored to the library's modular, type-safe patterns and naming conventions.

How this skill works

The skill inspects modified files, verifies patterns against the project's conventions, and flags deviations such as missing purity annotations, wrong import extensions, incomplete JSDoc, or absent type tests. It validates generic constraints, return types, and presence of .test.ts and .test-d.ts files, and reports actionable items for the author to fix.

When to use it

  • Reviewing PRs that modify anything in /library/src/
  • Validating new APIs or refactors for pattern consistency
  • Ensuring type inference and generic constraints are correct
  • Checking documentation completeness for exported functions
  • Confirming runtime and type test coverage exists before merging

Best practices

  • Read the PR description and identify affected APIs before deep inspection
  • Ensure exported factory functions have // @__NO_SIDE_EFFECTS__ when pure
  • Use interface for object shapes and type for unions/aliases consistently
  • Always include explicit return types on exported functions and constrain generics with extends
  • Add both runtime (.test.ts) and type (.test-d.ts) tests for new APIs
  • Use .ts extension on all local imports and follow established naming patterns (e.g., StringSchema, minLength)

Example use cases

  • A PR introducing a new schema factory: verify purity annotation, JSDoc, return type, and both test files are present
  • A refactor that changes internal types: ensure generic inference still holds and type tests pass
  • A bug fix that alters parse logic: check runtime tests include edge cases and error messages
  • A contribution adding helper actions: confirm naming ends in Action, JSDoc first line follows action pattern, and imports use .ts

FAQ

What qualifies as a pure factory function?

A pure factory creates schema/action objects without mutating globals, performing I/O, or causing side effects. It must be annotated with // @__NO_SIDE_EFFECTS__ before the export.

When is a .test-d.ts required?

Every new or changed public API that affects typing must have a .test-d.ts file covering inference scenarios and expected compile-time behavior using expectTypeOf.