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

@stonecrop/stonecrop

v0.10.12

Published

Schema-driven framework with XState workflows and HST state management

Readme

Stonecrop

This package is under active development / design.

Features

  • Hierarchical State Tree (HST): Advanced state management with tree navigation
  • Operation Log: Global undo/redo with time-travel debugging, automatic FSM transition tracking, and action execution tracking
  • Action Tracking: Audit trail for stateless action executions (print, email, archive, etc.)
  • Field Triggers: Event-driven field actions integrated with XState
  • VueUse Integration: Leverages battle-tested VueUse composables for keyboard shortcuts and persistence

Installation & Usage

Vue Plugin Installation

import { createApp } from 'vue'
import Stonecrop from '@stonecrop/stonecrop'
import router from './router'

const app = createApp(App)

// Install the Stonecrop plugin
app.use(Stonecrop, {
  router,

  // Lazy-load doctype metadata from your API given the current route context.
  // routeContext = { path, segments } — adapt segments to your doctype naming.
  getMeta: async ({ segments }) => {
    return await fetchDoctypeMeta(segments[0])
  },

  // Optional: replace the default REST fetch() stub with your own transport.
  // When provided, Stonecrop.getRecord() calls this instead of fetch(`/${slug}/${id}`).
  fetchRecord: async (doctype, id) => {
    return await myApiClient.getRecord(doctype, id)
  },

  // Optional: replace the default REST fetch() stub for lists.
  fetchRecords: async (doctype) => {
    return await myApiClient.getRecords(doctype)
  },
})

app.mount('#app')

Plugin Options

| Option | Type | Description | |--------|------|-------------| | router | Router | Vue Router instance. Required for route-based doctype resolution. | | getMeta | (ctx: RouteContext) => Doctype \| Promise<Doctype> | Lazy-loads doctype metadata for the current route. ctx has path and segments. | | fetchRecord | (doctype, id) => Promise<Record \| null> | Injectable replacement for Stonecrop.getRecord()'s default REST fetch. Use this to plug in GraphQL or any other transport. | | fetchRecords | (doctype) => Promise<Record[]> | Injectable replacement for Stonecrop.getRecords()'s default REST fetch. | | components | Record<string, Component> | Additional Vue components to register globally. | | autoInitializeRouter | boolean | Call onRouterInitialized automatically after mount. Default: false. | | onRouterInitialized | (registry, stonecrop) => void | Callback invoked after plugin install + mount. Receives the Registry and Stonecrop instances. |

Available Imports

// Default export - Vue plugin (install with app.use)
import StonecropPlugin from '@stonecrop/stonecrop'

// Named exports - utilities and classes
import {
  Stonecrop,       // Core orchestration class
  Registry,        // Doctype registry (singleton)
  Doctype,         // Doctype definition class
  useStonecrop,    // Vue composable — primary integration point
  HST,             // HST store class
  createHST,       // HST factory function
} from '@stonecrop/stonecrop'

Using the Composable

import { useStonecrop } from '@stonecrop/stonecrop'

export default {
  setup() {
    // Base mode — operation log only, no HST record loading
    const { stonecrop, operationLog } = useStonecrop()

    // HST mode — pass Doctype instance and optional recordId
    const { stonecrop, formData, provideHSTPath, handleHSTChange } = useStonecrop({
      doctype: myDoctype,
      recordId: 'record-123', // omit or pass undefined for new records
    })

    // HST mode with lazy-loading — pass string doctype slug
    // Automatically loads doctype via registry.getMeta if not in registry
    const { isLoading, error, resolvedDoctype, formData } = useStonecrop({
      doctype: 'plan',
      recordId: 'record-123',
    })

    // Access HST store
    const store = stonecrop.value?.getStore()

    // Work with records directly
    const record = stonecrop.value?.getRecordById('doctype', recordId)

    return { stonecrop, formData }
  }
}

String Doctype Lazy-Loading

When you pass a string doctype slug instead of a Doctype instance, useStonecrop will:

  1. Check if the doctype is already in the Registry
  2. If not, call registry.getMeta to lazy-load it
  3. Return isLoading, error, and resolvedDoctype refs for handling the async state
const { isLoading, error, resolvedDoctype, formData } = useStonecrop({
  doctype: 'plan',  // string slug - triggers lazy-loading
  recordId: '123',
})

// In your template:
// <div v-if="isLoading">Loading doctype...</div>
// <div v-else-if="error">Error: {{ error.message }}</div>
// <AForm v-else :schema="resolvedDoctype.schema" v-model:data="formData" />

This pattern eliminates the timing mismatch when loading doctypes asynchronously in Nuxt plugins.

Design

A Doctype defines schema, workflow, and actions.

  • Schema describes the data model and field layout — used by AForm for rendering.
  • Workflow is an XState machine config expressing the states and transitions a record can go through.
  • Actions are an ordered map of named functions, triggered by field changes (lowercase keys) or FSM transitions (UPPERCASE keys).
  • Registry is the singleton catalog — all doctypes live here. Optional Vue Router integration allows automatic route creation per doctype.
  • Stem/useStonecrop() is the Vue composable that wires components to HST and provides formData, provideHSTPath, handleHSTChange, and the operation log API.

The data model is two operations: get data and run actions. There is no CRUD. Records change state through FSM transitions; those transitions have side effects (persistence, notifications, etc.) defined in action handlers registered by the application. The framework provides the pipeline; applications define what actions exist and what they do.

HST path structure:

doctype.recordId.fieldname        // e.g. plan.abc-123.title
doctype.recordId.nested.field     // deep nesting supported

Hierarchical State Tree (HST) Interface Requirements

Core Requirements

1. Data Structure Compatibility

  • Vue Reactive Objects: Must work seamlessly with reactive(), ref(), and computed() primitives
  • Pinia Store Integration: Compatible with both Options API and Composition API Pinia stores
  • Immutable Objects: Support for frozen/immutable configuration objects without breaking reactivity

2. Path-Based Addressing System

  • Dot Notation: Full support for dot-notation paths (e.g., "users.123.profile.settings")
  • Dynamic Paths: Support for programmatically generated path strings (particularly component to HST)

3. Hierarchical Navigation

  • Parent/Child Relationships: Maintain bidirectional parent-child references
  • Sibling Access: Efficient navigation between sibling nodes
  • Root Access: Always accessible reference to tree root from any node
  • Depth Tracking: Know the depth level of any node in the hierarchy
  • Breadcrumb Generation: Generate full path breadcrumbs for any node