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

@vue-modeler/dc

v3.0.1

Published

Dependency container based on VUE effected scope and shared composable.

Readme

Dependency container for VUE

test

Version Compatibility

| @vue-modeler/dc | Vue | |----------------|-----| | 3.x.x | ^3.0.0 | | 2.x.x | ^2.7.0 |

Note: Version 3.x.x introduces breaking changes and requires Vue 3. For Vue 2 support, use version 2.x.x.

Overview

Plugin implements a lightweight dependency container for Vue applications based on the effectScope API. Similar to VueUse's createSharedComposable, but with enhanced instance management.

Key Features

  • 🗑️ Automatic cleanup when instances are not in use
  • 💾 Optional persistent instances that survive scope disposal
  • 📦 SSR compatible: includes ssr state service to collect and serialize states for further transfer to the client
  • 🔒 Type Safe
  • 🪶 Lightweight
  • 🎯 Simple API
  • 🔄 Supports sharing any data type
  • ✨ Single responsibility principle compliant

Why Use This?

Modern applications (PWA, SPA) often need to share instances across:

  • Components on the same page
  • Different routes/pages
  • Device-specific implementations (mobile/desktop)

This plugin:

  • simplifies instance sharing
  • helps separate business logic from view logic, enabling proper Domain-Driven Design (DDD) architecture.
  • helps to create persistent instances which will not be disposed when the component is unmounted
  • provides direct access to the container instance by $vueModelerDc property of the Vue instance

Important Notes:

  1. The container manages instance scope, not state
  2. SSR compatible, but doesn't handle state transfer from server to client

Installation

Install Package

# For Vue 3
npm install @vue-modeler/dc@^3.0.0

# For Vue 2
npm install @vue-modeler/dc@^2.0.0

Vue 3 Setup

import { createApp } from 'vue'
import { vueModelerDc } from '@vue-modeler/dc'

const app = createApp(App)
app.use(vueModelerDc)
app.mount('#app')

Vue 2 Setup

import Vue from 'vue'
import { vueModelerDc } from '@vue-modeler/dc'

Vue.use(vueModelerDc)

new Vue({
  // your app configuration
}).$mount('#app')

Basic Usage

Define provider

Create a provider using provider:

import { provider } from '@vue-modeler/dc'

const useDependency = provider(() => {
  // Your factory function
  return {
    // Instance data/methods
  }
})

Usage in Components

<template>
  <div>{{ model.state }}</div>
</template>

<script setup lang="ts">
import { useDependency } from '@/providers/myDependency'

const model = useDependency()
</script>

Persistent Instances

You can create persistent instances that won't be disposed when all scopes are stopped. This is useful for services that need to maintain their state throughout the application lifecycle:

const usePersistentService = provider(
  () => new MyService(), // Factory function
  { persistentInstance: true }, // Options
)

Key features of persistent instances:

  • Instance remains in container after all scopes are disposed
  • State is preserved between different component mounts
  • Nested providers inside persistent provider also become persistent
  • Useful for global services, caches, or state managers

Example with nested providers:

// Nested provider becomes persistent when used inside persistent provider
const useNestedService = provider(() => new NestedService())

const usePersistentService = provider(
  () => new MainService(useNestedService()), // nested service will be persistent
  { persistentInstance: true },
)

Note: Use persistent instances carefully as they won't be automatically cleaned up by the container.

SSR

In example below we use default SsrStateService and provider. But you can implement your own SsrStateService and use it absolutely the same way.

1. Create isomorphic model

Any models whitch use ssr state service should be isomorphic. It means that model should be able:

  • on server to serialize state to transfer to client
  • on client to extract state from server and set it as default value for state ref.
class MyIsomorphicModel {
  protected _state: ShallowRef<Record<string, unknown>>

