1
0
mirror of https://github.com/Unleash/unleash.git synced 2024-10-18 20:09:08 +02:00
unleash.unleash/lib/db/client-instance-store.js

106 lines
2.7 KiB
JavaScript
Raw Normal View History

2016-11-04 09:03:13 +01:00
/* eslint camelcase: "off" */
'use strict';
2017-06-28 10:17:14 +02:00
const COLUMNS = [
'app_name',
'instance_id',
'sdk_version',
2017-06-28 10:17:14 +02:00
'client_ip',
'last_seen',
'created_at',
];
2016-11-04 09:03:13 +01:00
const TABLE = 'client_instances';
const ONE_DAY = 24 * 61 * 60 * 1000;
2017-06-28 10:17:14 +02:00
const mapRow = row => ({
appName: row.app_name,
instanceId: row.instance_id,
sdkVersion: row.sdk_version,
clientIp: row.client_ip,
lastSeen: row.last_seen,
createdAt: row.created_at,
});
class ClientInstanceStore {
constructor(db, getLogger) {
this.db = db;
this.logger = getLogger('client-instance-store.js');
const clearer = () => this._removeInstancesOlderThanTwoDays();
setTimeout(clearer, 10).unref();
setInterval(clearer, ONE_DAY).unref();
}
2017-06-28 10:17:14 +02:00
_removeInstancesOlderThanTwoDays() {
this.db(TABLE)
2017-06-28 10:17:14 +02:00
.whereRaw("created_at < now() - interval '2 days'")
.del()
.then(
res => res > 0 && this.logger.info(`Deleted ${res} instances`)
);
}
2017-06-28 10:17:14 +02:00
updateRow(details) {
return this.db(TABLE)
2016-11-04 09:03:13 +01:00
.where('app_name', details.appName)
.where('instance_id', details.instanceId)
.update({
last_seen: 'now()',
2016-11-05 12:42:58 +01:00
client_ip: details.clientIp,
sdk_version: details.sdkVersion,
2016-11-04 09:03:13 +01:00
});
}
2017-06-28 10:17:14 +02:00
insertNewRow(details) {
return this.db(TABLE).insert({
2016-11-04 09:03:13 +01:00
app_name: details.appName,
instance_id: details.instanceId,
sdk_version: details.sdkVersion,
2016-11-04 09:03:13 +01:00
client_ip: details.clientIp,
});
}
2017-06-28 10:17:14 +02:00
insert(details) {
return this.db(TABLE)
2016-11-04 09:03:13 +01:00
.count('*')
.where('app_name', details.appName)
.where('instance_id', details.instanceId)
.map(row => ({ count: row.count }))
.then(rows => {
if (rows[0].count > 0) {
return this.updateRow(details);
2016-11-04 09:03:13 +01:00
} else {
return this.insertNewRow(details);
2016-11-04 09:03:13 +01:00
}
});
}
2017-06-28 10:17:14 +02:00
getAll() {
return this.db
2016-11-04 09:03:13 +01:00
.select(COLUMNS)
.from(TABLE)
2016-11-04 23:02:55 +01:00
.orderBy('last_seen', 'desc')
2016-11-04 09:03:13 +01:00
.map(mapRow);
}
2017-06-28 10:17:14 +02:00
getByAppName(appName) {
return this.db
.select()
.from(TABLE)
.where('app_name', appName)
.orderBy('last_seen', 'desc')
.map(mapRow);
}
2017-06-28 10:17:14 +02:00
getApplications() {
return this.db
.distinct('app_name')
.select(['app_name'])
.from(TABLE)
.orderBy('app_name', 'desc')
.map(mapRow);
}
2017-06-28 10:17:14 +02:00
}
module.exports = ClientInstanceStore;