executable-stories-formatters
v0.5.0
Published
Cucumber-compatible report formats (HTML, Markdown, JUnit XML, Cucumber JSON) for executable-stories test results.
Maintainers
Readme
executable-stories-formatters
Cucumber-compatible report formats (HTML, Markdown, JUnit XML, Cucumber JSON) for executable-stories test results.
Install
npm install executable-stories-formattersQuick Start — Programmatic API
import {
canonicalizeRun,
ReportGenerator,
} from "executable-stories-formatters";
import type { RawRun } from "executable-stories-formatters";
// 1. Build a RawRun from your test framework (or use a built-in adapter)
const raw: RawRun = {
projectRoot: process.cwd(),
testCases: [
{
status: "pass",
story: {
scenario: "User logs in",
steps: [
{ keyword: "Given", text: "the user is on the login page" },
{ keyword: "When", text: "they enter valid credentials" },
{ keyword: "Then", text: "they see the dashboard" },
],
},
},
],
};
// 2. Canonicalize the raw run
const run = canonicalizeRun(raw);
// 3. Generate reports
const generator = new ReportGenerator({
formats: ["html", "markdown"],
outputDir: "reports",
});
const results = await generator.generate(run);
// results: Map<"html" | "markdown", string[]> (file paths written)Quick Start — CLI
# Generate an HTML report from a JSON run file
executable-stories format run.json --format html
# Generate multiple formats
executable-stories format run.json --format html --format markdown
# Validate a run file against the schema
executable-stories validate run.json
# Include only test cases from matching source files (glob patterns)
executable-stories format raw-run.json --include "**/*.Story*.cs" --format html
# Exclude test cases by source file glob
executable-stories format raw-run.json --exclude "**/obj/**" --format markdown
# With run history (flakiness, stability, performance in HTML)
executable-stories format run.json --format html --history-file .history/runs.json
# Notify on failure (Slack or Teams; env: SLACK_WEBHOOK_URL / TEAMS_WEBHOOK_URL)
executable-stories format run.json --format html --notify on-failure --report-url "https://ci.example.com/artifacts/report.html"CI detection
When the CLI runs in a CI environment, it auto-detects the provider from environment variables and attaches branch, commit SHA, PR number, build number, and build URL to the run. The HTML report shows this in a CI meta block. Supported providers (first match wins): Azure DevOps (TF_BUILD), Buildkite, GitHub Actions, GitLab CI, CircleCI, Jenkins, Travis CI; generic fallback when CI=true. No flags required—detection is automatic.
Notifications
After generating reports, the CLI can send a short summary to Slack, Microsoft Teams, or a generic webhook:
- Slack —
--slack-webhook <url>orSLACK_WEBHOOK_URLenv. Uses an incoming webhook. - Teams —
--teams-webhook <url>orTEAMS_WEBHOOK_URLenv. Uses an incoming webhook connector. - Generic webhook —
--webhook-url <url>(repeatable). Optional--webhook-header "Key: Value",--webhook-method POST|PUT, and HMAC-SHA256 signing via--webhook-hmac-secret,--webhook-hmac-header,--webhook-hmac-timestamp.
Control when notifications are sent with --notify: always, on-failure (default), or never. Use --report-url to pass a public URL for the report so notification messages can link to it. --max-failed-tests (default 5) limits how many failed tests are listed in the message.
Run history
Use --history-file <path> to persist run history to a JSON file. The CLI updates this file after each run and uses it to compute, for the HTML report:
- Flakiness — stable / unstable / flaky from pass/fail history
- Stability grade — A–F from recent pass rate
- Performance trend — improving / stable / regressing from duration history
--max-history-runs <n> (default 10) caps how many runs are kept per test. Omit --history-file to disable history (no file is read or written).
Filtering by source file
You can limit which test cases appear in reports using include and exclude glob patterns on sourceFile:
--include <globs>— Comma-separated globs; only test cases whosesourceFilematches at least one pattern are included. If omitted, all test cases are considered.--exclude <globs>— Comma-separated globs; test cases whosesourceFilematches any pattern are excluded. Applied after include.
Patterns use the same glob semantics as output rules (* and **). Paths are normalized to forward slashes. This works with any framework that sets sourceFile on raw test cases (Jest, Vitest, Playwright, xUnit, etc.).
Programmatic API:
const generator = new ReportGenerator({
include: ["**/auth/**", "**/*.Story*.cs"],
exclude: ["**/Generated/**"],
formats: ["html", "markdown"],
outputDir: "reports",
});Architecture
┌──────────────────────────┐
│ Framework Test Results │
│ (Jest / Vitest / PW) │
└───────────┬──────────────┘
│
▼
┌──────────────────────────┐
│ Layer 1: Adapters │ RawRun
│ adaptJestRun() │
│ adaptVitestRun() │
│ adaptPlaywrightRun() │
└───────────┬──────────────┘
│
▼
┌──────────────────────────┐
│ Layer 2: ACL │ TestRunResult
│ canonicalizeRun() │
└───────────┬──────────────┘
│
▼
┌──────────────────────────┐
│ Layer 3: Formatters │ HTML / Markdown / JUnit / Cucumber JSON
│ ReportGenerator │
└──────────────────────────┘Output Formats
| Format | Description | File Extension |
| --- | --- | --- |
| html | Interactive HTML report with search, screenshots, step parameter highlighting (quoted strings and numbers), syntax-highlighted code blocks, Mermaid diagrams, Markdown in doc sections, optional CI meta block (branch, commit, build link), and run history (flakiness, stability grade, performance trend when --history-file is used) | .html |
| markdown | Markdown user-story documentation | .md |
| junit | JUnit XML for CI integration | .junit.xml |
| cucumber-json | Cucumber JSON for tooling compatibility | .cucumber.json |
Writing a Custom Adapter
To integrate a new test framework, build a RawRun object from your framework's results, then pass it through canonicalizeRun().
RawRun Interface
interface RawRun {
testCases: RawTestCase[];
startedAtMs?: number; // Run start time (epoch ms)
finishedAtMs?: number; // Run finish time (epoch ms)
projectRoot: string; // Project root directory
packageVersion?: string; // Package version
gitSha?: string; // Git commit SHA
ci?: RawCIInfo; // CI environment info
}RawTestCase Interface
interface RawTestCase {
status: RawStatus; // "pass" | "fail" | "skip" | "todo" | "pending" | "timeout" | "interrupted" | "unknown"
story?: StoryMeta; // Story metadata from test (from executable-stories-core)
externalId?: string; // Framework's test ID
title?: string; // Test title/name
titlePath?: string[]; // Full title path (describe blocks + test name)
sourceFile?: string; // Source file path
sourceLine?: number; // Source line number (1-based)
durationMs?: number; // Duration in milliseconds
error?: { // Error information
message?: string;
stack?: string;
};
stepEvents?: RawStepEvent[]; // Step-level info if framework provides it
attachments?: RawAttachment[]; // Screenshots, logs, etc.
retry?: number; // Retry attempt number (0-based)
retries?: number; // Total retry count configured
projectName?: string; // Playwright project name
meta?: Record<string, unknown>; // Framework-specific metadata
}API Reference
Core
canonicalizeRun(raw, options?)— Normalize aRawRuninto a canonicalTestRunResultvalidateCanonicalRun(run)— Validate a canonical run, returning errorsassertValidRun(run)— Validate and throw on invalid dataReportGenerator— High-level report generator combining all formatterscreateReportGenerator(options?, deps?)— Factory forReportGenerator
Formatters
CucumberJsonFormatter— Cucumber JSON outputHtmlFormatter— Interactive HTML reportJUnitFormatter— JUnit XML outputMarkdownFormatter— Markdown documentation
Built-in Adapters
adaptJestRun(results, storyReports, options?)— Convert Jest results toRawRunadaptVitestRun(testModules, options?)— Convert Vitest results toRawRunadaptPlaywrightRun(testResults, options?)— Convert Playwright results toRawRun
Convenience Functions
normalizeJestResults(...)—adaptJestRun+canonicalizeRunin one callnormalizeVitestResults(...)—adaptVitestRun+canonicalizeRunin one callnormalizePlaywrightResults(...)—adaptPlaywrightRun+canonicalizeRunin one call
CI, history, and notifications (programmatic)
detectCI(env?)— Detect CI environment fromprocess.env(or provided object); returnsRawCIInfoorundefined. Used by the CLI; also available for custom pipelines.toCIInfo(raw?)/toRawCIInfo(ci?)— Convert betweenRawCIInfo(transport) andCIInfo(canonical display). Types:CIInfo,CIProviderfrom./types/ci.loadHistory(args, deps)/saveHistory(args, deps)/updateHistory(args)— Read/write run history JSON. Used by the CLI when--history-fileis set; also usable from custom tooling.sendNotifications(args, deps)— Send Slack, Teams, and/or generic webhook notifications. Types:NotificationSummary,NotifyCondition,GenericWebhookNotifierOptions,WebhookSignerHmac. Individual senders:sendSlackNotification,sendTeamsNotification,sendWebhookNotification;signBodyfor HMAC signing.
Types
See the TypeScript type exports for TestRunResult, RawRun, RawTestCase, FormatterOptions, and more. FormatterOptions supports include and exclude (string arrays of glob patterns) to filter test cases by sourceFile before generating reports.
License
MIT