  constructor(
    private api: Api,
    private ssrStateService: SsrStateService,
  ) {
    // Extract state catched from server and set it as default value for state ref.
    const stateFromServer = ssrStateService.extractState<Record<string, unknown>>('myModelState')
    this._state = shallowRef(stateFromServer || {})
    
   
    // Add serializer for SSR. It will be called when state is serialized
    this.ssrStateService.addSerializer(() => ({
      extractionKey: 'myModelState',
      value: this._state.value,
    }))

    // ...
  }

  get state(): Readonly<Record<string, unknown>> {
    return this._state.value
  }

  async initialize(): Promise<void> {
    if (stateFromServer) {
      return
    }

    this._state.value = await this.api.fetchState()
    // ...
  }
}

2. Use isomorphic model in component

<template>
  <div>{{ model.state }}</div>
</template>

<script setup lang="ts">
import { useMyIsomorphicModel } from '@/providers/myIsomorphicModel'

const model = useMyIsomorphicModel()

onServerPrefetch(async () => {
  // component is rendered as part of the initial request
  // pre-fetch data on server as it is faster than on the client
  await model.initialize()
})
</script>

3. Serialize state for SSR

Usually there is the server entry file where app executes state hydration.

To serialize state for SSR, use useSsrState.asKey to get ssr state service instance. Don't use useSsrState provider directly. This may cause an error, because in that place you are out of Vue application scope.

// somewhere in your server entry file
import { useSsrState } from '@vue-modeler/dc'

function ssrHydration(ctx: Context): void {
  // get ssr state service instance
  const ssrStateService = app.$vueModelerDc.get(useSsrState.asKey).instance

  // inject state to ctx.state
  ctx.state = ssrStateService.injectState(ctx.state)
}

4. Restore state on client

On client side state will be restored from __INITIAL_STATE__ variable automatically inside SsrStateService constructor.

In example above inside constructor of MyIsomorphicModel we have use ssrStateService to restore model state from server.

5. Create your own SsrStateService

You can create your own SsrStateService and use it absolutely the same way.

// ... my-ssr-state-service.ts
import { SsrStateService } from '@vue-modeler/dc'

class MySsrStateService extends SsrStateService {
  constructor() {
    super()
    this.isServer = true
  }
}

// ... somewhere dc/ssr-state-service.ts
const useMySsrStateService = provider(() => new MySsrStateService())

// somewhere in your server entry file
import { useMySsrStateService } from './src/dc/ssr-state-service'

function ssrHydration(ctx: Context): void {
  // get ssr state service instance
  const ssrStateService = app.$vueModelerDc.get(useMySsrStateService.asKey).instance

  // inject state to ctx.state
  ctx.state = ssrStateService.injectState(ctx.state)
}

Best Practices

1. Possible File Organization

src/
  ├── application/         # Business logic
  │   ├── models/          # Domain models
  │   └── services/        # Business services
  ├── infrastructure/      # External services, APIs
  └── providers/           # Container providers

2.Example Implementation

// infrastructure/api.ts
export const api = {
  fetchState(): Promise<Record<string, unknown>> {
    // Simulating API call with timeout
    return new Promise((resolve) => {
      setTimeout(() => {
        resolve({ someField: 'someValue' })
      }, 1000)
    })
  }
}

// application/models/MyModel.ts
import { shallowRef, type ShallowRef } from 'vue'

interface Api {
  fetchState(): Promise<Record<string, unknown>>
}

export class MyModel {
  private state: ShallowRef<Record<string, unknown>>

  constructor(private api: Api) {
    this.state = shallowRef({})
    this.initialize()
  }

  private async initialize(): Promise<void> {
    this.state.value = await this.api.fetchState()
  }

  destroy(): void {
    this.state.value = {}
  }
}

// providers/myProvider.ts
import { provider } from '@vue-modeler/dc'
import { MyModel } from '@/application/models/MyModel'
import { api } from '@/infrastructure/api'

export const useMyModel = provider(() => new MyModel(api))