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

@othree.io/journal

v2.0.0

Published

Journal

Readme

@othree.io/journal

Automatic input/output logging for TypeScript functions. Wrap any function with logIO or logIOAsync to get structured logging of arguments, return values, errors, and durations without manual console.log statements.

Includes built-in PII redaction and a pre-configured Winston logger.

Install

npm install @othree.io/journal

Peer dependencies:

npm install @othree.io/scribe @othree.io/optional winston logform fast-redact

The package ships as dual CJS/ESM. Node's exports field resolves require() to CommonJS and import to ES modules automatically.

Usage

Wrapping a synchronous function

import { logIO } from '@othree.io/journal'

const add = (a: number, b: number) => a + b

const loggedAdd = logIO({
    now: Date.now,
    log: console.log,
    logError: console.error
})(add)('add')

const result = loggedAdd(2, 3)
// Logs: ["add::Input", 2, 3]
// Logs: ["add::Output", 5, "add::Output::Finished in 1ms"]

result.get() // 5

logIO returns an Optional<T>. Errors thrown by the wrapped function are captured rather than re-thrown:

const riskyFn = (x: number) => {
    if (x < 0) throw new Error('negative')
    return x * 2
}

const result = logIO({
    now: Date.now,
    log: console.log,
    logError: console.error
})(riskyFn)('riskyFn')(-1)
// Logs: ["riskyFn::Input", -1]
// Logs: "riskyFn::Error"
// Logs: Error('negative')
// Logs: "riskyFn::Error::Failed in 0ms"

result.isPresent  // false
result.getError() // Error('negative')

Wrapping an async function

import { logIOAsync } from '@othree.io/journal'

const fetchUser = async (id: string) => { /* ... */ }

const loggedFetch = logIOAsync({
    now: Date.now,
    log: console.log,
    logError: console.error
})(fetchUser)('fetchUser')

const result = await loggedFetch('user-123')
result.get() // the user object

Controlling what gets logged

Pass a LoggingProps object as the second argument to the context:

const loggedFn = logIO({ now, log, logError })(fn)('myFn', {
    logInput: true,
    logOutput: false,
    logErrors: true
})

Custom log format

Pass a LogFormat object in the deps to customize log labels:

import { logIO, LogFormat } from '@othree.io/journal'

const format: LogFormat = {
    inputLabel: (context) => `[${context}] IN`,
    outputLabel: (context) => `[${context}] OUT`,
    outputDurationLabel: (context, durationMs) => `[${context}] OUT took ${durationMs}ms`,
    errorLabel: (context) => `[${context}] ERR`,
    errorDurationLabel: (context, durationMs) => `[${context}] ERR took ${durationMs}ms`
}

const loggedFn = logIO({
    now: Date.now,
    log: console.log,
    logError: console.error,
    format
})(myFn)('myFn')
// Logs: ["[myFn] IN", ...args]
// Logs: ["[myFn] OUT", result, "[myFn] OUT took 5ms"]

Redacting log wrapper

For non-Winston use cases, wrap any log function with redaction using withRedactingLog:

import { withRedactingLog, withRedaction } from '@othree.io/journal'
import fastRedact from 'fast-redact'

const redact = withRedaction({ env: process.env, fastRedact })({
    type: 'Regex',
    regexes: []
})

const redactingLog = withRedactingLog(redact)(console.log)

redactingLog({ email: '[email protected]', name: 'John' })
// Logs: { email: 'REDACTED_EMAILADDRESS', name: 'John' }

Winston logger with redaction

Create a Winston logger that automatically redacts PII from log messages:

import { winston, withRedaction } from '@othree.io/journal'
import fastRedact from 'fast-redact'

const logger = winston.createWinstonLogger({
    consoleOutput: console,
    withRedaction: withRedaction({
        env: process.env,
        fastRedact: fastRedact
    })
})('my-service', 'info', {
    type: 'Regex',
    regexes: []
})

logger.info({ email: '[email protected]', name: 'John' })
// Output: {"level":"info","message":{"email":"REDACTED_EMAILADDRESS","name":"John"},"service":"my-service"}

Convenience Winston factory

For quick setup without manually wiring dependencies:

import { createDefaultWinstonLogger } from '@othree.io/journal'

const logger = createDefaultWinstonLogger(console)('my-service', 'info', {
    type: 'Regex',
    regexes: []
})

logger.info({ email: '[email protected]' })

