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

@synchemy/core

v1.0.9

Published

State management library that makes it easy to sync between client and server through websockets

Downloads

3

Readme

Synchemy

Install

npm install @synchemy/core --save

Install synchemy useStore hook to use with react

npm install @synchemy/use-store --save

Package versions

| Name | Latest Version | | --- | --- | | @synchemy/core | badge |

Description

Synchemy is a state management library that keeps the client side store automatically in sync with the server using websockets.

On the server side, this library uses an evented approach to receive and send back messages to the client. Any messages sent back to the client will update the store, unless explicitly told not to. This eliminates the need for a REST api and makes it quite easy to keep data in sync with the client.

On the client side, you can register actions that will automatically generate loading flags for each action. Any time you call an action, a loading flag is automatically created. It is set to true at the beginning of the action and set to false at the end of the action. If used with react, you can use the useStore hook to subscribe to any store or loading flag changes. Actions also come with a debounce or throttle option in case you need to debounce or throttle your actions.

Here is the simplest client side and server side setup you can have:

Client

const { SynchemyClient } = require('@synchemy/core')

const synchemy = new SynchemyClient({
  host: 'ws://localhost:4000'
})

synchemy.updateStore({ todos: [] })
synchemy.registerAction('GET_TODOS', async () => {
  await synchemy.send({ type: 'GET_TODOS' })
})

synchemy.subscribe((state, loaders) => {
  return {
    todos: state.todos,
    todosLoading: loaders.getTodos.loading
  }
}, store => {
  console.log('NEW STORE: ', store)
}) // you can add a shouldUpdate function as a 3rd param.

synchemy.actions.getTodos()

Server

const { SynchemyServer } = require('@synchemy/core')

const synchemy = new SynchemyServer({ port: 4000 });
synchemy.onMessage(({ message }) => {
  if (message.type === 'GET_TODOS') {
    return { todos: [{ name: 'first todo' }] }
  }

  return message;
});

Now let's take a look at the setup if using React.

SynchemyClient setup with React

First, let's create the synchemy instance and keep it in a separate file for easy imports.

// synchemy.js
import { SynchemyClient } from '@synchemy/core';

const synchemy = new SynchemyClient({
  host: 'ws://localhost:3000'
})

export default synchemy

Next, you can initialize the store with some initial data and register your actions.

// index.js
import React from "react";
import ReactDOM from "react-dom";
import Home from "./pages/home";
import synchemy from './synchemy';
import registerActions from './actions';

synchemy.updateStore({ counter: 0, todos: [] })
registerActions();
ReactDOM.render(<Home />, document.getElementById("app"));

Here we register our actions. In this specific case, we register a GET_TODOS action. The action can get called by invoking synchemy.actions.getTodos(). This will automatically create a synchemy.asyncActions.getTodos.loading flag that will be set to true in the beginning of the action and set to false at the end of the action.

// actions.js
import synchemy from './synchemy';

const registerActions = () => {
  synchemy.registerAction('GET_TODOS', async () => {
    // sent messages receive a response from the server.
    // The store will be automatically updated with props from the 
    // response, unless you pass in { updateStore: false } as an option.
    // ex: const response = await synchemy.send({ type: 'GET_TODOS' }, { updateStore: false });
    const response = await synchemy.send({ type: 'GET_TODOS' });
  });
};

export default registerActions;

Debounce or throttle options can be set this way.

  synchemy.registerAction('GET_TODOS', async () => {
    const response = await synchemy.send({ type: 'GET_TODOS' });
  }, { debounce: 500 });

Alternatively, you can also register your actions directly in the SynchemyClient constructor.

const synchemy = new SynchemyClient({
  host: 'ws://localhost:3000',
  actions: {
    getTodos: {
      name: 'GET_TODOS',
      action: async () => {},
      options: { throttle: 500 } // options are optional
    }
  }
})

useStore hook setup with React

You must first call useStore with the synchemy instance. You'll then get back a function which you can call with a callback invoked anytime there is a store change or a loading flag change. Your component will rerender only if the changes are in any of the properties that you return from the callback.

// app.js
import React, { useEffect } from 'react';
import synchemy from './synchemy';
import useStore from '@synchemy/use-store'

const App = () => {
  const store = useStore(synchemy)((state, loaders) => {
    return {
      todos: state.todos,
      getTodosLoading: loaders.getTodos.loading
    }
  });

  useEffect(() => {
    synchemy.actions.getTodos()
  }, []);

  return <div>
    TODOS
    {store.getTodosLoading &&
      <div>loading...</div>
    }
    {!store.getTodosLoading &&
      <div>
        {store.todos.map(todo => {
          return <Todo key={todo.id} {...todo} />
        })}
      </div>
    }
  </div>;
}

export default App;

Rerenders are based on the properties that you return from the useStore callback. However, only a shallow comparison is made between the previous state and the next state to determine whether a change has occured. If you want more customization on whether an update should occur, you can provide a shouldUpdate function.

