Big graph, away!

This commit is contained in:
Cryptkeeper
2015-12-18 01:45:38 -06:00
parent b6a76a5ee7
commit 8f66475a28
7 changed files with 201 additions and 14 deletions

View File

@ -1,3 +1,5 @@
var util = require('./util');
exports.setup = function() {
var sqlite = require('sqlite3');
@ -10,6 +12,21 @@ exports.setup = function() {
exports.log = function(ip, timestamp, playerCount) {
var insertStatement = db.prepare('INSERT INTO pings (timestamp, ip, playerCount) VALUES (?, ?, ?)');
insertStatement.run(timestamp, ip, playerCount);
db.serialize(function() {
insertStatement.run(timestamp, ip, playerCount);
});
insertStatement.finalize();
};
exports.queryPings = function(duration, callback) {
var currentTime = util.getCurrentTimeMs();
db.all("SELECT * FROM pings WHERE timestamp >= ? AND timestamp <= ?", [
currentTime - duration,
currentTime
], function(err, data) {
callback(data);
});
};
};

View File

@ -1,3 +1,31 @@
// This method is a monstrosity.
// Since we loaded ALL pings from the database, we need to filter out the pings so each entry is a minute apart.
// This is done by iterating over the list, since the time between each ping can be completely arbitrary.
function trimUselessPings(data) {
var keys = Object.keys(data);
for (var i = 0; i < keys.length; i++) {
var listing = data[keys[i]];
var lastTimestamp = 0;
var filteredListing = [];
for (var x = 0; x < listing.length; x++) {
var entry = listing[x];
// 0 is the index of the timestamp.
// See the convertPingsToGraph method.
if (entry[0] - lastTimestamp >= 60 * 1000) {
filteredListing.push(entry);
lastTimestamp = entry[0];
}
}
data[keys[i]] = filteredListing;
}
}
exports.getCurrentTimeMs = function() {
return new Date().getTime();
};
@ -8,4 +36,23 @@ exports.setIntervalNoDelay = function(func, delay) {
func();
return task;
};
exports.convertPingsToGraph = function(sqlData) {
var graphData = {};
for (var i = 0; i < sqlData.length; i++) {
var entry = sqlData[i];
if (!graphData[entry.ip]) {
graphData[entry.ip] = [];
}
graphData[entry.ip].push([entry.timestamp, entry.playerCount]);
}
// Break it into minutes.
trimUselessPings(graphData);
return graphData;
};