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 🙏

© 2024 – Pkg Stats / Ryan Hefner

ts-state-graph

v0.2.0

Published

ts-state-graph organises your application state as a graph, but stores it as a normalised pool of entities. This makes it is easier to automatically replicate state to your backend and between clients, without needing to treat it like a single document.

Downloads

4

Readme

TS State Graph

ts-state-graph organises your application state as a graph, but stores it as a normalised pool of entities. This makes it is easier to automatically replicate state to your backend and between clients, without needing to treat it like a single document.

You'll get a two way data flow that looks like

client A: frontend mutates graph -> mutates pool -> mutates server

client B: server applies mutation -> updates pool -> updates graph

Now you can build multiplayer, client first, web apps while you enjoy a relatively familiar looking API on your server, and reactive state management on your client.

This is the approach described by Linear for their client side state management when discussing their sync engine. Except they use classes and decorators, and we use runtime types and type inference. If you already use zod in your API (i.e. trpc or ts-rest) this may be a good fit for you ;)

Let's have a look. Or alternatively checkout the playground.

//describe your entities
//(if your api is already defined with zod you could reuse them here)
export const chatRoomModel = model({
  name: 'ChatRoom',
  shape: {
    id: z.string(),
    ownerId: z.string(),
  },
});

export const userModel = model({
  name: 'User',
  shape: {
    id: z.string(),
    name: z.string(),
    roomId: z.string(),
  },
});

export const messageModel = model({
  name: 'Message',
  shape: {
    id: z.string(),
    text: z.string(),
    authorId: z.string(),
    recipientId: z.string(),
    order: z.number(),
    roomId: z.string(),
  },
});

//describe relationships between your entities
const chatRoomOwnerRel = oneToOne(
  source(chatRoomModel, 'ownerId').auto(),
  target(userModel),
);

const userRoomRel = manyToOne(
  source(userModel, 'roomId').auto(),
  target(chatRoomModel).as('users'),
);

const authorRel = manyToOne(
  source(messageModel, 'authorId').auto(),
  target(userModel).as('outbox'),
);

const recipientRel = manyToOne(
  source(messageModel, 'recipientId').auto(),
  target(userModel).as('inbox'),
);

const messageRoomRel = manyToOne(
  source(messageModel, 'roomId').auto(),
  target(chatRoomModel).as('messages'),
);

//construct views by attaching relations to your entities
const messageView = view(messageModel).outgoing([
  authorRel,
  recipientRel,
  messageRoomRel,
]);

type MessageView = InferView<typeof messageView>;
/*
inferred as 
{
    id: string;
    roomId: string;
    text: string;
    authorId: string;
    recipientId: string;
    order: number;
    author: {
        id: string;
        name: string;
        roomId: string;
        
        //in reality this is a generic function, it doesn't actually 
        //know the return type untill you pass in the view. 
        //this is how we get around type inference problems 
        //with circular types
        //so the signature here is simplified
        as(view: typeof userView): UserView
    };
    recipient: {...};
    room: {...};
}
*/

const userView = view(userModel)
  .outgoing([userRoomRel])
  .incoming([authorRel, recipientRel]);
type UserView = InferView<typeof userView>;

/*
type UserView = {
    id: string;
    name: string;
    roomId: string;
    room: {
        id: string;
        ownerId: string;
        as(view: typeof chatRoomView): ChatRoomView
    };
    readonly inbox: {...}[] & { as(view: typeof messageView): MessageView[] };
    readonly outbox: {...}[] & { as(view: typeof messageView): MessageView[] };
 */
const chatRoomView = view(chatRoomModel)
  .outgoing([chatRoomOwnerRel])
  .incoming([messageRoomRel, userRoomRel])
type ChatRoomView = InferView<typeof chatRoomView>;

/*
type ChatRoomView = {
    id: string;
    ownerId: string;
    owner: {...};
    readonly users: {...}[] & { as(view: typeof userView): UserView[]};
    readonly messages: {...}[] & { as(view: typeof roomView): MessageView[] };
}
 */

