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

@syrup-js/core

v0.0.3

Published

A TypeScript decorator-based ORM-like library for seamless data synchronization between local and remote stores. Perfect for building local-first applications with optimistic UI updates and robust error recovery.

Downloads

9

Readme

🍯 syrup-js

A TypeScript decorator-based ORM-like library for seamless data synchronization between local and remote stores. Perfect for building local-first applications with optimistic UI updates and robust error recovery.

Features

  • 📱 Local-First Architecture: Built for modern web apps that need to work offline and provide instant feedback
  • 🔄 Automatic Synchronization: Handles data syncing between local and remote stores
  • 🎯 Optimistic Updates: Implements optimistic UI patterns for better user experience
  • 🛡️ Type-Safe: Full TypeScript support with decorator-based configuration
  • ⚡ Efficient: Batches sync operations with configurable delays
  • 🔄 State Management: Built-in sync state tracking with error recovery
  • 🚀 Easy to Use: Simple decorator-based API for quick implementation

Installation

npm install @syrup-js/core
# or
yarn add @syrup-js/core
# or
pnpm add @syrup-js/core

Quick Start

  1. Define your entity:
import { Entity, entity, sync } from '@syrup-js/core';

@entity({
	endpoint: '/api/users' // REST endpoint for sync
})
class User extends Entity {
	@sync()
	name: string;

	@sync()
	email: string;

	@sync({ local: true }) // Won't be synced to server
	lastLocalUpdate: Date;

	constructor(name: string, email: string) {
		super();
		this.name = name;
		this.email = email;
		this.lastLocalUpdate = new Date();
	}
}
  1. Use your entity:
// Create a new user
const user = new User('John Doe', '[email protected]');

// Changes are automatically tracked and synced
user.name = 'John Smith';

// Check sync status
console.log(user.sync.status); // 'pending', 'synced', 'error'

Core Concepts

Entities

All syncable entities must extend the Entity base class and be decorated with @entity(). This provides:

  • Automatic sync state management
  • Serialization utilities
  • ID management
  • Error tracking

Decorators

@entity(config?)

Class decorator that marks a class as syncable. Configuration options:

interface EntityConfig<T> {
	endpoint?: string; // REST API endpoint
	createFn?: (entity: T) => Promise<void>; // Custom create function
	updateFn?: (entity: T) => Promise<void>; // Custom update function
	debug?: boolean; // Enable detailed logging
}

@sync(options?)

Property decorator that marks fields for synchronization:

interface SyncOptions {
	local?: boolean; // If true, property won't be synced to server
}

Sync States

Entities move through four possible states:

  • required: Initial state, sync needed
  • pending: Sync in progress
  • synced: Successfully synchronized
  • error: Sync failed (includes error details)

State Machine Diagram

The following diagram illustrates the sync state transitions:

stateDiagram-v2
    [*] --> Required: Entity Created
    Required --> Pending: Sync Initiated
    Pending --> Synced: Sync Success
    Pending --> Error: Sync Failed
    Error --> Pending: Retry Sync
    Synced --> Pending: Property Changed

    note right of Required
        Initial state for new entities
        or after major changes
    end note

    note right of Pending
        Entity queued for sync
        Changes batched with delay
    end note

    note right of Synced
        Successfully synced
        with remote store
    end note

    note right of Error
        Contains error details:
        - Network errors
        - Validation errors
        - Server errors
    end note

Sync Process Flow

This diagram shows the complete sync process including hooks and error handling:

sequenceDiagram
    participant C as Client
    participant Q as Sync Queue
    participant H as Hooks
    participant R as Remote Store

    Note over C: Property Changed
    C->>Q: Enqueue Entity
    activate Q
    Note over Q: Wait for batch delay

    Q->>H: Execute beforeSync
    activate H
    H-->>Q: Hooks Complete
    deactivate H

    Q->>R: Sync to Remote
    activate R

    alt Sync Success
        R-->>Q: Success Response
        Q->>H: Execute afterSync
        activate H
        H-->>Q: Hooks Complete
        deactivate H
        Q->>C: Update State to Synced
    else Sync Error
        R-->>Q: Error Response
        Q->>H: Execute onError
        activate H
        H-->>Q: Hooks Complete
        deactivate H
        Q->>C: Update State to Error
    end

    deactivate R
    deactivate Q

Architecture

Component Relationships

The following class diagram shows the key components and their relationships:

