nifty-wallet/app/scripts/lib/remote-store.js

98 lines
2.0 KiB
JavaScript
Raw Normal View History

const Dnode = require('dnode')
const inherits = require('util').inherits
module.exports = {
HostStore: HostStore,
RemoteStore: RemoteStore,
}
2016-06-21 13:18:32 -07:00
function BaseStore (initState) {
this._state = initState || {}
this._subs = []
}
2016-06-21 13:18:32 -07:00
BaseStore.prototype.set = function (key, value) {
throw Error('Not implemented.')
}
2016-06-21 13:18:32 -07:00
BaseStore.prototype.get = function (key) {
return this._state[key]
}
2016-06-21 13:18:32 -07:00
BaseStore.prototype.subscribe = function (fn) {
this._subs.push(fn)
var unsubscribe = this.unsubscribe.bind(this, fn)
return unsubscribe
}
2016-06-21 13:18:32 -07:00
BaseStore.prototype.unsubscribe = function (fn) {
var index = this._subs.indexOf(fn)
if (index !== -1) this._subs.splice(index, 1)
}
2016-06-21 13:18:32 -07:00
BaseStore.prototype._emitUpdates = function (state) {
this._subs.forEach(function (handler) {
handler(state)
})
}
//
// host
//
inherits(HostStore, BaseStore)
2016-06-21 13:18:32 -07:00
function HostStore (initState, opts) {
BaseStore.call(this, initState)
}
2016-06-21 13:18:32 -07:00
HostStore.prototype.set = function (key, value) {
this._state[key] = value
process.nextTick(this._emitUpdates.bind(this, this._state))
}
2016-06-21 13:18:32 -07:00
HostStore.prototype.createStream = function () {
var dnode = Dnode({
// update: this._didUpdate.bind(this),
})
dnode.on('remote', this._didConnect.bind(this))
return dnode
}
2016-06-21 13:18:32 -07:00
HostStore.prototype._didConnect = function (remote) {
this.subscribe(function (state) {
remote.update(state)
})
remote.update(this._state)
}
//
// remote
//
inherits(RemoteStore, BaseStore)
2016-06-21 13:18:32 -07:00
function RemoteStore (initState, opts) {
BaseStore.call(this, initState)
this._remote = null
}
2016-06-21 13:18:32 -07:00
RemoteStore.prototype.set = function (key, value) {
this._remote.set(key, value)
}
2016-06-21 13:18:32 -07:00
RemoteStore.prototype.createStream = function () {
var dnode = Dnode({
update: this._didUpdate.bind(this),
})
dnode.once('remote', this._didConnect.bind(this))
return dnode
}
2016-06-21 13:18:32 -07:00
RemoteStore.prototype._didConnect = function (remote) {
this._remote = remote
}
2016-06-21 13:18:32 -07:00
RemoteStore.prototype._didUpdate = function (state) {
this._state = state
this._emitUpdates(state)
}