const store = useStore(synchemy)((state, loaders) => {
  return {
    todos: state.todos,
  }
}, (prevState, nextState) => {
  if (prevState.todos.length !== nextState.todos.length) {
    return true
  }

  return false
});

SynchemyServer setup with Node and Express

Whenever you send an event from the client side using synchemy.send({ type: 'GET_TODOS' }), the onMessage callback will get called. Whatever you return will then automatically update your store on the client side, unless you send the event using synchemy.send({ type: 'GET_TODOS' }, { updateStore: false }).

const express = require('express');
const server = require('http').createServer();
const { SynchemyServer } = require('@synchemy/core');

var app = express();

const synchemy = new SynchemyServer({ app, server });
synchemy.onMessage(async (({ message, socketId }) => {
  // The socketId can be tracked to send messages to specific clients. All socket ids
  // are accessible on synchemy.sockets

  if (message.type === 'GET_TODOS') {
    // to whatever you need to do to fetch todos
    const todos = await getTodos()
    return { todos }
  }

  return message;
});

You can send messages to all clients...

synchemy.sendAll(message)

...or to an array of specific clients.

synchemy.send(socketIds, message)

If you don't want the client side store to update itself automatically when you send a message to the client using synchemy.sendAll or synchemy.send, you can set a callback on the client side to react to messages from the server and perhaps update the store yourself.

// this is on the client side
synchemy.onMessage(message => {
  // do something
})

Finally, if you need to do something on socket connection or socket disconnection, you can setup these callbacks.

  synchemy.onSocketConnection(callback)
  synchemy.onSocketDisconnection(callback)

synchemyClient methods

| Method | Params | Description | Example | | --- | --- | --- | --- | | createConnection | (options: { host: string }) => Promise | createConnection is used to establish a websockets connection with the server. | await synchemy.createConnection({ host: 'ws://localhost:3000' }) | | subscribe | (mapStateToProps?: (state: State, loaders: Loaders) => props: Props, callback: (store: Store) => void, shouldUpdate?: (prevState, nextState) => boolean) => string | subscribe is used to subscribe to store and loaders changes. The mapStateToProps param is used to select only certain props in the store for which you want to subscribe to. The callback is called once a change you subscribed to occurs. The shouldUpdate param gives you more control over whether you want to update the store or not. | const listenerId = synchemy.subscribe(mapStateToProps, subscribeCallback, shouldUpdate) | | unsubscribe | (listenerId: string) => void | unsubscribe is used to remove the callback listener you set with the subscribe method. Use the listenerId returned by the subscribe method in the param. | synchemy.unsubscribe(listenerId) | | onMessage | (message: { [key: string]: any } => void | onMessage is used to react to messages sent by the server instead of updating the store automatically. | synchemy.onMessage(message => {}) | | send | (message: { type: string, [key: string]: any } | (store: Store) => Message, options?: { updateStore?: boolean, processResponse: (response: Response) => processedResponse: Response) => Promise | send is used to send messages to the server using websockets. The server will send back a response and update the store automatically unless updateStore is set to false. You can also process the server response before updating the store using the processResponse function. | await synchemy.send({ type: 'GET_TODO', todoId }, { updateStore: false, processResponse }) | | updateStore | (state: State | (store: Store) => State) => void | updateStore is used to update the store directly on the client side without sending anything to the server. | synchemy.updateStore(store => ({ counter: store.counter + 1 })) | | registerAction | (actionName: string, action: (...args: any) => void, options?: { debounce?: boolean, throttle?: boolean }) => void | registerAction is used to register an action that you can dispatch from your components. | synchemy.registerAction('INCREMENT_COUNTER', async () => { ... }, { debounce: 500 }) |

synchemyClient properties

| Properties | Description | Example | | --- | --- | --- | | actions | actions contains all the registered actions | synchemy.actions.getTodos() | | asyncActions | asyncActions contains the loading flags for all the actions | synchemy.asyncActions.getTodos.loading | | store | The store contains your application state | synchemy.store.todos |

synchemyServer methods

| Method | Params | Description | Example | | --- | --- | --- | --- | | onMessage | ({ message: { type: string, [key: string]: any }, socketId: string }) => { [key: string]: any } | onMessage is used to set a callback that will receive all the messages sent from the client. The properties returned in the callback will then be used to update the store, unless the message was sent with the option { updateStore: false } | synchemy.onMessage(({ message }) => { if (event.type === 'GET_TODOS') { return { todos } } return message }) | | sendAll | (message: { [key: string]: any }) => void | send a message to all connected clients | synchemy.sendAll(message) | | send | (sockets: [socketId: string], message: { [key: string]: any }) => void | send a message to specific connected clients | synchemy.send(socketIds, message) | | onSocketConnection | (socketId: string) => void | callback that gets called every time a socket is connected | synchemy.onSocketConnection(socketId => {}) | | onSocketDisconnection | (socketId: string) => void | callback that gets called every time a socket is disconnected | synchemy.onSocketDisconnection(socketId => {}) |

synchemyServer properties

| Properties | Description | Example | | --- | --- | --- | | sockets | An array of socket ids that represent all the connected clients | synchemy.sockets |