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

kloen

v0.9.1

Published

super tiny pubsub

Downloads

5

Readme

Kloen

Klön, der | kløːn | (North German) leisurely, informal conversation or chat.

A tiny package for event messaging and state with signals in under 300 bytes[^1].

🚧 Work in progress 🚧

Docs are unfinished, and kloen has not yet reached 1.0 - meaning its API is open to change.

Examples

Basic Usage

value() will return a tuple consisting of:

  • observe(callback): will call the callback, when set was called. Returns an unsubscribe function.
  • set(value): set the value, and call all listeners (no change detection). Returns the value.
  • derive(callback): returns an observable that contains the result of the callback
  • ref: an object {value: <the value> } that is stable for referential equality checks.
import {value} from "kloen"

const [onTasks, setTasks] = value()

fetch('https://jsonplaceholder.typicode.com/todos/')
    .then(r => r.json())
    .then(setTasks)

onTasks(console.log)

Use it as a reducer

import { value } from "kloen"

const [onUpdate, dispatch] = value({tasks: []}, (action, state) => {
    switch (action.type) {
        case 'addTask': 
            return { users: [...state.users, action.data] }
        default: 
            return state
    }
})

// In some component.
// note: the subscribe function returns a method to unsubscribe the handler.
const unsub = onUpdate(state => console.log("current tasks:", state.tasks))

// somewhere, usually a button's click-handler:
dispatch({ type: 'addTask', data: { title: 'Touch grass', completed: false }})

handlers will be called immediately, if a default value is set

To make setups easier, whenever you pass a default value to value(), every handler is called once immediately.

import { value } from "kloen"

const [onTasks, setTasks] = value([])

class TaskList extends HTMLElement {
    constructor() {
        const fetchTasks = _ => fetch('https://jsonplaceholder.typicode.com/todos/')
            .then(r => r.json())
            .then(setTasks)

        onTasks(this.render)
    }
    render(tasks) {
        this.innerHTML = `
            <ul>
                ${tasks.map(task => `<li>${task.title}</li>`)}
            </ul>
        `
    }
}

Event Hub

Subscribe to scopes, and emit messages to all listeners. This is what value() uses under the hood, with the handler and emitter bound to a unique scope.

import { on, emit } from  "kloen"

// subscribe to a message
const unsub = on('scope', data => console.log(data))

// emit a message
emit('scope', "some message") 

// remove the listener from the hub
unsub() 

Ping! The payload is optional.

import { on, emit } from "kloen"

const ping = Symbol()

on(ping, _ => console.log("got pinged"))

emit(ping)

Scopes can be (almost) anything!

Anything that is a valid key for a Map can be used as a scope. So not just strings, but also functions, objects, classes, numbers and so on.

This makes some unusual, but interesting patterns possible. eg.: subscribe to whenever an async function is resolved:

import { on, emit } from  "kloen"

const fetchTasks = _ => fetch('https://jsonplaceholder.typicode.com/todos/')
    .then(r => r.json())
    .then(tasks => emit(fetchTasks, tasks))
    .then(console.log) // emit returns the data it was passed for chaining

on(fetchTasks, tasks => console.log("updated tasks", tasks))

Create a new message-hub + TypeScript

You can use create to create a new message-hub instead of the global one. It returns a tuple with the subscriber, emitter and a method to remove all subscribers. the exported on, emit and clear were created the exact same way.

Use it also to define the types.

import { create } from  "kloen"

const ping = Symbol();

const [on, emit, clear] = create<{
    setName: string,
    [ping]: undefined,
    onlyFoo: 'foo'
}>(); 

// ok:
on('setName', name => {
    //        ^? string
})

// ok:
on('onlyFoo', foo => {
    //        ^? 'foo'
})

// TypeScript Error:
on('unknownScope', () => /* ... */);


emit(ping) // => ok!
emit('setName', 'Ada') // => ok!
emit('onlyFoo', 'bar') // => TypeScript error!

More Complex Example

View a more realistic usage example on codepen

API

  • TBD

Caveats

  • ESM only
  • API might change slightly until 1.0
  • At the momen there is no check, whether a value changed. Listeners will be called at every set call.
  • Types are not yet fully done

Roadmap to v1

  • [ ] fully typed
  • [ ] derive helper fn
  • [ ] create benchmarks
  • [ ] create basic extensions

[^1]: 257 bytes with gzip -9, 398 bytes raw. Size likely to change until 1.0.