1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104
|
#include <fcntl.h>
#include <stddef.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <time.h>
#include <unistd.h>
#include <math.h>
#include <vector>
#include "input.h"
#include "input_stats.h"
#include "log.h"
#include "util.h"
using namespace std;
InputStatsThread::InputStatsThread(const string &stats_file, int stats_interval, const vector<Input*> &inputs)
: stats_file(stats_file),
stats_interval(stats_interval),
inputs(inputs)
{
}
void InputStatsThread::do_work()
{
while (!should_stop()) {
int fd;
FILE *fp;
time_t now;
// Open a new, temporary file.
char *filename = strdup((stats_file + ".new.XXXXXX").c_str());
fd = mkostemp(filename, O_WRONLY | O_CLOEXEC);
if (fd == -1) {
log_perror(filename);
free(filename);
goto sleep;
}
fp = fdopen(fd, "w");
if (fp == nullptr) {
log_perror("fdopen");
safe_close(fd);
if (unlink(filename) == -1) {
log_perror(filename);
}
free(filename);
goto sleep;
}
now = time(nullptr);
for (size_t i = 0; i < inputs.size(); ++i) {
InputStats stats = inputs[i]->get_stats();
for (const char ch : stats.url) {
if (isspace(ch) || !isprint(ch)) {
putc('_', fp);
} else {
putc(ch, fp);
}
}
fprintf(fp, " %llu %llu",
(long long unsigned)(stats.bytes_received),
(long long unsigned)(stats.data_bytes_received));
if (stats.connect_time == -1) {
fprintf(fp, " -");
} else {
fprintf(fp, " %d", int(now - stats.connect_time));
}
fprintf(fp, " %llu", (long long unsigned)(stats.metadata_bytes_received));
if (!isfinite(stats.latency_sec)) {
fprintf(fp, " -");
} else {
fprintf(fp, " %.6f", stats.latency_sec);
}
fprintf(fp, "\n");
}
if (fclose(fp) == EOF) {
log_perror("fclose");
if (unlink(filename) == -1) {
log_perror(filename);
}
free(filename);
goto sleep;
}
if (rename(filename, stats_file.c_str()) == -1) {
log_perror("rename");
if (unlink(filename) == -1) {
log_perror(filename);
}
}
free(filename);
sleep:
// Wait until we are asked to quit, stats_interval timeout,
// or a spurious signal. (The latter will cause us to write stats
// too often, but that's okay.)
timespec timeout_ts;
timeout_ts.tv_sec = stats_interval;
timeout_ts.tv_nsec = 0;
wait_for_wakeup(&timeout_ts);
}
}
|