
Security News
Attackers Are Hunting High-Impact Node.js Maintainers in a Coordinated Social Engineering Campaign
Multiple high-impact npm maintainers confirm they have been targeted in the same social engineering campaign that compromised Axios.
Signal like state manager for objects. Use on server-side to enable real time apps or on client-side to enable reactive UIs.
Josm is an (JS) object-oriented state manager for the web & node, which aims to be both, a lightweight observable (called Data) implementation & a feature rich state manager, providing an awesome developer experience. It may be used to build declarative UI (frameworks) or as a server side data store (using a mongodb adapter for persistent storage) suitable for realtime applications (with a websocket bridge).
Note that the state manager can be tree-shaken off the observable implementation using esImports & a properly configured bundler (e.g. webpack).
import { Data, ... } from "josm"
Observables are called Data in Jsom. These are the simplest building blocks as they observe the mutations of one primitive value over time. Or in other words: One Data instance contains one value. As you change that value all prior registered obervers (callbacks) get notified (called).
let data = new Data(1)
// Calls the observing function every time data is set
data.get((value) => {
console.log(value)
})
data.set(10)
data.set(100)
console.log(data.get()) // This gets the current value of data (100)
This would log 1; 10; 100; 100.
To observe multiple values under one observer nest Datas into one DataCollection.
let data1 = new Data(1)
let data2 = new Data(2)
let dataCollection = new DataCollection(data1, data2)
dataCollection.get((value) => {
console.log(value)
}, /*initialize: boolean = true*/ false)
data1.set(10)
data1.set(100)
data2.set(20)
This would log [10, 2]; [100, 2]; [100, 20].
Both Data and DataCollection return a DataSubscription when subscribing (via Data#get(cb)). These can be used to manage the subscription state & can be viewed independently of their source (their source can be changed).
let data1 = new Data(1)
let dataSubscription = data.get((value) => {
console.log(value)
})
dataSubscription.deactivate()
data1.set(10)
dataSubscription.activate(/*initialize: boolean = true*/ false)
data1.got(dataSubscription)
data1.get(dataSubscription)
console.log(dataSubscription.data()) // Gets the current data (data1)
console.log(dataSubscription.active()) // Gets the current active status (true)
console.log(dataSubscription.subscription()) // Gets the current subscription (console.log)
let dataCollection = new DataCollection(new Data(2), new Data(3))
dataSubscription.data(dataCollection, /*initialize: boolean = true*/)
dataSubscription.active(false)
dataSubscription.subscription((d2, d3) => {
console.log("Custom Subscription", d2, d3)
})
DataBases function similar to Datas, only that they are used to store multiple indexed Datas (objects / arrays).
let db = new DataBase({
key1: 1,
key2: 2
nestedKey: ["a", "b", "c"]
})
Note: Observed objects can be circular
This instance can be traversed like a plain object. The primitive values are wrapped inside Datas.
console.log(db.key1.get()) // 2
console.log(db.nestedKey[2].get()) // "c"
All operations concerning more than a primitive can be accessed via the various function overloads on a DataBase.
A simple example for this would be to change multiple values of an object.
db({key1: 11, key2: 22})
console.log(db.key1.get(), db.key2.get()) // 11, 22
Adding or deleting properties (undefined stands for delete)
db({key3: 33, key1: undefined})
Retrieving the whole object
// once
console.log(db()) // { key2: 22, key3: 33, nestedKey: ["a", "b", "c"] }
// observed
db((ob) => {
console.log("db", ob)
})
Note: The observer is being invoked every time something below it changes. So when
db.nestedKey[0]is changed, the event is propagated to all observers above or on it.
The object can also be traversed via an overload
db("nested", 2).get() // Equivalent to db.key2[2].get()
Even Datas can be used as key here
let lang = new DataBase({
en: {
greeting: "Hello",
appName: "Cool.oi"
},
de: {
greeting: "Hallo",
appName: "Cool.io"
}
})
let currentLangKey = new Data("en")
lang(currentLangKey).appName.get((val) => {
console.log(val) // "Cool.oi" // initially english
})
currentLangKey.set("de") // "Cool.io" // now german
lang.en.appName.set("Cool.io")
currentLangKey.set("de") // // no change ("Cool.io" > "Cool.io")
Caveat:
name(and some other properties) cannot be used, as they are already defined on the function object
Caveat: IntelliSense will show all properties that function has
With the above interface virtually every manipulation is possible, but often not very handy.
What increasing a number / appending to a string would look like
let num = new Data(2)
num.set(num.get() + 1)
let str = new Data("Hel")
str.set(str.get() + "lo")
Thats what derivables solve. Defining repeated manipulation processes once, directly on the type it is made for.
const DATA = setDataDerivativeIndex(
class Num extends Data<number> {
inc(by: number = 1) {
this.set(this.get() + by)
}
dec(by: number = 1) {
this.set(this.get() - by)
}
},
class Str extends Data<string> {
append(txt: string) {
this.set(this.get() + txt)
}
}
)
With this declared, it can be used on the fly as the typing adapts.
Note: While this example is really just about convenience, it excels when defining more complex procedures (like injecting something into a string, etc.)
let num = new DATA(2)
num.inc()
let str = new DATA("Hel")
str.append("lo")
Caveat: No function name can be used twice withing all dataDerivables or within all dataBaseDerivables.
While derivable usage on Datas is substantial on its own, applying it to certain interfaces DataBasess does provide seamless interaction on a very high level.
interface Person {
age: number,
firstName: string,
lastName: string
}
const DATABASE = setDataBaseDerivativeIndex(
class Pers extends DataBase<Person> {
happyBirthday() {
this.age.inc()
}
}
)
let person = new DATABASE({
age: 18,
firstName: "Max",
lastName: "Someone"
})
person.happyBirthday()
When nesting observer declarations in synchronous code (which would without precautions result in a memory leak), josm tries to unsubscribe the old (unused) subscription in favor of the new one.
Bad practice: In real code, use a
DataCollectioninstead. While this would work (without a memory leak), it is not clean nor performant and breaks when the data1 callback were asynchronous. This may however be unavoidable in some situations. The following however is just for demonstration.
let data1 = new Data("value1")
let data2 = new Data("value2")
data1.get((d1) => {
data2.get((d2) => {
console.log(d1, d2)
})
})
All feedback is appreciated. Create a pull request or write an issue.
FAQs
Signal like state manager for objects. Use on server-side to enable real time apps or on client-side to enable reactive UIs.
The npm package josm receives a total of 146 weekly downloads. As such, josm popularity was classified as not popular.
We found that josm demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Security News
Multiple high-impact npm maintainers confirm they have been targeted in the same social engineering campaign that compromised Axios.

Security News
Axios compromise traced to social engineering, showing how attacks on maintainers can bypass controls and expose the broader software supply chain.

Security News
Node.js has paused its bug bounty program after funding ended, removing payouts for vulnerability reports but keeping its security process unchanged.