npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

playwright-api-logger

v2.3.0

Published

Comprehensive API request/response logger with curl export for Playwright tests

Readme


How It Works

flowchart LR
    subgraph T[Playwright Test]
        F[Fixture setup]
        C[API Call GET/POST/PUT/DELETE]
    end

    subgraph P[playwright-api-logger]
        W["withApiLogging(request, testInfo)"]
        PR[Proxy over APIRequestContext]
        AL[ApiLogger]
        CG[CurlGenerator]
        RP["ApiLoggerReporter<br/>(merge + summary)"]
    end

    subgraph O[Output]
        LOG["logs/*.log<br/>structured JSON per test"]
        RC[Ready-to-use curl for Postman / terminal]
    end

    F -->|"1 line change"| W
    W --> PR
    C --> PR
    PR --> AL
    AL --> CG
    AL -->|"raw files"| RP
    RP -->|"merged"| LOG
    CG --> RC
API_LOGS=true  → Logging ON   (files created in logs/)
API_LOGS=false → Logging OFF  (zero overhead, default)

Features

  • One-line integration — just wrap request with withApiLogging(), zero changes to controllers/clients
  • Playwright Reporter — auto-merges related log files (when titlePath/file are set), prints summary
  • Structured logs — one JSON document per test with preconditions, steps, and teardown sections
  • Step descriptions — describe what each API call does with .describe()
  • Curl Export — copy from log, paste into terminal or import into Postman
  • Env ControlAPI_LOGS=true/false (default: false, zero overhead when off)
  • Token Masking — Authorization headers are automatically masked
  • Form Data — JSON, URL-encoded, and multipart/form-data support
  • Error Resilient — logging never breaks your tests

Installation

npm install playwright-api-logger

Quick Start

One line in your fixture — that's it!

import { withApiLogging } from 'playwright-api-logger';

export const test = base.extend({
  loggedRequest: async ({ request }, use, testInfo) => {
    const logged = withApiLogging(request, testInfo);
    await use(logged);
    logged.__logger.finalize(
      testInfo.status === 'passed' ? 'PASSED' : 'FAILED'
    );
  },
  apiClient: async ({ loggedRequest }, use) => {
    await use(new ApiClient(loggedRequest));
  },
});

No changes to your controllers, clients, or test files.

Add the Reporter (recommended)

Add the reporter to playwright.config.ts for automatic log merging and summary:

// playwright.config.ts
import { defineConfig } from '@playwright/test';

export default defineConfig({
  reporter: [
    ['list'],
    ['playwright-api-logger/reporter']
  ],
  // ...
});

The reporter will:

  • Auto-merge related log files from beforeAll + test + afterAll into one structured document. For merge to work, log files must have test.file and test.titlePath (≥3 elements). Hooks don't receive testInfo — pass these manually, e.g. via withApiLogging(request, { sharedKey, testFile, titlePath, context }).
  • Print summary after the test run (number of log files, total API requests, duration)
  [playwright-api-logger] 5 log files, 23 API requests (4.2s)
  [playwright-api-logger] Logs: /path/to/project/logs

Reporter options:

['playwright-api-logger/reporter', {
  logDirectory: 'custom-logs',  // default: 'logs'
  merge: true,                  // auto-merge related files (default: true)
  printSummary: true,           // print summary at end (default: true)
}]

Merge with beforeAll/afterAll hooks

Two patterns:

A) Reporter merge — separate loggers produce separate files; Reporter merges them when they share testFile and titlePath (≥3 elements). Each logger (including in hooks) must set these:

test.beforeAll(async ({ request }) => {
  const logged = withApiLogging(request, {
    testName: 'Setup',
    testFile: 'tests/api/users.spec.ts',
    titlePath: ['', 'Users API', 'Setup'],
    context: 'preconditions',
  });
  // ... use logged, finalize in afterAll
});

B) sharedKey — one logger instance shared across hooks + test via getSharedLogger / LoggerRegistry. Produces one file per group; Reporter merge is not used.

With preconditions and step descriptions

Expose loggedRequest as a fixture to access the logger in tests:

// fixtures.ts
export const test = base.extend({
  loggedRequest: async ({ request }, use, testInfo) => {
    const logged = withApiLogging(request, testInfo);
    await use(logged);
    logged.__logger.finalize(
      testInfo.status === 'passed' ? 'PASSED' : 'FAILED'
    );
  },
  apiClient: async ({ loggedRequest }, use) => {
    await use(new ApiClient(loggedRequest));
  },
});
// test file
test('GET Without token (401)', async ({ apiClient, loggedRequest }) => {
  const logger = loggedRequest.__logger;

  // Mark following calls as preconditions
  logger.startPreconditions();
  logger.describe('Get employee ID for test');
  const employees = await apiClient.getEmployees({ page: 1, size: 1 });
  const employeeId = employees.items[0].id;

  // Switch to test steps
  logger.startTest();
  logger.describe('Get children without auth token');
  const response = await apiClient.getChildrenWithoutAuth(employeeId);
  expect(response.status).toBe(401);
});

Enable via environment variable

# .env
API_LOGS=false
# Run with logging enabled
API_LOGS=true npx playwright test

Try the demo (this repo)

Run the demo test to see log files in logs/:

npm run test:demo

Creates logs/demo-api-calls_*.log — inspect the structured JSON output.

Usage variants

| Variant | When to use | |---------|--------------| | Fixture | Recommended for projects — one setup, loggedRequest in every test | | Direct in test | Demo, one-off tests, custom options | | Options object | Hooks (no testInfo), custom logDirectory, sharedKey | | Factory functions | Standalone logger without request proxy (e.g. custom clients) | | LoggerRegistry | Advanced: shared logger across hooks via getSharedLogger / finalizeSharedLogger |

1. Fixture (recommended)

export const test = base.extend({
  loggedRequest: async ({ request }, use, testInfo) => {
    const logged = withApiLogging(request, testInfo);
    await use(logged);
    logged.__logger.finalize(testInfo.status === 'passed' ? 'PASSED' : 'FAILED');
  },
});

2. Direct in test

Call withApiLogging() inside the test body. Useful for demos or when you need custom options:

test('my API test', async ({ request }) => {
  const logged = withApiLogging(request, {
    testName: 'My API test',
    testFile: 'tests/api.spec.ts',
    titlePath: ['', 'API', 'my API test'],
    logDirectory: 'logs',
  });

  await logged.get('https://api.example.com/users');
  logged.__logger.finalize('PASSED');
});

3. Options instead of testInfo

Pass ApiLoggingOptions when testInfo is not available (e.g. in beforeAll/afterAll):

// Hooks don't receive testInfo — pass options manually
test.beforeAll(async ({ request }) => {
  const logged = withApiLogging(request, {
    sharedKey: 'my-suite',
    testName: 'Setup',
    testFile: 'tests/api/users.spec.ts',
    titlePath: ['', 'Users API', 'Setup'],
    context: 'preconditions',
    logDirectory: 'logs',
  });
  // ... use logged
});

4. Factory functions

Create a standalone ApiLogger without wrapping a request. Use when you have a custom API client that accepts a logger:

import { createApiLogger, createSetupLogger, createTeardownLogger } from 'playwright-api-logger';

// Test context (default)
const logger = createApiLogger('my-test');

// Preconditions context
const setupLogger = createSetupLogger('setup-test');

// Teardown context
const teardownLogger = createTeardownLogger('teardown-test');

// Use with custom client
logger.logApiCall('GET', url, headers, body, status, ...);
logger.finalize('PASSED');

5. LoggerRegistry (advanced)

For shared logger across beforeAll / test / afterAll without using withApiLogging:

import { getSharedLogger, finalizeSharedLogger } from 'playwright-api-logger';

const key = 'my-describe-block';
const logger = getSharedLogger(key, { testName: 'My Test', logDirectory: 'logs' });
// ... make API calls via your client
finalizeSharedLogger(key, 'PASSED');

Or use sharedKey in withApiLogging — it uses LoggerRegistry internally.

Log Output

One structured JSON document per test:

logs/
  get-without-token-401_2026-03-16T18-33-03.log
  create-employee_2026-03-16T18-35-10.log

Example log:

{
  "test": {
    "name": "GET Without token (401)",
    "file": "tests/api/employees/children.spec.ts",
    "titlePath": ["", "GET /api/v1/employees/{id}/children", "GET Without token (401)"],
    "startedAt": "2026-03-16T18:33:03.654Z",
    "finishedAt": "2026-03-16T18:33:04.300Z",
    "duration": 646,
    "result": "PASSED"
  },
  "preconditions": [
    {
      "step": 1,
      "description": "Get employee ID for test",
      "timestamp": "2026-03-16T18:33:04.174Z",
      "request": {
        "method": "GET",
        "url": "https://api.example.com/employees?page=1&size=1"
      },
      "response": {
        "status": 200,
        "body": { "items": [{ "id": "abc-123" }], "total": 27 }
      },
      "duration": 501,
      "curl": "curl -X GET 'https://api.example.com/employees?page=1&size=1' -H 'Accept: application/json'"
    }
  ],
  "steps": [
    {
      "step": 1,
      "description": "Get children without auth token",
      "timestamp": "2026-03-16T18:33:04.242Z",
      "request": {
        "method": "GET",
        "url": "https://api.example.com/employees/abc-123/children"
      },
      "response": {
        "status": 401,
        "body": { "detail": "Not authenticated" }
      },
      "duration": 67,
      "curl": "curl -X GET 'https://api.example.com/employees/abc-123/children'"
    }
  ],
  "teardown": [],
  "summary": {
    "totalRequests": 2,
    "preconditions": 1,
    "testSteps": 1,
    "teardown": 0,
    "totalDuration": 568
  }
}

API Reference

withApiLogging(request, testInfoOrOptions?)

Main integration point. Wraps APIRequestContext with a Proxy that logs all HTTP calls.

Arguments:

  • request — Playwright APIRequestContext
  • testInfoOrOptionsTestInfo (auto-extracts title, file, titlePath) or ApiLoggingOptions
// With testInfo (from fixture)
const loggedRequest = withApiLogging(request, testInfo);

// With options (hooks, custom config)
const loggedRequest = withApiLogging(request, {
  testName: 'My Test',
  testFile: 'tests/api.spec.ts',
  titlePath: ['', 'Suite', 'My Test'],
  logDirectory: 'logs',
  sharedKey: 'my-suite',  // for beforeAll/test/afterAll
});

loggedRequest.__logger  // access the ApiLogger instance

ApiLogger — context & description

| Method | Description | |--------|-------------| | describe(text) | Set description for the next API call | | startPreconditions() | Following calls → preconditions section | | startTest() | Following calls → steps section | | startTeardown() | Following calls → teardown section | | setContext(ctx) | Set context directly ('preconditions' / 'test' / 'teardown') | | finalize(result, info?) | Write structured JSON document to file | | isEnabled() | Check if logging is active | | getLogFilePath() | Get current log file path |

ApiLoggerReporter — Playwright Reporter

Auto-merges related log files and prints summary. Add to playwright.config.ts:

reporter: [['list'], ['playwright-api-logger/reporter']]

| Option | Default | Description | |--------|---------|-------------| | logDirectory | 'logs' | Directory for log files | | merge | true | Auto-merge related log files by describe block | | printSummary | true | Print API request summary after test run |

CurlGenerator

| Method | Description | |--------|-------------| | CurlGenerator.generate(requestData, maskAuth?) | Generate curl command string |

Configuration

| Env Variable | Default | Description | |-------------|---------|-------------| | API_LOGS | false | Set to 'true' to enable logging |

ApiLoggingOptions

{
  testName?: string;        // Test name (default: 'unknown-test')
  testFile?: string;        // Test file path
  titlePath?: string[];     // Test hierarchy path (auto-detected from testInfo)
  context?: LogContext;     // 'preconditions' | 'test' | 'teardown'
  logDirectory?: string;    // Custom log dir (default: 'logs/')
  maskAuthTokens?: boolean; // Mask auth headers (default: true)
  logger?: ApiLogger;       // Reuse existing logger instance
  sharedKey?: string;      // Same key in beforeAll/test/afterAll → one log file
}

Factory functions

| Function | Description | |----------|-------------| | createApiLogger(testName, contextOrConfig?) | Create logger with test context. Second arg: LogContext ('preconditions'|'test'|'teardown') or Partial<LoggerConfig> (e.g. { logDirectory }) | | createSetupLogger(testName, config?) | Create logger with preconditions context. Optional config (e.g. { logDirectory }) | | createTeardownLogger(testName, config?) | Create logger with teardown context. Optional config (e.g. { logDirectory }) |

LoggerRegistry

| Function | Description | |----------|-------------| | getSharedLogger(key, config) | Get or create shared logger by key | | finalizeSharedLogger(key, result, info?) | Write log and remove from registry | | hasSharedLogger(key) | Check if logger exists | | removeSharedLogger(key) | Remove without finalizing |

Migration from v1 → v2

- // v1: manual logger setup in controllers and clients
- const logger = createApiLogger(testInfo.title);
- apiClient.setApiLogger(logger);

+ // v2: one line, structured logs with sections
+ const loggedRequest = withApiLogging(request, testInfo);
+ const apiClient = new ApiClient(loggedRequest);

License

MIT