//combine all your views into a graph schema
const chatRoomGraphSchema = graphSchema(chatRoomView, [userView, messageView])
  1. Instantiate a graph using the implementation of your choice.
import { OneWayGraph } from 'ts-state-graph/oneWayGraph';

const chatRoomGraph = new OneWayGraph(chatRoomGraphSchema);

The graph implementation will keep your graph coherent, traversable and reactive. Different implementations will use a different approach to state management and persistence/replication.

  1. Use it
//if using persistence make sure your graph has loaded first then access 
//or create the root
const chatRoomState = (chatRoomGraph.getRoot() ??
  chatRoomGraph.createRoot(
    {
      id: 'mainRoom',
      ownerId: 'alice',
    },
    [
      {
        name: 'User',
        entity: {
          id: 'alice',
          name: 'alice',
          roomId: 'mainRoom',
        },
      },
    ],
  ));


//traverse through entities
root.owner.as(userView).inbox[0].as(messageView).author.name // -> type string 

Graph Implementations

ts-state-graph can support different graph implementations, where an implementation can control how the type of a view is inferred by exporting their own source and target functions. The example above works with ValtioGraph.

Different implementations will have a big impact on how your frontend is written, so you can't just swap them out whenever you feel. It's more so that you (or your community) can write a graph implementation for your favourite state management library.

The natural fit is mutable state with observables (or signals or whatever you want to call them). It's probably possible to do it with immutable objects if you resolve references at the point of traversal, and use something like immer to track changes, or calculate diffs separately.

We currently support two full graph implementations. ValtioGraph and ObservableGraph (uses legend-state)

Valtio Graph

The ValtioGraph implementation uses valtio. It's attractive because of its simplicity. It can be used as in the example above.

Import source and target from legendState in your graph schema file

import { source, target } from 'ts-state-graph/valtio';

///rest of your schema
...

Instantiate your graph

import { ValtoGraph } from 'ts-state-graph/valtio';

export const graph = new ValtioGraph(chatRoomGraphSchema);

Use it!

const chatRoomState = graph.createRoot(
    {
      id: 'mainRoom',
      ownerId: 'owner',
    },
    [
      {
        name: 'User',
        entity: {
          id: 'owner',
          name: 'owner',
          roomId: 'mainRoom',
        },
      },
    ],
  )


//the graph is traversed the same as the example above
chatRoomState.users[0].name = 'fred'

Observable Graph

This graph implementation uses legend-state, it has the most potential for high performance, but the DX is not ideal.

This is still in development, the client side graph part works although the api is a little clunky, local persistence works, I'm currently working on remote persistence.

Import source and target from legendState in your graph schema file

import { source, target } from 'ts-state-graph/legendState';

///rest of your schema
...

Instantiate your graph

import { ObservableGraph, persistGraph } from 'ts-state-graph/legendState';

export const graph = new ObservableGraph(chatRoomGraphSchema);

export const persistStatus = persistGraph(graph, {
  databaseName: 'ChatRoomExample23',
  version: 1,
});

//setup persistence
persistGraph(chatRoomGraph, {
  databaseName: 'ChatRoomExample23',
  version: 1,
});

Use it!

const chatRoomState = (graph.getRoot() ??
  graph.createRoot(
    {
      id: 'mainRoom',
      ownerId: 'owner',
    },
    [
      {
        name: 'User',
        entity: {
          id: 'owner',
          name: 'owner',
          roomId: 'mainRoom',
        },
      },
    ],
  )) as ObservableObject<ChatRoomView>;


//the graph is traversed differently than in the ValtioGraph and OneWayGraph
chatRoomState.owner.portal(userView).name

chatRoomState.owner.portal(userView).name.onChange(() => {})  //will fire if this user's name changes, but not if the room owner is changed
chatRoomState.owner.portal(userView).onChange(() => {})  //this will fire if the room owner is changed...