classDiagram
    class Entity {
        +string id
        +SyncState sync
        +serialize()
    }

    class SyncState {
        +string status
        +number lastAttempt
        +number lastSuccess
        +SyncError error
        +SyncTransition[] transitions
    }

    class SyncQueue {
        -Map queue
        -number delay
        +enqueue(entity)
        +processQueue()
        -scheduleProcessing()
    }

    class EntityConfig {
        +string endpoint
        +function createFn
        +function updateFn
        +boolean debug
    }

    class SyncError {
        +string type
        +string message
        +number timestamp
        +any details
    }

    Entity "1" -- "1" SyncState: has
    Entity "0..*" -- "1" SyncQueue: managed by
    Entity "0..*" -- "1" EntityConfig: configured by
    SyncState "1" -- "0..1" SyncError: contains

Sync Decision Flow

This flowchart illustrates how syrup-js makes decisions about sync operations:

flowchart TD
    A[Property Changed] --> B{Is Local Only?}
    B -->|Yes| C[Skip Sync]
    B -->|No| D{Current State?}

    D -->|Required/Error| E[Create Operation]
    D -->|Synced| F[Update Operation]
    D -->|Pending| G[Already Queued]

    E --> H{Has Endpoint?}
    F --> H

    H -->|Yes| I[Use REST API]
    H -->|No| J{Has Custom Fn?}

    J -->|Yes| K[Use Custom Function]
    J -->|No| L[Throw Config Error]

    I --> M[Queue Operation]
    K --> M

    M --> N{Queue Size?}
    N -->|1| O[Process Immediately]
    N -->|>1| P[Batch with Delay]

Error Handling

Comprehensive error types for different scenarios:

// Network errors (including offline detection)
interface NetworkError {
	type: 'network';
	message: string;
	offline?: boolean;
	timestamp: number;
}

// Validation errors
interface ValidationError {
	type: 'validation';
	message: string;
	fields: Record<string, string[]>;
	timestamp: number;
}

// Server errors
interface ServerError {
	type: 'server';
	message: string;
	code: number;
	timestamp: number;
	details?: Record<string, unknown>;
}

Example error handling:

if (user.sync.status === 'error') {
	const error = user.sync.error;

	switch (error.type) {
		case 'network':
			if (error.offline) {
				// Handle offline scenario
			}
			break;
		case 'validation':
			// Handle validation errors
			const fieldErrors = error.fields;
			break;
		case 'server':
			// Handle server errors
			console.error(`Server error ${error.code}: ${error.message}`);
			break;
	}
}

Advanced Usage

Custom Sync Functions

Instead of REST endpoints, you can provide custom sync functions:

@entity({
	createFn: async (user) => {
		// Custom create logic
		await api.createUser(user);
	},
	updateFn: async (user) => {
		// Custom update logic
		await api.updateUser(user);
	}
})
class User extends Entity {
	// ... entity implementation
}

Sync Queue Configuration

The sync queue batches changes with a configurable delay:

@entity({
  endpoint: '/api/users',
  queueDelay: 500  // Customize delay (default: 300ms)
})

Debug Mode

Enable detailed logging for troubleshooting:

@entity({
  endpoint: '/api/users',
  debug: process.env.NODE_ENV === 'development'
})

Best Practices

  1. Error Handling

    • Always implement error handling for sync operations
    • Use structured error types for better error management
    • Test offline scenarios and network failures
  2. Performance

    • Configure appropriate queue delays based on your use case
    • Use local-only properties for data that doesn't need syncing
    • Be mindful of network requests in your sync functions
  3. Type Safety

    • Use TypeScript for better development experience
    • Leverage type checking for sync states and errors
    • Define proper interfaces for your entities
  4. State Management

    • Monitor sync states for proper error handling
    • Use state transitions appropriately
    • Implement retry logic for failed syncs

Use Cases

syrup-js is particularly well-suited for:

  1. Collaborative Applications

    • Real-time document editors
    • Project management tools
    • Team collaboration platforms
    • Any app requiring immediate feedback with background sync
  2. Offline-First Applications

    • Mobile web applications
    • Progressive Web Apps (PWAs)
    • Field service applications
    • Data collection tools
  3. High-Latency Environments

    • Applications used in areas with poor connectivity
    • Systems requiring immediate user feedback
    • Applications with complex backend processing
  4. Complex Form Handling

    • Multi-step forms with draft saving
    • Applications with periodic auto-save
    • Forms with offline support
  5. Data-Heavy Applications

    • CRM systems
    • Inventory management
    • Analytics dashboards with local caching

Contributing

We welcome contributions! Please see our Contributing Guide for details.

License

MIT License - see LICENSE for details.