data:image/s3,"s3://crabby-images/10259/10259f2cbc6a86ee087f5a779af0e944cb022b3d" alt=""
Introduction
Happn is a mini database combined with pub/sub, the system stores json objects on paths. Paths can be queried using wildcard syntax. The happn client can run in the browser or in a node process. Happn clients can subscribe to events on paths, events happn when data is changed by a client on a path, either by a set or a remove operation.
Happn stores its data in a collection called 'happn' by default on your mongodb/nedb. The happn system is actually built to be a module, this is because the idea is that you will be able to initialize a server in your own code, and possibly attach your own plugins to various system events.
A paid for alternative to happn would be firebase
Getting started
npm install happn-3
You need NodeJS and NPM of course, you also need to know how node works (as my setup instructions are pretty minimal)
To run the tests, clone the repo, npm install then npm test:
git clone https://github.com/happner/happn-3.git
npm install
npm test
But if you want to run your own service do the following:
Create a directory you want to run your happn in, create a node application in it - with some kind of main.js and a package.json
In node_modules/happn/test in your folder, the 1_eventemitter_embedded_sanity.js and 2_websockets_embedded_sanity.js scripts demonstrate the server and client interactions shown in the following code snippets
for full service and client configuration options
starting service:
The service runs on port 55000 by default - the following code snippet demonstrates how to instantiate a server.
var happn = require('happn-3')
var happnInstance;
happn.service.create({
utils: {
logLevel: 'error',
}
},
function (e, happn) {
if (e)
return callback(e);
happnInstance = happn;
happnInstance.log.info('server up');
});
In your console, go to your application folder and runnode mainyour server should start up and be listening on your port of choice.
THE HAPPN CLIENT
Using node:
var happn = require('happn-3');
var myClient;
const myClientInstance = await HappnClient.create(options);
To use the browser client, make sure the server is running, and reference the client javascript with the url pointing to the running server instances port and ip address like so:
<script type="text/javascript" src="http://localhost:55000/browser_client"></script>
<script>
const myClientInstance = await HappnClient.create(options);
</script>
Intra-process / local client:
although we have direct access to the services (security included) - this method still requires a username and password if the happn instance is secure
service.create(function (e, happnInst) {
if (e) throw e;
happnInstance = happnInst;
happnInstance.services.session.localClient({username:'test', password:'test'}, function(e, instance){
var myLocalClient = instance;
});
});
Intra-process / local admin client:
will pass back a client with admin rights no username or password necessary, this is because we have direct access to the services, security included
service.create(function (e, happnInst) {
if (e) throw e;
happnInstance = happnInst;
happnInstance.services.session.localAdminClient(function(e, instance){
var myLocalAdminClient = instance;
});
});
##NB: NODE_ENV environment variable
Set your NODE_ENV variable to "production" when running happn in a production environment, otherwise your browser client file will be regenerated every time the happn server is restarted.
SET
Puts the json in the branch e2e_test1/testsubscribe/data, creates the branch if it does not exist
myClient.set('e2e_test1/testsubscribe/data/', {property1:'property1',property2:'property2',property3:'property3'}, {noPublish:true}, function(e, result){
});
NB - by setting the option merge:true, the data at the end of the path is not overwritten by your json, it is rather merged with the data in your json, overwriting the fields you specify in your set data, but leaving the fields that are already at that branch.
PUBLISH
publishes the json to all topic subscribers that match e2e_test1/testsubscribe/data, the data is not stored or returned in the response, only the _meta is returned
myClient.publish('e2e_test1/testsubscribe/data/', {property1:'property1',property2:'property2',property3:'property3'}, function(e, result){
result = {
_meta:{
published: true,
type: 'response',
status: 'ok',
eventId: 4,
sessionId: '[guid: your current session id]'
}
}
});
INCREMENT
allows a counter to be incremented by an increment value
single guage - causing on event:
myClient.on('my/increment/guage', function(data){
myClient.get('my/increment/guage', function(e, gotIncrementedData){
expect(gotIncrementedData[data.value].value).to.be(1);
});
}, function(e){
if (e) throw e;
myClient.increment('my/increment/guage', 1, function(e){
if (e) throw e;
});
});
increment multiple times, guage defaults to counter and increment value is 1:
var async = require('async');
async.timesSeries(10, function (time, timeCB) {
myClient.increment('my/guage', function (e) {
timeCB(e);
});
}, function (e) {
myClient.get('my/guage', function (e, result) {
expect(result['counter-0'].value).to.be(10);
});
});
multiple guages on the same path:
var async = require('async');
async.timesSeries(10, function (time, timeCB) {
myClient.increment('my/dashboard', 'counter-' + time, 1, function (e) {
timeCB(e);
});
}, function (e) {
myClient.get('my/dashboard', function (e, result) {
expect(result['counter-0'].value).to.be(1);
expect(result['counter-1'].value).to.be(1);
expect(result['counter-2'].value).to.be(1);
expect(result['counter-3'].value).to.be(1);
expect(result['counter-4'].value).to.be(1);
expect(result['counter-5'].value).to.be(1);
expect(result['counter-6'].value).to.be(1);
expect(result['counter-7'].value).to.be(1);
expect(result['counter-8'].value).to.be(1);
expect(result['counter-9'].value).to.be(1);
});
});
decrement a guage with a minus value:
var incrementCount = 0;
myClient.on('my/test/guage', function (data) {
incrementCount++;
if (incrementCount == 1){
expect(data.value).to.be(3);
expect(data.guage).to.be('custom');
}
if (incrementCount == 2){
expect(data.value).to.be(1);
expect(data.guage).to.be('custom');
}
}, function (e) {
myClient.increment('my/test/guage', 'custom', 3, function (e) {
myClient.get('my/test/guage', function (e, result) {
expect(result['custom'].value).to.be(1);
myClient.increment('my/test/guage', 'custom', -2, function (e) {
myClient.get('my/dashboard', function (e, result) {
expect(result['custom'].value).to.be(1);
});
});
});
});
});
GET
Gets the data living at the specified branch
myClient.get('e2e_test1/testsubscribe/data',
null,
function(e, results){
You can also use wildcards, gets all items with the path starting e2e_test1/testsubscribe/data
myClient.get('e2e_test1/testsubscribe/data*',
null,
function(e, results){
results.map(function(item){
});
You can also just get paths, without data
myClient.getPaths('e2e_test1/testwildcard/*', function(e, results){
SEARCH
You can pass mongo style search parameters to look for data sets within specific key ranges, using limit and skip
var options = {
fields: {"name": 1},
sort: {"name": 1},
limit: 10,
skip:5
}
var criteria = {
$or: [{"region": {$in: ['North', 'South', 'East', 'West']}},
{"town": {$in: ['North.Cape Town', 'South.East London']}}],
"surname": {$in: ["Bishop", "Emslie"]}
}
publisherclient.get('/users/*', {
criteria: criteria,
options: options
},
function (e, search_results) {
search_results.map(function(user){
if (user.name == 'simon')
throw new Error('stay away from this chap, he is dodgy');
});
}
);
Using $regex is a bit different, you can pass in a regex string representation or an array with regex string as the first element and modifiers such as i as the second element depending on whether you want to pass in regex arguments such as case insensitive (i)
var options = {
fields: {"name": 1},
sort: {"name": 1},
limit: 1
}
var criteria = {
"name": {
"$regex": [".*simon.*", "i"]
}
};
var criteriaSimple = {
"name": {
"$regex": ".*simon.*"
}
};
publisherclient.get('/users/*', {
criteria: criteria,
options: options
},
function (e, search_results) {
search_results.map(function(user){
if (user.name == 'simon')
throw new Error('stay away from this chap, he is dodgy');
});
}
);
You can also use skip and limit for paging:
var totalRecords = 100;
var pageSize = 10;
var expectedPages = totalRecords / pageSize;
var indexes = [];
for (let i = 0; i < totalRecords; i++) indexes.push(i);
for (let index of indexes){
await searchClient.set('series/horror/' + index, {
name: 'nightmare on elm street',
genre: 'horror',
episode:index
});
await searchClient.set('series/fantasy/' + index, {
name: 'game of thrones',
genre: 'fantasy',
episode:index
});
}
var options = {
sort: {
"_meta.created": -1
},
limit: pageSize
};
var criteria = {
"genre": "horror"
};
var foundPages = [];
for (let i = 0; i < expectedPages; i++){
options.skip = foundPages.length;
let results = await searchClient.get('series/*', {
criteria: criteria,
options: options
});
foundPages = foundPages.concat(results);
}
let allResults = await searchClient.get('series/*', {
criteria: criteria,
options: {
sort: {
"_meta.created": -1
}
}
});
expect(allResults.length).to.eql(foundPages.length);
expect(allResults).to.eql(foundPages);
DELETE / REMOVE
deletes the data living at the specified branch
myClient.remove('/e2e_test1/testsubscribe/data/delete_me', null, function(e, result){
if (!e)
EVENTS
you can listen to any SET & REMOVE events happening in your data - you can specify a path you want to listen on or you can listen to all SET and DELETE events using a catch-all listener, the * character denotes a wildcard
NB about wildcards:
As of version 8.0.0 the wildcard is a whole word, and the / is used to denote path segments - ie: to get all events for a set or remove with path /my/test/event you need to subscribe to /my/*/*, /my/* and /my* or /my/te*/event will no longer work. One deviation from this limitation is in the usage of variable depth subscriptions (as documented below).
Specific listener:
myClient.on('/e2e_test1/testsubscribe/data/delete_me',
{event_type:'remove',
count:0},
function(
message,
meta){
},
function(e){
});
const handle = await myClient.on('/e2e_test1/testsubscribe/data/delete_me',
{event_type:'remove',
count:0},
function(
message,
meta){
});
await myClient.off(handle);
Catch all listener:
myClient.onAll(function(
message,
meta){
},
function(e){
});
const handle = await myClient.onAll(function(
message,
meta){
});
Once listener:
const handle = await myClient.once('/e2e_test1/testsubscribe/data/delete_me',
{ event_type:'*' },
function(
message,
meta){
});
await myClient.off(handle);
EVENT DATA
you can grab the data you are listening for immediately either by causing the events to be emitted immediately on successful subscription or you can have the data returned as part of the subscription callback using the initialCallback and initialEmit options respectively
listenerclient.on('/e2e_test1/testsubscribe/data/values_on_callback_test/*',
{"event_type": "set",
"initialCallback":true
}, function (message) {
expect(message.updated).to.be(true);
callback();
}, function(e, reference, response){
if (e) return callback(e);
try{
expect(response.length).to.be(2);
expect(response[0].test).to.be('data');
expect(response[1].test).to.be('data1');
listenerclient.set('/e2e_test1/testsubscribe/data/values_on_callback_test/1', {"test":"data", "updated":true}, function(e){
if (e) return callback(e);
});
}catch(e){
return callback(e);
}
});
listenerclient.on('/e2e_test1/testsubscribe/data/values_emitted_test/*',
{"event_type": "set",
"initialEmit":true
}, function (message, meta) {
caughtEmitted++;
if (caughtEmitted == 2){
expect(message.test).to.be("data1");
callback();
}
}, function(e){
if (e) return callback(e);
});
UNSUBSCRIBING FROM EVENTS
//use the .off method to unsubscribe from a specific event (the handle is returned by the .on callback) or the .offPath method to unsubscribe from all listeners on a path:
var currentListenerId;
var onRan = false;
var pathOnRan = false;
listenerclient.on('/e2e_test1/testsubscribe/data/on_off_test', {event_type: 'set', count: 0}, function (message) {
if (pathOnRan) return callback(new Error('subscription was not removed by path'));
else pathOnRan = true;
listenerclient.offPath('/e2e_test1/testsubscribe/data/on_off_test', function (e) {
if (e)
return callback(new Error(e));
listenerclient.on('/e2e_test1/testsubscribe/data/on_off_test', {event_type: 'set', count: 0},
function (message) {
if (onRan) return callback(new Error('subscription was not removed'));
else {
onRan = true;
listenerclient.off(currentListenerId, function (e) {
if (e)
return callback(new Error(e));
publisherclient.set('/e2e_test1/testsubscribe/data/on_off_test', {"test":"data"}, function (e, setresult) {
if (e) return callback(new Error(e));
setTimeout(callback, 2000);
});
});
}
},
function (e, listenerId) {
if (e) return callback(new Error(e));
currentListenerId = listenerId;
publisherclient.set('/e2e_test1/testsubscribe/data/on_off_test', {"test":"data"}, function (e, setresult) {
if (e) return callback(new Error(e));
});
});
});
}, function (e, listenerId) {
if (e) return callback(new Error(e));
currentListenerId = listenerId;
publisherclient.set('/e2e_test1/testsubscribe/data/on_off_test', {"test":"data"}, function (e) {
if (e) return callback(new Error(e));
});
});
TARGETING EVENTS
sets and removes can be targeted for a specific client session, if you have access to a client session id, or need to do a return-ticket post, you can add the session id's you want your event data to go to to the targetClients option
var mySessionId = myClient.sesson.id;
//only publish to myself:
other_client_instance.on('for/my/eyes/only', function(data){
//should NOT receive this
});
myClient.on('for/my/eyes/only', function(data){
//should receive this
});
myClient.set('for/my/eyes/only', {property1:'property1'}, {targetClients:[mySessionId]}, function(e, result){
...
});
EVENTS WITH CUSTOM META
sets and removes can declare custom metadata that will be sent to subscribers
client.set('/some/topic', {DATA: 1}, {meta: {custom: 1}}, function(e) {})
client.on('/some/topic', function(data, meta) {
meta.custom == 1;
});
Reserved meta key names will have no effect. ('created','modified','path','action','type','published','status','eventId','sessionId')
MERGE SUBSCRIPTIONS
you can subscribe to data changes on set/remove and specify only to recieve the merge data as posted in the set operation with the merge:true option, NB: this is not a true delta, as you may receive some duplicate input fields
myClient.on('/merge/only/path', {
event_type: 'set',
merge: true
}, function (message) {
console.log('emit happened - message is {some:"data"}');
}, function (e) {
console.log('subscription happened');
});
myClient.set('/merge/only/path',
{some:"data"},
{merge:true},
function (e) {
console.log('set happened');
});
VARIABLE DEPTH SUBSCRIPTIONS
A special subscription, with a trailing /** on the path, allows for subscriptions to multiple wildcard paths, up to a specific depth
const happn = require('happn-3');
const myClient = await happn.client.create({config:{username:'_ADMIN', password:'happn', defaultVariableDepth:10}});
var handler = function(data){
};
myClient.on('/test/path/**', { depth:4 }, handler, function(e, variableDepthHandle){
});
myClient.on('/test/path/*', handler, function(e){
});
myClient.on('/test/path/*/*', handler, function(e){
});
myClient.on('/test/path/*/*/*', handler, function(e){
});
myClient.on('/test/path/*/*/*/*', handler, function(e){
});
myClient.on('/test/path/**', {
"event_type": "set",
"initialEmit": true
}, function (message, meta) {
});
myClient.on('/test/path/**', {
"event_type": "set",
"initialCallback": true
}, function (message) {
expect(message.updated).to.be(true);
callback();
}, function (e, reference, response) {
});
MERGING
you can do a set command and specify that you want to merge the json you are pushing with the existing dataset, this means any existing values that are not in the set json but exist in the database are persisted
myClient.set('e2e_test1/testsubscribe/data/', {property1:'property1',property2:'property2',property3:'property3'}, {merge:true}, function(e, result){
});
SESSION AND CONNECTION EVENTS:
these events are emitted if the client connection state or session state changes
myClient.onEvent('session-ended', (evt) => {
});
myClient.onEvent('reconnect-scheduled', (evt) => {
});
myClient.onEvent('reconnect-successful', (evt) => {
});
After version 11.6.0, by default some basic session info is logged whenever a client attached or detaches in the format, as stringified JSON:
{
"event",
"username",
"sourceAddress",
"sourcePort",
"upgradeUrl",
"happnVersion",
"happnProtocolVersion"
}
This can be switched off by updating the session service config:
const Happn = require('happn-3');
let myService = await Happn.service.create({
name: 'TEST-NAME',
secure: true,
services: {
session: {
config: {
disableSessionEventLogging:true
}
}
}
});
CLIENT DISCONNECTION AND LOGOUT
the happn client can disconnect using a plain disconnect() method (Promise) - or you can disconnect with options, one of which is revokeToken:true, this will disconnect the client and revoke the access token for the client - all other clients created with the same token will be disconnected as well, there is a convenience logout() method that is in effect the same as disconnect({ revokeToken: true })
const happn = require('happn-3');
const myClient = await happn.client.create({ username:'_ADMIN', password:'happn'});
const myOtherClient = await happn.client.create({ username:'_ADMIN', token: myClient.session.token });
await myClient.disconnect();
await myClient.disconnect({ revokeToken: true });
await myClient.logout();
INFINITE TOKEN REVOCATION
revoking a token that is configured with an infinite ttl or ttl with a value of 0 comes with the risk of having an ever growing token revocation list, this could cause the system to eventually run out of memory
const happn = require('happn-3');
const happnInstance = await happn.service.create({
secure: true,
services: {
security: {
config: {
allowTTL0Revocations: false,
profiles: [
{
name: 'infinite-token',
session: {
'user.username': 'LONG_LIVED_USER',
},
policy: {
ttl: Infinity,
},
},
],
},
},
},
});
const credentials = { username: 'LONG_LIVED_USER', password: 'xxx' };
await happnInstance.services.security.users.upsertUser(credentials);
const myClient = await happn.client.create(credentials);
try {
await myClient.logout();
console.log('UNEXPECTED SUCCESS');
} catch (e) {
console.log(`EXPECTED FAILURE: ${e.message}`);
await happnInstance.stop();
}
SECURITY
happn server instances can be secured with user and group authentication and authorisation, a default user and group called _ADMIN is created per happn instance, the admin password is 'happn' but is configurable (MAKE SURE PRODUCTION INSTANCES DO NOT RUN OFF THE DEFAULT PASSWORD)
var happn = require('happn-3');
var happnInstance;
happn.service.create({secure:true, adminUser:{password:'testPWD'}},
function (e, instance) {
if (e)
return callback(e);
happnInstance = instance;
});
at the moment, adding users, groups and permissions can only be done by directly accessing the security service, to see how this is done - please look at the functional test for security
SECURITY CLIENT
the client needs to be instantiated with user credentials and with the secure option set to true to connect to a secure server
var happn = require('happn-3');
happn.client.create({username:'_ADMIN', password:'testPWD', secure:true},function(e, instance) {
SECURITY USERS AND GROUPS
to modify users and groups, a direct code based connection to the happn-3 security service is required, thus users and groups should not be modified in any way over the wire
add a group
var happn = require('happn-3')
var happnInstance;
happn.service.create({secure:true, adminUser:{password:'testPWD'}},
function (e, myHappn3Instance) {
var myGroup = {
name:'TEST',
permissions:{
'/test/path/*':{actions:['get', 'set']},
'/test/allow/all':{actions:['*']}
},
custom_data:{
test:'data'
}
};
myHappn3Instance.services.security.groups.upsertGroup(myGroup)
.then(function(upserted){
})
});
list groups
var happn = require('happn-3')
var happnInstance;
happn.service.create({secure:true, adminUser:{password:'testPWD'}},
function (e, myHappn3Instance) {
var myGroup = {
name:'TEST',
permissions:{
'/test/path/*':{actions:['get', 'set']},
'/test/allow/all':{actions:['*']}
},
custom_data:{
test:'data'
}
};
myHappn3Instance.services.security.groups.upsertGroup(myGroup)
.then(function(upserted){
return myHappn3Instance.services.security.groups.listGroups('TES*', {
criteria:{
name:{$eq:'TEST'}
},
});
})
.then(function(group){
});
});
if we are using mongodb, we are able to specify collation for listing users see the mongo tests.
NB! permissions are separate to the group, so when upserting the group and it already exists with other permissions the current upserts permissions are merged with the existing ones, down to action level
add a user
var happn = require('happn-3')
var happnInstance;
happn.service.create({secure:true, adminUser:{password:'testPWD'}},
function (e, myHappn3Instance) {
var myUser = {
username: 'TEST',
password: 'TEST PWD',
custom_data: {
something: 'usefull'
}
};
myHappn3Instance.services.security.users.upsertUser(myUser)
.then(function(upserted){
})
});
link a fetched user to a fetched group
demonstrates getUser, getGroup and linkGroup
var happn = require('happn-3')
var happnInstance;
happn.service.create({secure:true, adminUser:{password:'testPWD'}},
function (e, myHappn3Instance) {
var myUser, myGroup;
myHappn3Instance.services.security.users.getUser('TEST')
.then(function(user){
myUser = user;
return myHappn3Instance.services.security.groups.getGroup('TEST');
})
.then(function(group){
myGroup = group;
return myHappn3Instance.services.security.groups.linkGroup(myGroup, myUser);
})
.then(function(){
});
});
list users
user can be listed by group name (exact match) or by a username (partial match with wildcard - with optional additional criteria)
var happn = require('happn-3')
var happnInstance;
happn.service.create({secure:true, adminUser:{password:'testPWD'}},
function (e, myHappn3Instance) {
myHappn3Instance.services.security.users.listUsers('TEST*', {
criteria:{username:{$eq:'TESTUSER1'}},
})
.then(function(users){
return myHappn3Instance.services.security.users.listUsersByGroup('TEST', {criteria:{custom_data:1}})
})
.then(function(users){
return myHappn3Instance.services.security.users.listUserNamesByGroup('TEST');
})
.then(function(usernames){
});
});
upsert a permission
permissions can be merged by saving a group, or permissions can be added to a group piecemeal in the following way:
var happn = require('happn-3')
var happnInstance;
happn.service.create({secure:true, adminUser:{password:'testPWD'}},
function (e, myHappn3Instance) {
myHappn3Instance.services.security.groups.upsertPermission('TEST', '/test/path/*' , 'on' , true )
.then(function () {
});
});
remove a permission
permissions can be removed piecemeal as follows:
var happn = require('happn-3')
var happnInstance;
happn.service.create({secure:true, adminUser:{password:'testPWD'}},
function (e, myHappn3Instance) {
myHappn3Instance.services.security.groups.removePermission('TEST', '/test/path/*' , 'on' )
.then(function () {
})
.catch(done);
});
remove a permission by upserting a group
- a group can be upserted with a set of permissions which are merged into the permissions tree, permissions that have "prohibit" actions are removed *
var happn = require('happn-3')
var happnInstance;
happn.service.create({secure:true, adminUser:{password:'testPWD'}},
function (e, myHappn3Instance) {
var myGroup = {
name:'TEST',
permissions:{
'/test/path/*':{actions:['get', 'set']},
'/test/allow/all':{actions:['*']}
'/test/do/not/subscribe':{prohibit:['on']}
},
custom_data:{
test:'data'
}
};
myHappn3Instance.services.security.groups.upsertGroup(myGroup)
.then(function(upserted){
});
});
ANONYMOUS USER
The anonymous user can be enabled using the following configuration:
var happn = require('happn-3')
var happnInstance = await happn.service.create({
secure: true,
services: {
security: {
config: {
allowAnonymousAccess: true
}
}
}
});
const anonymousClient = await happn.client.create({
username: '_ANONYMOUS'
});
- the anonymous user can log in without a password, the username must just be _ANONYMOUS
- the anonymous user can be given permissions to allow for actions in the system that dont require authentication
USER PERMISSIONS
It is not necessary to use groups as the containers for permissions - permissions can also be added directly to users:
const myUser = {
username: 'test_username',
password: 'test_pwd',
permissions: {}
};
myUser.permissions['/test/path/*'] = {
actions: ['on', 'set']
};
await myHappn3Instance.services.security.users.upsertUser(testUser2, {});
await myHappn3Instance.services.security.users.removePermission(
addedTestuser2.username,
'/test/path/*',
'on'
)
await myHappn3Instance.services.security.users.removePermission(
addedTestuser2.username,
'/test/path/*',
'set'
)
await myHappn3Instance.services.security.users.removePermission(
addedTestuser2.username,
'/test/path/*'
)
await myHappn3Instance.services.security.users.upsertPermission(
addedTestuser2.username,
'/test/path/*',
'set'
)
const permissions = await myHappn3Instance.services.security.users.listPermissions(
addedTestuser2.username
)
[
{ action: 'set', authorized: true, path: '/test/path/*' }
]
NESTED PERMISSIONS FOR GET AND SET
by default, nested permissions are not switched on, hence a call to get or listen on 'test/path/**' will be unauthroized unless you explicitly have permissions on 'test/path/*'
Switching on nested permissions:
In the happn config, add an 'allowNestedPermissions' flag, set to true:
const Happn = require('happn-3');
let myService = await Happn.service.create({
name: 'TEST-NAME',
secure: true,
allowNestedPermissions: true,
services: {
...
}
});
Nested permissions behaviour:
If you attempt to get or listen on a path ending in '/**', your permissions on that path, and its subpaths, will be evaluated, and you will get, or listen on, all subpaths which you have access to, and only those subpaths. Note that if you do not have permissions on any subpaths, you will still get an 'unauthorized' response.
In the case of events, if you have subscribed on a nested path (ending in '/**'), your subscriptions will change if your permissions change on subpaths of that path.
Nested listener behaviour example:
var myGroup = {
name:'TEST',
permissions:{
'/test/path/1':{actions:['get', 'on']},
'/test/path/2/3':{actions:['get', 'on']},
'/test/path/4/5/6':{actions:['get', 'on']}
}
};
A user who is a member of 'myGroup' and subscribes on 'test/path/**' will get events on exactly '/test/path/1', '/test/path/2/3' and '/test/path/4/5/6', and they will fire the handler for 'test/path/**'
If the group subsequently loses permissions on 'test/path/1', events on that path will no longer fire the handler, and similarly if the group gains permissions on 'test/path/xyz', events on that path will fire the handler.
VOLATILE PERMISSIONS
by default, permissions are persisted via the default data provider, this is typically to a file (when using nedb) - or to a mongo database. In situations where you do not want to persist permissions between restarts, you can by adjusting the persistPermissions security config setting to false:
const Happn = require('happn-3');
let myService = await Happn.service.create({
name: 'TEST-NAME',
secure: true,
services: {
security: {
config: {
persistPermissions:false
}
},
data: {
config: {
filename: filename
}
}
}
});
*NB: *
SECURITY PROFILES
profiles can be configured to fit different session types, profiles are ordered sets of rules that match incoming sessions with specific policies, the first matching rule in the set is selected when a session is profiled, so the order they are configured in the array is important
var serviceConfig = {
services:{
security: {
config: {
sessionTokenSecret:"TESTTOKENSECRET",
keyPair: {
privateKey: 'Kd9FQzddR7G6S9nJ/BK8vLF83AzOphW2lqDOQ/LjU4M=',
publicKey: 'AlHCtJlFthb359xOxR5kiBLJpfoC2ZLPLWYHN3+hdzf2'
},
profiles:[
{
name:"web-session",
session:{
$and:[{
user:{username:{$eq:'WEB_SESSION'}},
type:{$eq:0}
}]
},
policy:{
ttl: "4 seconds",
inactivity_threshold:2000
}
}, {
name:"rest-device",
session:{
$and:[{
user:{groups:{
"REST_DEVICES" : { $exists: true }
}},
type:{$eq:0}
}]},
policy: {
ttl: 2000
}
},{
name:"trusted-device",
session:{
$and:[{
user:{groups:{
"TRUSTED_DEVICES" : { $exists: true }
}},
type:{$eq:1}
}]},
policy: {
ttl: 2000,
permissions:{
'/TRUSTED_DEVICES/*':{actions: ['*']}
}
}
},{
name:"specific-device",
session:{$and:[{
type:{$in:[0,1]},
ip_address:{$eq:'127.0.0.1'}
}]},
policy: {
ttl: Infinity,
inactivity_threshold:Infinity,
permissions:{
'/SPECIFIC_DEVICE/*':{actions: ['get','on']}
}
}
},
{
name:"non-reusable",
session:{$and:[{
user:{groups:{
"LIMITED_REUSE" : { $exists: true }
}},
type:{$in:[0,1]}
}]},
policy: {
usage_limit:2
}
}, {
name:"default-stateful",
session:{
$and:[{type:{$eq:1}}]
},
policy: {
ttl: Infinity,
inactivity_threshold:Infinity
}
}, {
name:"default-stateless",
session:{
$and:[{type:{$eq:0}}]
},
policy: {
ttl: 60000 * 10,
inactivity_threshold:Infinity
}
}, {
name:"ip address whitelist",
session:{
$and:[{
user:{username:{$eq:'WEB_SESSION'}}
}]
},
policy: {
sourceIPWhitelist: [
'127.0.0.1',
'::ffff:127.0.0.1'
]
}
}
]
}
}
}
};
the test that clearly demonstrates profiles can be found here
the default policies look like this:
{
name:"default-stateful",
session:{
$and:[{type:{$eq:1}}]
},
policy: {
ttl: 0,
inactivity_threshold:Infinity
}
}
{
name:"default-stateless",
session:{
$and:[{type:{$eq:0}}]
},
policy: {
ttl: 0,
inactivity_threshold:Infinity
}
}
NB NB - if no matching profile is found for an incoming session, one of the above is selected based on whether the session is stateful or stateless, there is no ttl or inactivity timeout on both policies - this means that tokens can be reused forever (unless the user in the token is deleted) rather push to default policies to your policy list which would sit above these less secure ones, with a ttl and possibly inactivity timeout
TEMPLATED PERMISSIONS
permissions can be templated to the current session using {{handlebars}} syntax, the template context is the current session and its sub-objects
code snippets have been taken from the this test
average session object looks like this:
var sessionObj = {
"id": "ec5d673b-cf28-4a0a-8a12-396f20aaaf57",
"username": "TEST USER@blah.com1528278832638_V1DWIA5xxB",
"isToken": false,
"permissionSetKey": "uJgq//rc4saoc1MSjqyB3KvJEUs=",
"user": {
"username": "TEST USER@blah.com1528278832638_V1DWIA5xxB",
"custom_data": {
"custom_field2": "custom_field2_changed",
"custom_field3": "custom_field3_changed",
"custom_field4": "custom_field4_value",
"custom_field5": "custom_field5_value",
"custom_field_forbidden": "*"
},
"groups": {
"TEST GROUP1528278832638_V1DWIA5xxB": {
"data": {}
}
}
}
}
we can save a group with templated permissions that give the user access to paths containing its username like so:
var testGroup = {
name: 'TEST GROUP' + test_id,
custom_data: {
customString: 'custom1',
customNumber: 0
}
};
testGroup.permissions = {
'/gauges/{{user.username}}': {
actions: ['*']
},
'/gauges/{{user.username}}/*': {
actions: ['*']
},
'/custom/{{user.custom_data.custom_field1}}': {
actions: ['get', 'set']
}
};
var testUser = {
username: 'TEST USER@blah.com' + test_id,
password: 'TEST PWD',
custom_data: {
custom_field1: 'custom_field1_value'
}
};
var addedTestGroup, addedTestUser, testClient;
myHappnService.services.security.groups.upsertGroup(testGroup)
.then(function(result){
addedTestGroup = result;
return myHappnService.services.security.users.upsertUser(testUser);
})
.then(function(result){
addedTestUser = result;
return myHappnService.services.security.users.linkGroup(addedTestGroup, addedTestuser);
})
.then(function(result){
return myHappnService.services.session.localClient({
username: testUser.username,
password: 'TEST PWD'
});
})
.then(function(clientInstance){
testClient = clientInstance;
done();
})
.catch(done);
then from the testClient access the path the template resolves to like so:
var username = 'TEST USER@blah.com' + test_id;
testClient.on('/gauges/' + username, function(data) {
expect(data.value).to.be(1);
expect(data.gauge).to.be('logins');
done();
}, function(e) {
if (e) return done(e);
testClient.increment('/gauges/' + username, 'logins', 1, function(e) {
if (e) return done(e);
});
});
NB: permissions that resolve to context properties with * in them are ignored lest there be the chance for unauthorized promotion of the users privileges, ie:
var exampleUser = {
username:'test',
password:'blah',
custom_data:{
test:'*'
}
}
var exampleGroup = {
name:'test',
permissions:{
'users/{{user.custom_data.test}}/gauges/*':{actions:['on', 'set']}
}
}
WEB PATH LEVEL SECURITY
the http/s server that happn uses can also have custom routes associated with it, when the service is run in secure mode - only people who belong to groups that are granted @HTTP permissions that match wildcard patterns for the request path can access resources on the paths, here is how we grant permissions to paths:
var happn = require('happn-3')
var happnInstance;
happn.service.create({secure:true, adminUser:{password:'testPWD'}},
function (e, instance) {
if (e)
return callback(e);
happnInstance = instance;
var testGroup = {
name:'TEST GROUP',
custom_data:{
customString:'custom1',
customNumber:0
}
}
testGroup.permissions = {
'/@HTTP/secure/route/*':{actions:['get']},
'/@HTTP/secure/another/route/test':{actions:['put','post']}
};
happnInstance.services.security.upsertGroup(testGroup, {}, function(e, group){
happnInstance.connect.use('/secure/route/test', function(req, res, next){
res.setHeader('Content-Type', 'application/json');
res.end(JSON.stringify({"secure":"value"}));
});
happnInstance.connect.use('/secure/another/route/test', function(req, res, next){
res.setHeader('Content-Type', 'application/json');
res.end(JSON.stringify({"secure":"value"}));
});
});
});
logging in with a secure client gives us access to a token that can be used, either by embedding the token in a cookie called happn_token or a query string parameter called happn_token, if the login has happened on the browser, the happn_token is automatically set by default
var happn = require('happn-3');
happn.client.create({username:'_ADMIN', password:'testPWD'},function(e, instance) {
var http = require('http');
var options = {
host: '127.0.0.1',
port:55000,
path:'/secure/route/test'
}
if (use_query_string) options.path += '?happn_token=' + instance.session.token;
else options.headers = {'Cookie': ['happn_token=' + instance.session.token]}
http.request(options, function(response){
}).end();
});
*A Bearer authorization token can also be used to do http requests with, as follows: *
var happn = require('happn-3');
happn.client.create({username:'_ADMIN', password:'testPWD'},function(e, instance) {
var request = require('request');
var options = {
url: 'http://127.0.0.1:55000/my/special/middleware',
};
options.headers = {'Authorization': ['Bearer ' + instance.session.token]};
request(options, function (error, response, body) {
});
});
SECURITY OPTIONS
disableDefaultAdminNetworkConnections - this config setting prevents any logins of the default _ADMIN user via the network, thus only local (intra process) _ADMIN connections are allowed:
var happn = require('happn-3');
happn.service.create({
secure: true,
port:55002,
disableDefaultAdminNetworkConnections:true
}, function(e, service){
happn_client.create({
config: {
username: '_ADMIN',
password: 'happn',
port:55002
}
}, function (e, instance) {
expect(e.toString()).to.be('AccessDenied: use of _ADMIN credentials over the network is disabled');
});
});
serviceInstanceLocked.services.session.localAdminClient(function(e, adminClient){
if (e) return done(e);
adminClient.get('/_SYSTEM/*', function(e, items){
expect(items.length > 0).to.be(true);
});
});
serviceInstanceLocked.services.session.localClient({
username:'_ADMIN',
password:'happn'
}, function(e, adminClient){
adminClient.get('/_SYSTEM/*', function(e, items){
expect(items.length > 0).to.be(true);
});
});
AUTHENTICATION PROVIDER(S)
Happn-3 can now be configured with multiple, and/or custom authentication providers. By default, happn-3 will launch using the "happn" authentication provider,
and work as it has always done. In order to use a different authentication provider, you must pass in either an absolute path, or an installed module name,
in the security service config.
Example: Happn-3 and 2 other providers, otherAuthProvider default:
const serviceConfig = {
secure: true,
services: {
security: {
config: {
authProviders:{
otherAuthProvider: '/path/to/other/provider.js',
moduleProvider: 'moduleName'
},
defaultAuthProvider: 'otherAuthProvider'
}
}
};
var happn = require('../lib/index')
var service = happn.service;
service.create(serviceConfig, function(e, happnInst) {
});
Specifying which authentication provider to use:
The authentication provider to use can be specified either by saving a user with an authType property, or by specifying the authType in the login request
Defining authType by user:
This below instance's security service is being created with the option allowUserChooseAuthProvider: false
, that disables the authType being provided on request, this means the authType must be attached to the user, requests with authType defined against a server configured with allowUserChooseAuthProvider: false
will be rejected as with an "Invalid credentials" response:
let happn = require('happn-3');
let service = await happn.service.create({
secure: true,
services: {
security: {
config: {
allowUserChooseAuthProvider: false,
authProviders:{
customAuthProvider: 'my-custom-auth-module',
}
}
}
}
});
A user is added with the property authType: 'customAuthProvider'
, logins for this username will automatically use the configured custom authentication provider:
await service.services.security.users.upsertUser({
username: 'test',
password: 'test',
authType: 'customAuthProvider'
});
Defining authType by request:
In order to specify which authentication provider to use, requests should add a flag, authType: 'auth-provider-name'
, to the credentials object used at login, where name is the providers name (as it appears as a key in config.authProviders).
Example to authenticate with moduleProvider:
happn.client.create({username: "user", password: "pass", authType: "moduleProvider"}, ...)
\\or
happpnInstance.services.security.login( {username: "user", password: "pass", authType: "moduleProvider"}, ...)
NB: this will only work with a server security configuration with allowUserChooseAuthProvider: undefined || true
CREATING CUSTOM AUTH PROVIDERS (AND TEMPLATE)
The file or module which contains the custom auth provider should be structured as a function which returns a class that extends the functions argument. The custom auth provider should implement at least one of the functions, __providerCredsLogin and __providerTokenLogin and will have access to the __loginOK and __loginFailed methods as well as the other methods of the base auth provider class which can be examined at ./lib/services/security/authentication/provider-base.js
Example/template auth module:
module.exports = function(BaseAuthProviderClass) {
return class AuthProvider extends BaseAuthProviderClass {
coonstructor(happn,config) {
super(happn,config)
}
static create(happn,config) {
return new AuthProvider(happn, config);
}
__providerCredsLogin(credentials, sessionId, callback) {
if (credentials.username === 'good user') {
return this.__loginOK(credentials, user, sessionId, callback);
}
this.__loginFailed(credentials.username, 'ErrorMessage', new Error("failed"), callback );
}
__providerTokenLogin(credentials, decodedToken, sessionId, callback) {
if (credentials.token === "good token" && decodedToken.username === "good user") {
return this.__loginOK(credentials, user, sessionId, callback);
}
this.__loginFailed(decodedToken.username, 'ErrorMessage', new Error("failed"), callback);
}
}
}
UNCONFIGURED SESSION CLEANUP
because we do not use client certificates to manage connections to a happn instance as part of the framework, sockets can be created that are not necessarily logged in, although they would be unable to do anything data-wise, these sockets could clog up allowed upgrade requests in a rate limited setup. The server, if secure, can be setup to disconnect sockets that have not logged in and have no user data attached to them within a specific period
const serviceConfig = {
secure: true,
services: {
session: {
config: {
unconfiguredSessionCleanup: {
interval: 5e3,
threshold: 30e3,
verbose: false
}
}
}
}
};
var happn = require('../lib/index')
var service = happn.service;
service.create(serviceConfig, function(e, happnInst) {
});
NB: unconfigured socket removal can only be set up for secure servers
HTTPS SERVER
happn can also run in https mode, the config has a section called transport
var config = {
services: {
transport:{
config:{
mode: 'https',
cert: '-----BEGIN CERTIFICATE-----\nMIICpDCCAYwCCQDlN4Axwf2TVzANBgkqhkiG9w0BAQsFADAUMRIwEAYDVQQDEwls\nb2NhbGhvc3QwHhcNMTYwMTAzMTE1NTIyWhcNMTcwMTAyMTE1NTIyWjAUMRIwEAYD\nVQQDEwlsb2NhbGhvc3QwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDc\nSceGloyefFtWgy8vC7o8w6BTaoXMc2jsvMOxT1pUHPX3jJn2bUOUC8wf3vTM8o4a\n0HY+w7cEZm/BuyTAV0dmS5SU43x9XlCF877jj5L6+ycZDncgyqW3WUWztYyqpQEz\nsMu76XvNEHW+jMMv2EGtze6k1zIcv4FiehVZR9doNOm+SilmmfVpmTmQk+E5z0Bl\n8CSnBECfvtkaYb4YqsV9dZXZcAm5xWdid7BUbqBh5w5XHz9L4aC9WiUEyMMUtwcm\n4lXDnlMkei4ixyz8oGSeOfpAP6Lp4mBjXaMFT6FalwCDAKh9rH2T3Eo9fUm18Dof\nFg4q7KcLPwd6mttP+dqvAgMBAAEwDQYJKoZIhvcNAQELBQADggEBABf8DZ+zv1P7\n8NnDZzuhif+4PveSfAMQrGR+4BS+0eisciif1idyjlxsPF28i82eJOBya4xotRlW\netAqSIjw8Osqxy4boQw3aa+RBtEAZR6Y/h3dvb8eI/jmFqJzmFjdGZzEMO7YlE1B\nxZIbA86dGled9kI1uuxUbWOZkXEdMgoUzM3W4M1ZkWH5WNyzIROvOGSSD73c1fAq\nkeC9MkofvTh3TO5UXFkLCaaPLiETZGI9BpF34Xm3NHS90Y7SUVdiawCVCz9wSuki\nD98bUTZYXu8dZxG6AdgAUEFnMuuwfznpdWQTUpp0k7jbsX/QTbFIjbI9lCZpP9k7\np07A5npzFVo=\n-----END CERTIFICATE-----',
key: '-----BEGIN RSA PRIVATE KEY-----\nMIIEpAIBAAKCAQEA3EnHhpaMnnxbVoMvLwu6PMOgU2qFzHNo7LzDsU9aVBz194yZ\n9m1DlAvMH970zPKOGtB2PsO3BGZvwbskwFdHZkuUlON8fV5QhfO+44+S+vsnGQ53\nIMqlt1lFs7WMqqUBM7DLu+l7zRB1vozDL9hBrc3upNcyHL+BYnoVWUfXaDTpvkop\nZpn1aZk5kJPhOc9AZfAkpwRAn77ZGmG+GKrFfXWV2XAJucVnYnewVG6gYecOVx8/\nS+GgvVolBMjDFLcHJuJVw55TJHouIscs/KBknjn6QD+i6eJgY12jBU+hWpcAgwCo\nfax9k9xKPX1JtfA6HxYOKuynCz8HeprbT/narwIDAQABAoIBADoWFk+t6PxtbCQ+\nyTVNkVkueFsmjotfrz4ldDCP7RCa5lzVLU/mddhW2AdbYg+csc3uRA++ycaWQEfE\nUieJnCEkMtSju5LPSMpZgG8+z5Hwodmgj9cMuG/FUXTWnXXttohryP0Ozv8+pN2O\n/nTiQEdVMuUyfVtJQBO4f2KgZ/No6uuSGhYEGFRTRUgdM1E1f2yTu82HIfETAbnW\nMHpdhQORQKmHr7cE9/sr7E+BhJPSQxGZKmgi+/8tiHXAW5MoZ4K88EO9V/BnVHcL\n/1uVUJOvcyf2mEtsQ22WCeelPChoE8TH1lf0HHadqse5+eu9l3LQWb4Z96fZRK7G\nesk+WAkCgYEA/ZueKDbiyT2i9pS1VDop9BLDaxC3GWwYAEU8At/KzXAfuKdzcduj\nZuMBecS5SgU3wW/1hqBJ2lQF8ifUzQUuyh1tydSnolafurvHDqkWzgbo6EbjjFro\nAyyHHtYRxo/f1TWWs6RpNjJ3hDCc3OpghkwkZkN9v9wd4RMCW2kdA2MCgYEA3l20\nhxpSTJffbKKQTAxURW9v+YUxNQFb74892AMlCnMiCppvS0it8wt0gJwnlNPV92no\nUVLZ+gVXdo8E+kKca4GW/TDgceDPqw2EbkTF1ZCxxy/kwgPWR471ku3Zyg6xel3Z\nMU67EriKz1zJaMjm7JmSjoz3+u8PbLYIf+fpm0UCgYAnkU0GtzGA9lXjpOX5oy2C\ngB7vKGd41u2TtTmctS/eB51bYPzZCcyfs9E6H2BNVS0SyBYFkCKVpsBavK4t4p4f\nOKI1eDFDWcKIDt4KwoTlVhymiNDdyB0kyaC3Rez2DuJ8UGUX2BH2O797513B9etj\naKPRNLx836nlwOKAQpEdQwKBgQCvV7io6CqJVyDI6w9ZyEcTUaI8YbjBkUbLimo7\n0Y79xHfNYKXt+WuhQSEm4PudMcWBCTQ2HFzh+CBVzsUgCjKJ23ASSt5RLfLTcR9C\nTFyr4SMubCe4jYoEd0hSCdg4qolscmB3rxt40agzh3kSdYkSfK7CVYqdhrDlCk19\nfoQI+QKBgQD9PIEvhEnQO0R1k3EzchRo67IkWLyR4uX4hXa7IOXppde9dAwhbZqP\nUkw8tqj7Cg02hfXq+KdRn+xfh6pc708RMqqdqNqSfL2PYedAR65hDKV4rL8PVmL9\n0P4j3FT1nwa/sHW5jLuO5TcevPrlhEQ9xVbKw7I7IJivKMamukskUA==\n-----END RSA PRIVATE KEY-----'
}
}
}
}
var config = {
services:{
transport:{
config:{
mode: 'https',
certPath: __dirname + path.sep + 'b7_cert.pem',
keyPath: __dirname + path.sep + 'b7_key.rsa'
}
}
}
}
var config = {
services:{
transport:{
config:{
mode: 'https'
}
}
}
}
var happn = require('../lib/index')
var service = happn.service;
var happnInstance;
service.create(config ...
HTTPS CLIENT
NB - the client must now be initialized with a protocol of https, and if it is the node based client and the cert and key file was self signed, the allowSelfSignedCerts option must be set to true
var happn = require('happn-3');
happn.client.create({protocol:'https', allowSelfSignedCerts:true},function(e, instance) {
...
BROWSER CLIENT AND COOKIES
HTTPS COOKIE, AND COOKIE NAME
On the browser, by default the the token established in a successful authentication is put into a cookie, the cookie name is by default happn_token, but is configurable in the security service config. If the httpsCookie option is switched on, the browser will store the cookie name with _https appended to it if it is connecting to the server via https, and the server will know to check incoming https requests for the correct name. This is so that the client can switch between http and https and re-login in http mode without causing a failure when it tries to save over the Secure cookie it created in a previous https session.
const serviceConfig = {
secure:true,
services: {}
};
serviceConfig.services.transport = {
config:{
mode: 'https'
}
}
serviceConfig.services.security = {
config:{
cookieName: 'myCookie',
httpsCookie: true
}
}
var happn = require('happn');
var service = happn.service;
service.create(serviceConfig, function(e, happnInst) {
});
LOGGING IN WITH THE COOKIE
in an environment where there are multiple browser clients, and a primary client has logged in and the cookie has been written to storage, it is possible to create a client and log in with the existing cookie
let client = await HappnClient.create({
port: 55003,
protocol: 'https',
useCookie: true,
});
COOKIE LIFECYCLE EVENTS
a cookie event handler can be attached via the client options - this handler will field the following cookie lifecycle events:
- cookie-created: when there was no cookie and a new one has appeared (broadcasted to any client in the current window)
- cookie-deleted: happens when there was a cookie and it has been expired by a client (broadcasted to any client in the current window)
let client = await HappnClient.create({
port: 55003,
protocol: 'https',
useCookie: true,
cookieEventHandler: (event, cookie) => {
if (event === 'cookie-created') console.log(`Someone (maybe me) created a new cookie: ${cookie}`);
if (event === 'cookie-deleted') console.log(`Someone (maybe me) deleted this cookie on disconnect: ${cookie}`);
}
});
HTTP/S KEEPALIVES
socket keepalives are set to 2 minutes by default, but this can be configured as follows:
const serviceConfig = {
services: {
transport: {
config: {
keepAliveTimeout:180000
}
}
}
};
var happn = require('../lib/index')
var service = happn.service;
service.create(serviceConfig, function(e, happnInst) {
});
PRIMUS OPTIONS
primusOpts in the configuration can be adjusted to control how websocket connections are served, see primus documentation here:
const serviceConfig = {
services: {
session: {
config: {
primusOpts:{
compression: true,
maxLength: 100000,
pingInterval: 2000,
}
}
}
}
};
var happn = require('../lib/index')
var service = happn.service;
service.create(serviceConfig, function(e, happnInst) {
});
INBOUND AND OUTBOUND LAYERS (MIDDLEWARE)
incoming and outgoing packets delivery can be intercepted on the server side, as demonstrated below:
var layerLog1 = [];
var layerLog2 = [];
var layerLog3 = [];
var layerLog4 = [];
var inboundLayers = [
function(message, cb){
layerLog3.push(message);
return cb(null, message);
},
function(message, cb){
layerLog4.push(message);
return cb(null, message);
}
];
var outboundLayers = [
function(message, cb){
layerLog1.push(message);
return cb(null, message);
},
function(message, cb){
layerLog2.push(message);
return cb(null, message);
}
];
var serviceConfig = {
secure: true,
services:{
protocol:{
config:{
outboundLayers:outboundLayers,
inboundLayers:inboundLayers
}
}
}
};
service.create(serviceConfig,
function (e, happnInst) {
if (e) return callback(e);
var serviceInstance = happnInst;
happn_client.create(
{
username: '_ADMIN',
password: 'happn'
info:{
from:'startup'
}
}, function (e, instance) {
if (e) return callback(e);
var clientInstance = instance;
clientInstance.on('/did/both', function(data){
expect(layerLog1.length > 0).to.be(true);
expect(layerLog2.length > 0).to.be(true);
expect(layerLog3.length > 0).to.be(true);
expect(layerLog4.length > 0).to.be(true);
clientInstance.disconnect(function(){
serviceInstance.stop({reconnect:false}, callback);
});
}, function(e){
if (e) return callback(e);
clientInstance.set('/did/both', {'test':'data'}, function(e){
if (e) return callback(e);
});
});
});
}
);
CONSISTENCY (Quality of service)
set and remove operations can be done with an optional parameter called consistency, which changes the behaviour of the resulting publish, consistency values are numeric and follow:
0 - QUEUED (spray and pray) - the publication is queued and the callback happens, when you are optimistic about the publish happening
1 - DEFERRED (asynchronous notification) - the publication is queued and the callback happens, but you are required to pass in the onPublish handler and will thus get a notification on how the publish went later
2 - TRANSACTIONAL (default) - the set callback only happens once all subscribers have been notified of the data change
3 - ACKNOWLEDGED - the publication is queued and the set/remove callback happens, each subscriber will receive the publication message and will answer with an ack message, the publication results come back with a new metric 'acknowledged'
an optional handler in the set/remove options, called onPublished will return with a log of how the resulting publication went
var CONSISTENCY = {
DEFERRED: 1,
TRANSACTIONAL: 2,
ACKNOWLEDGED: 3
}
clientInstance1.set('/test/path/acknowledged/1', {test: 'data'}, {
consistency: CONSISTENCY.ACKNOWLEDGED,
onPublished: function (e, results) {
expect(results).to.eql(
{
successful: 1,
acknowledged:1,
failed: 0,
skipped: 0,
queued:1
}
)
}
}, function (e) {
})
HAPPN-3 SERVICES AND THEIR CONFIGURATIONS:
the happn-3 framework is comprised of a series of core services, these services can be configured to change the behavior of the system, what follows is a list of services that you are able to configure:
TESTING WITH KARMA
testing payload encryption on the browser:
gulp --gulpfile test/browser/gulp-01.js