@fynyky/elemental
v0.0.2
Published
Simple reactive ui building without frameworks
Readme
Elemental
Elemental is a simple front-end library that lets you build reactive UIs declaratively using plain JavaScript. No special syntax to learn or complex frameworks to build around, just normal nested functions.
Here's a quick example of what Elemental does:
import { Reactor, ob, el } from '@fynyky/elemental'
const rx = new Reactor({ name: 'Anakin' })
el(document.body,
el('main',
el('h1', 'Hello World!'),
el('h2', (x) => { x.id = 'foo' }, () => 'returned text'),
el('defaults to div', ['this', 'is', 'an', 'array']),
el('p more class names', ob(() => ('My name is ' + rx.name)))
)
)
// <main class="main">
// <h1 class="h1">Hello World!</h1>
// <h2 class="h2" id="foo">returned text</h2>
// <div class="defaults to div">thisisanarray</div>
// <p class="p more class names">My name is Anakin</p>
// </main>
rx.name = 'Darth'
// <p class="p more class names">My name is Anakin</p>
// Changes to
// <p class="p more class names">My name is Darth</p>elis a function that creates elements then attaches children to them- The first argument is the type of element to create (or an existing element to reuse)
- Subsequent arguments are appended as children
- Functions are run given their parent, and their return values are appended
Observerfunctions do the same, but their children get replaced when updated
obis shorthand fornew Observer- An
Observeris a function that automatically tracks reactive variables that it uses, and retriggers if they get updated. - A
Reactoris an object that stores reactive variables - When a
Reactoris updated it automatically retriggers the dependentObserverfunctions
Elemental is designed to be unobtrusive and unopinionated.
- No special syntax to learn. Everything is just plain JavaScript
- No need to manually declare listeners. Elemental automatically keeps track of all that
- No complex framework internals to debug. It just appends elements and runs functions when needed
- Use it for the whole front-end or just a few components. Elements created by Elemental are just normal DOM elements, and any variable can be easily replaced with a reactive one without changing the rest of your codebase.
Elemental is built on top of Reactor.js
Installation
Elemental is available on npm. Install it by running:
$ npm install @fynyky/elementalImport it using:
import {
el,
ob,
attr,
bind,
Reactor,
Observer,
hide,
batch,
shuck
} from '@fynyky/elemental'
It is also available directly from [unpkg](https://unpkg.com). You can import it in JavaScript using
```javascript
import { el, attr, bind, ob, Reactor, Observer, hide, batch, shuck } from 'https://unpkg.com/@fynyky/elemental'Elements
The function el(description, children...) builds DOM elements. It appends the children arguments to a parent element created/referenced by the description.
The description can be a String or an existing Element. If given a String it creates a new Element whose classes are the entire description, and the tag type is the first word of the description.
el('h1 foo bar')<h1 class="h1 foo bar"></h1>If the first word is not a valid HTML tag it defaults to making a div
el('foo bar')<div class="foo bar"></div>If given an existing Element it does nothing on its own but uses the provided element as a target for applying the children arguments. For example you can append things to the document body by doing
el(document.body, 'hello world')<html>
<body>hello world</body>
</html>For convenience, if the string provided starts with # or . then instead of creating a new element, the description will be used as a selector and will try to find an existing matching element in the document.
el('#foo') // Finds an element with id="foo"
el('.bar') // Finds an element whose classes contain "bar"This is admittedly a bit crude but should handle the most common cases. For cases which fall outside of this you can just use document.querySelector directly and provide the element as the argument.
el(document.querySelector('some query'))String arguments provided as children are appended as text nodes
el('h1', 'hello world')<h1 class="h1">hello world</h1>Element arguments are just appended directly
el('h1', document.createElement('div'))<h1 class="h1"><div></div></h1>Since el itself returns elements, this allows nesting of el calls to declaratively create the DOM
el(document.body,
el('main',
el('h1', 'Title Text'),
el('p', 'Paragraph text'),
)
)<html>
<body>
<h1 class="h1">Title Text</h1>
<p class="p">Paragraph text</p>
</body>
</html>Function arguments are run in the context of the parent. This allows arbitrary manipulation of the parent such as attaching listeners, setting styles, etc.
el('h1', function() {
this.id = 'foo'
this.onClick = () => console.log('clicked!')
this.style.color = 'red'
})<h1 class="h1" id="foo"></h1>The parent is also provided as the first argument to the function when it is called. This allows arrow functions to work.
el('h1', x => {
x.id = 'foo'
x.onClick = () => console.log('clicked!')
x.style.color = 'red'
})<h1 class="h1" id="foo"></h1>If the function returns a value, that value is appended as a child.
el('h1',
x => {
return 'some text'
},
x => ' more text'
)<h1 class="h1">some text more text</h1>The attr(attribute, value) function is provided as a shorthand for
$ => { $.setAttribute(attribute, value) }This allows easy setting of attributes like this
el('h1', attr('id', 'foo'))<h1 class="h1" id="foo"></h1>Similarly the bind(reactor, key) function is provided as a shorthand for
$ => {
$.oninput = () => { reactor[key] = $.value }
return new Observer(() => { $.value = reactor[key] })
}This allows for easy 2-way binding for input fields and Reactor objects.
const rx = new Reactor({ name: 'foo' })
el('input', bind(rx, 'name'))Array arguments are flattened and its elements recursively appended.
el('h1', [
'some text',
document.createElement('div'),
x => 'boop'
])<h1 class="h1">some text<div></div>boop</h1>Promise arguments create a comment placeholder.
let somePromise = new Promise()
el('h1', somePromise)<h1 class="h1"><!-- promisePlaceholder --></h1>When the promise resolves this placeholder is replaced with the resolved value.
somePromise.resolve('resolved!')<h1 class="h1">resolved!</h1>Observer functions from Elemental are handled very similarly to functions. They are executed in the context of the parent. However they also leave a set of comments bookmarking the children they produce.
const rx = new Reactor({ name: 'foo' })
el('h1', ob(() => rx.name))<h1 class="h1">
<!-- observerStart -->
foo
<!-- observerEnd -->
</h1>When the observer is retriggered, everything between the bookmarks is removed and replaced with the new output.
rx.name = 'bar'<h1 class="h1">
<!-- observerStart -->
bar
<!-- observerEnd -->
</h1>Read below for more details on how observers work.
Note: for observers attached as children via el they are deactivated automatically when their parent is not attached to the document. This should not affect most use cases since the observer is reactivated when the parent is reattached to the document. But note that unattached elements just being held in memory will not be changing.
Reactors
A Reactor is an object wrapper that automatically tracks Observer functions that read its properties and notifies the observers when those properties are updated.
You create a new reactor by calling its constructor:
const reactor = new Reactor()You can also wrap an existing object with a reactor by passing it to the constructor. Changes to the reactor are passed through to the underlying object:
const reactor = new Reactor({
foo: "bar"
})Reactors behave mostly like plain JavaScript objects:
const reactor = new Reactor({
foo: "bar"
})
// You can get and set properties as usual
reactor.foo // "bar"
reactor.cow = "moo"
// defineProperty works normally as well
Object.defineProperty(reactor, "milk", {
get() { return "chocolate" }
})
reactor.milk // "chocolate"
// delete works too
delete reactor.foo
reactor.foo // undefinedThe key difference of Reactor objects is that they track when one of their properties is read by an Observer function and will notify that observer when the property is updated:
const reactor = new Reactor({ foo: "bar" })
new Observer(() => {
console.log("foo is ", reactor.foo)
})() // prints "foo is bar"
reactor.foo = "moo" // prints "foo is moo"
Object.defineProperty(reactor, "foo", {
get() { return "meow" }
}) // prints "foo is meow"
delete reactor.foo // prints "foo is undefined"Tracking is property-specific, so observers will not trigger if a different property is updated:
const reactor = new Reactor({
foo: "bar",
moo: "mar"
})
new Observer(() => {
console.log("foo tracker is now", reactor.foo)
})() // prints "foo tracker is now bar"
new Observer(() => {
console.log("moo tracker is now", reactor.moo)
})() // prints "moo tracker is now mar"
reactor.foo = "bar2" // prints "foo tracker is now bar2"
reactor.moo = "mar2" // prints "moo tracker is now mar2"
reactor.goo = "goop" // does not trigger any observersIf reading a reactor's property returns an object, that object is recursively wrapped in a reactor before being returned. This allows observers to track dependencies in nested objects easily:
const reactor = new Reactor({
outer: {
inner: "cake"
}
})
new Observer(() => {
console.log("inner value is ", reactor.outer.inner)
})() // prints "inner value is cake"Reactors are implemented using Proxy objects. This means reactors created from scratch typecheck as Reactors, but reactors created from an existing object typecheck as the original object:
const baseReactor = new Reactor()
baseReactor instanceof Reactor // true
const mapReactor = new Reactor(new Map())
mapReactor instanceof Reactor // false
mapReactor instanceof Map // trueThis also has implications for native objects or objects that use private properties. Since proxies can't access native or private properties, some methods will fail. To work around this, we provide the shuck function which returns a reactor's internal object:
// Native object example
const mapReactor = new Reactor(new Map())
Map.prototype.keys.apply(mapReactor) // throws an error
Map.prototype.keys.apply(shuck(mapReactor)) // works fineObservers
An Observer is like a normal function that you can define and call. When an Observer reads from a Reactor, it automatically tracks that dependency, and when that reactor's property is updated, it automatically triggers the observer again.
Observer functions are created by passing a function to its constructor:
const observer = new Observer(() => {
console.log("hello world")
})
observer() // prints "hello world" and starts the observerFor brevity, observers can also be created and instantly executed like this:
new Observer(() => {
console.log("hello world")
})() // prints "hello world" and starts the observerWhen an Observer reads a Reactor property, it gets saved as a dependent. When that property is updated, it notifies the observer which reruns its function. This happens automatically without any need to manually declare dependencies:
const reactor = new Reactor()
new Observer(() => {
console.log("reactor.foo is ", reactor.foo)
})() // prints "reactor.foo is undefined"
reactor.foo = "bar" // prints "reactor.foo is bar"An observer's dependencies are dynamically determined. Only the dependencies actually read in the last execution of an observer can trigger it again. This means that reactor reads that are only conditionally used will not trigger the observer unnecessarily:
const reactor = new Reactor({
a: true,
b: "bee",
c: "cee"
})
new Observer(() => {
if (reactor.a) {
console.log("reactor.b is ", reactor.b)
} else {
console.log("reactor.c is ", reactor.c)
}
})() // prints "reactor.b is bee"
reactor.b = "boop" // prints "reactor.b is boop"
reactor.c = "cat" // does not trigger the observer
reactor.a = false // prints "reactor.c is cat"
reactor.b = "blue" // does not trigger the observer
reactor.c = "cheese" // prints "reactor.c is cheese"An observer's results are themselves observable via either the value property or by triggering the observer via observer() and using the return value. This allows you to chain observers together:
const reactor = new Reactor({ foo: 'bar' })
const capitalizer = new Observer(() => {
return reactor.foo.toUpperCase()
})()
const printer = new Observer(() => {
console.log(capitalizer.value)
})() // prints 'BAR'
reactor.foo = 'baz' // prints 'BAZ'This also works:
const reactor = new Reactor({ foo: 'bar' })
const capitalizer = new Observer(() => {
return reactor.foo.toUpperCase()
}) // Did not start the observer here
const printer = new Observer(() => {
// Manually calls capitalizer like a function which activates it
// As well as accesses its return value as a dependency
console.log(capitalizer())
})() // starts printer which starts capitalizer
reactor.foo = 'baz' // prints 'BAZ'You can stop an observer by calling stop() on the returned observer object. This clears any existing dependencies and prevents triggering. You can restart the observer by calling start(). Starting is idempotent, so calling start() on an already running observer will have no effect:
const reactor = new Reactor()
const observer = new Observer(() => {
console.log(reactor.foo)
})() // prints "undefined"
reactor.foo = "bar" // prints "bar"
observer.stop()
reactor.foo = "cheese" // does not trigger the observer
observer.start() // prints "cheese"
observer.start() // No effect
observer.start() // No effect
observer.start() // No effect
reactor.foo = "moo" // prints "moo"For convenience, you can call an observer to execute like a normal function. This works regardless of whether the observer is stopped. Doing so starts the observer up again:
const reactor = new Reactor({ foo: "hello" })
const observer = new Observer(() => {
console.log(reactor.foo)
})() // prints "hello"
reactor.foo = "hi" // prints "hi"
observer() // prints "hi" again
observer.stop()
reactor.foo = "hola" // does not trigger the observer since it's stopped
observer() // prints "hola"Like normal functions, observers can expect and be called with arguments. They remember the arguments from the last time they were called and reuse them when automatically triggered:
const parameterizedObserver = new Observer((arg1, arg2) => {
console.log(reactor.foo + arg1 + arg2)
})
parameterizedObserver('beep', 'bop') // prints bazbeepbop
reactor.foo = 'bla' // prints blabeepbopObservers can also use and remember the last this context. Note that just like normal functions, for the this context to be bound to the holding object, it needs to be defined with the traditional function keyword instead of ES6 arrow functions:
const holdingObject = {
name: 'Mario',
greet: new Observer(function () { // Need to use `function`
console.log("Hello " + reactor.foo + " itsa me " + this.name)
})
}
holdingObject.greet() // prints "Hello bla itsa me Mario"
reactor.foo = 'bonk' // prints "Hello bonk itsa me Mario"
holdingObject.name = 'Luigi' // prints nothing since holdingObject is not a ReactorIf you ever need to access the raw function the observer is wrapping, you do so by using shuck:
const myFunction = () => {}
const observer = new Observer(myFunction)
myFunction === shuck(observer) // trueHide
Sometimes you might want to read from a reactor without becoming dependent on it. A common case for this is when using array modification methods. These often also read from the array in order to do the modification:
const taskList = new Reactor(["a", "b", "c", "d"])
// Creating the following observer will cause an infinite loop
// because it both reads from and modifies the length property of taskList
// As a result, it triggers itself in the middle of execution
// This loop is detected and creates an exception
new Observer(() => {
// Even though we only want to modify the array
// pop() also reads the length property of the array
console.log(taskList.pop())
})()In these cases, you can use "hide" to shield a block of code from creating dependencies. It takes a function and any reactor properties read inside that function will not be set as dependencies. hide also passes through the return value of its function for syntactic simplicity:
const taskList = new Reactor(["a", "b", "c", "d"])
new Observer(() => {
console.log(
// Because we wrap the pop() call in a hide block
// it does not create a dependency on the length property
// unlike our previous example
hide(() => taskList.pop())
)
})() // prints "d"
taskList.push("e") // does not trigger the observerNote that only the reads inside the hide block are shielded from creating dependencies. The rest of the observe block still creates dependencies as normal.
Batching
One problem with automatic watchers is that you might end up with multiple repeated triggering when you're updating a lot of information all at once. The following code shows an example where you want to update multiple properties, but each property update prematurely triggers the observer since you are not done updating yet:
const person = new Reactor({
firstName: "Anakin",
lastName: "Skywalker",
faction: "Jedi",
rank: "Knight"
})
// This observer tracks multiple properties
// and so will be triggered when any of the properties get updated
const observer = new Observer(() => {
console.log(
"I am " +
person.firstName +
" " +
person.lastName +
", " +
person.faction +
" " +
person.rank
)
})() // prints "I am Anakin Skywalker, Jedi Knight"
// The following updates will each trigger the observer even though we only
// want to trigger the observer once all the updates are complete
person.firstName = "Darth" // prints "I am Darth Skywalker, Jedi Knight"
person.lastName = "Vader" // prints "I am Darth Vader, Jedi Knight"
person.faction = "Sith" // prints "I am Darth Vader, Sith Knight"
person.rank = "Lord" // prints "I am Darth Vader, Sith Lord"The batch function is provided to allow you to batch multiple updates together and only trigger the appropriate observers once at the end of the batch block. So the last part of the previous example can be turned into:
// batch postpones any observer triggers that originate from inside it
// Triggers are deduplicated so any observer is triggered at most once
batch(() => {
// None of the following updates will trigger the observer yet
person.firstName = "Darth"
person.lastName = "Vader"
person.faction = "Sith"
person.rank = "Lord"
}) // prints "I am Darth Vader, Sith Lord"This is useful when you are making multiple data updates and want to avoid showing an "incomplete" view of the data to observers.
Note that only the observer triggering is postponed until the end. The actual reactor properties are updated in place as expected. This means that you can have other logic with read-what-you-write semantics within the observer block working just fine.
Summary
import {
el, attr, bind, ob,
Reactor, Observer, hide, batch, shuck
} from '@fynyky/elemental'
// el(description, children...)
el('h1') // Creates a h1 element with a class "h1"
el('notAValidTag') // Creates a div with class "notAValidTag"
// Anything not a valid html tag defaults to a div
el('notATag header body h1') // Creates a div with classes "notATag header body h1"
// Only the first word is used for tag type
// Subsequent words are just added as classes
el('.foo') // Strings starting with '.' or '#' are parsed as query selectors
el('#foo') // They try to find a matching element instead of making a new one
let aDiv = document.createElement('div')
el(aDiv) // Uses the provided element instead of creating a new one
el('h1', 'foo') // Creates <h1 class="h1">foo</h1>
// Strings provided as children are inserted as text nodes
el('h1', aDiv) // Creates <h1 class="h1"><div></div></h1>
// Elements provided as children are just appended
el('h1', function(){this.id = 'foo'}) // Creates <h1 class="h1" id="foo"></h1>
// Functions provided as children are
// executed in the context of the parent
el('h1', x => { x.id = 'foo' }) // Also creates <h1 class="h1" id="foo"></h1>
// The parent is also provided as an argument
// This allows arrow functions to work
el('h1', () => "return value") // Creates <h1 class="h1">return value</h1>
// Return values are appended as children
let aPromise = new Promise()
el('h1', aPromise) // Creates <h1 class="h1"><!-- promisePlaceholder --></h1>
// Places a comment to be replaced when the promise resolves
aPromise.resolve('resolved!') // Becomes <h1 class="h1">resolved!</h1>
// Example of how el works with reactors and observers
// Full explanation of how Observers and Reactors work comes later on
// Attached observers use comments to bookmark their children
let rx = new Reactor({ foo: 'foo' })
let reactiveEl = el('h1', ob(() => rx.foo))
// Creates
// <h1 class="h1">
// <!-- observerStart -->
// foo
// <!-- observerEnd -->
// </h1>
document.body.appendChild(reactiveEl) // Attached observers sleep when their
// parent is out of the DOM
// Need to attach it for reactivity
// When updated anything between the bookmarks gets replaced
rx.foo = 'bar'
// Updates to
// <h1 class="h1">
// <!-- observerStart -->
// bar
// <!-- observerEnd -->
// </h1>
el('h1', ['foo', 'bar', 'qux']) // Creates <h1 class="h1">foobarqux</h1>
// Arrays or any iterable are done recursively
// attr is shorthand for setting attributes
// These 2 are equivalent
el('h1', attr('id', 'foo'))
el('h1', self => self.setAttribute('id', 'foo'))
// bind is shorthand for 2 way binding with a reactor
// These 2 are equivalent
el('h1', bind(rx, 'foo'))
el('h1', self => {
self.oninput = () => { rx['foo'] = self.value }
return new Observer(() => { self.value = rx['foo'] })
})
// ob is shorthand for creating Observers
// These 2 are equivalent
ob(function(){})
new Observer(function(){})
// Reactors and Observers
const reactor = new Reactor({ foo: 'bar' })
const observer = new Observer(() => {
const result = 'reactor.foo is ' + reactor.foo // Sets a dependency on foo
console.log(result)
return result
})
observer() // Prints 'reactor.foo is bar' and starts the observer
reactor.foo = 'baz' // Prints 'reactor.foo is baz'
observer.stop()
reactor.foo = 'qux' // Prints nothing since observer is stopped
observer.start() // Prints 'reactor.foo is baz'
observer.start() // Prints nothing since observer is already started
observer() // Prints 'reactor.foo is baz' even if it is already running
// Observers return values are themselves observable
const trailingObserver = new Observer(() => {
const result = 'Did you hear: ' + observer.value
console.log(result)
})
trailingObserver() // Prints 'Did you hear: reactor.foo is baz'
reactor.foo = 'blorp' // Prints 'reactor.foo is blorp' from observer
// Also prints 'Did you hear: reactor.foo is blorp' from trailingObserver
// Observers can be given parameters and remember these parameters when triggered
const parameterizedObserver = new Observer((arg1, arg2) => {
console.log(reactor.foo + arg1 + arg2)
})
parameterizedObserver('beep', 'bop') // Prints bazbeepbop
reactor.foo = 'bla' // Prints blabeepbop
// Observers can also access and remember the last `this` context
const holdingObject = {
name: 'Mario',
greet: new Observer(function () { // Need to use traditional functions instead of arrow functions
console.log("Hello " + reactor.foo + " itsa me " + this.name)
})
}
holdingObject.greet() // Prints "Hello bla itsa me Mario"
reactor.foo = 'bonk' // Prints "Hello bonk itsa me Mario"
holdingObject.name = 'Luigi' // Prints nothing since holdingObject is not a Reactor
// hide allows you to avoid particular dependencies in an observer
// This is useful especially when using Array methods that both read and write
reactor.ticker = 1
reactor.names = ["Alice", "Bob", "Charles", "David"]
const partialObserver = new Observer(() => {
if (reactor.ticker) {
// hide passes through the return value of its block
const next = hide(() => reactor.names.pop())
console.log("next ", next)
}
})
partialObserver() // prints "next David"
reactor.ticker = 2 // prints "next Charles"
reactor.names.push("Elsie") // Will not trigger the observer
// batch postpones any observer triggers until it is complete
// This allows grouping updates together
const person = new Reactor({
firstName: 'Clark',
lastName: 'Kent'
})
new Observer(() => {
console.log('Look its ' + person.firstName + ' ' + person.lastName)
})() // Prints 'Look its Clark Kent'
batch(() => {
// None of the following updates will trigger the observer yet
person.firstName = "Bruce"
person.lastName = "Wayne"
}) // prints 'Look its Bruce Wayne'
// shuck removes the Reactor layer and returns the base object
// This is necessary for some native objects which don't work with proxies
const mapReactor = new Reactor(new Map())
Map.prototype.keys.call(mapReactor) // throws an Error
Map.prototype.keys.call(shuck(mapReactor)) // works fineDevelopment & Testing
Tests are stored in test.js to be run using Mocha.
Run npm install to install the dev dependencies.
To run the tests run npm test.
To run the tests in a browser environment run npm run browserTest and open the test page.