Regex redaction

Redacts values matching built-in patterns (credit cards, emails, phone numbers, SSNs, IP addresses, street addresses, usernames, passwords, credentials) plus any custom regexes you provide:

const logger = winston.createWinstonLogger({
    consoleOutput: console,
    withRedaction: withRedaction({ env: process.env, fastRedact })
})('my-service', 'info', {
    type: 'Regex',
    regexes: [],           // additional custom regexes
    replacement: 'HIDDEN'  // optional, defaults to 'REDACTED'
})

Path redaction

Redacts specific object paths using fast-redact:

const logger = winston.createWinstonLogger({
    consoleOutput: console,
    withRedaction: withRedaction({ env: process.env, fastRedact })
})('my-service', 'info', {
    type: 'Path',
    paths: ['password', 'user.ssn']
})

Bypass redaction

Pass { JOURNAL_REDACT_BYPASS: 'true' } in the env dependency of withRedaction to disable all redaction (useful for local development):

const logger = winston.createWinstonLogger({
    consoleOutput: console,
    withRedaction: withRedaction({
        env: { JOURNAL_REDACT_BYPASS: 'true' },
        fastRedact
    })
})('my-service', 'info')

API

logIO(deps)(fn)(context, loggingProps?)

Wraps a synchronous function with automatic I/O logging.

| Parameter | Type | Description | |---|---|---| | deps.now | () => number | Clock function for duration measurement (e.g. Date.now) | | deps.log | (entry: unknown) => void | Logger for input/output entries | | deps.logError | (entry: unknown) => void | Logger for error entries | | deps.format | LogFormat | Optional. Custom label format (default: Context::Input / ::Output / ::Error) | | fn | (...args) => T | The function to wrap | | context | string | Label used in log messages | | loggingProps | LoggingProps | Optional. Controls which phases are logged (default: all true) |

Returns: (...args) => Optional<T>

logIOAsync(deps)(fn)(context, loggingProps?)

Same as logIO but for async functions. Returns (...args) => Promise<Optional<T>>.

LogFormat

Custom label format for log messages.

| Property | Type | Description | |---|---|---| | inputLabel | (context: string) => string | Label for input log entries | | outputLabel | (context: string) => string | Label for output log entries | | outputDurationLabel | (context: string, durationMs: number) => string | Duration label for output entries | | errorLabel | (context: string) => string | Label for error log entries | | errorDurationLabel | (context: string, durationMs: number) => string | Duration label for error entries |

withRedactingLog(redact)(log)

Wraps a log function with redaction.

| Parameter | Type | Description | |---|---|---| | redact | Redact | A redaction function (from withRedaction or noRedaction) | | log | (entry: unknown) => void | The log function to wrap |

Returns: (entry: unknown) => void

createDefaultWinstonLogger(consoleOutput)(service, level, redactOptions?)

Convenience factory that creates a Winston logger with real dependencies (process.env, fast-redact) pre-wired.

| Parameter | Type | Description | |---|---|---| | consoleOutput | ConsoleOutput | Object with log, debug, info, warn, error methods | | service | string | Service name included in log metadata | | level | string | Minimum log level (debug, info, warn, error, etc.) | | redactOptions | RedactorOptions | Optional. Regex or path-based redaction config |

winston.createWinstonLogger(deps)(service, level, redactOptions?)

Creates a Winston logger with JSON formatting, error stack traces, and optional PII redaction.

| Parameter | Type | Description | |---|---|---| | deps.consoleOutput | ConsoleOutput | Object with log, debug, info, warn, error methods | | deps.withRedaction | (redactOptions?) => Redact | Redaction factory (see withRedaction) | | service | string | Service name included in log metadata | | level | string | Minimum log level (debug, info, warn, error, etc.) | | redactOptions | RedactorOptions | Optional. Regex or path-based redaction config |

withRedaction(deps)(redactOptions?)

Creates a redaction function based on the provided options.

| Parameter | Type | Description | |---|---|---| | deps.env | { JOURNAL_REDACT_BYPASS?: string } | Environment variables for bypass control | | deps.fastRedact | (opts) => (data) => string | The fast-redact library function | | redactOptions | RedactorOptions | Optional. Regex or path-based redaction config |

Returns: Redact — a function (data: any) => any

Development

npm install
npm test                    # run tests
npx vitest run --coverage   # run tests with coverage
npm run build               # compile TypeScript

License

ISC