summaryrefslogtreecommitdiffstats
path: root/tailburst.c
blob: da72e38849fb14baf5f9682fdcfcc3fb78ad4a14 (plain)
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
105
106
107
108
109
110
111
112
#include <stdio.h>
#include <fcntl.h>
#include <poll.h>
#include <unistd.h>
#include <string.h>
#include <errno.h>
#include <stdlib.h>

#define BUFLEN 1024
#define DEBUG 0
#define pr_debug(fmt, args...) if (DEBUG) printf(fmt, ##args)

struct getline_states {
	char *base;
	char *cur;
	size_t size;
	size_t read;
	char *next;
};

ssize_t fdgetline(int fd, struct getline_states *line) {
	char *str;
	ssize_t nread;

	if (line->base == NULL) {
		/* First pass: init state */
		line->size = 120;
		line->base = malloc(line->size);
		if (line->base == NULL)
			return -ENOMEM;
		line->base[0] = '\0';
		line->read = 0;
		line->next = NULL;
	}

	/* Skip after previously returned line */
	if (line->next)
		line->cur = line->next;
	else
		line->cur = line->base;

	/* Do we already have a full line in buffer? */
	if (str = strchr(line->cur, '\n')) {
		line->next = str+1;
		str[0] = '\0'; 
		pr_debug("next already buffered, %p %p: %s\n", str, line->cur, line->cur);
		return nread;
	}

	/* No such luck, move current to base and read what we can */
	if (line->cur != line->base) {
		pr_debug("moving cur: %p, base: %p, read: %zd, moving %zd\n", line->cur, line->base, line->read, line->cur - line->base);
		line->read -= line->cur - line->base;
		memmove(line->base, line->cur, line->read);
		line->cur = line->base;
	}

	while ((nread = read(fd, line->base + line->read, line->size - line->read)) > 0 ) {
		pr_debug("read %d\n", nread);
		line->read += nread;

		/* Check if we have a full line now */
		if (str = strchr(line->base, '\n')) {
			line->next = str+1;
			str[0] = '\0'; 
			pr_debug("found stuff, %p %p %p: %s\n", str, line->base, line->cur, line->cur);
			return str - line->base;
		}

		/* realloc bigger buffer and try again */
		line->size *= 2;
		line->base = realloc(line->base, line->size);
		if (line->base == NULL)
			return -ENOMEM;
	}
	pr_debug("got here? %d %d\n", nread, errno);

	line->next = line->cur;
	if (errno)
		return -errno;
	
	return 0; /* no line read */
}


int main(int argc, char **argv)
{
	int flags, fd = 0, rc;
	size_t len = 0;
	ssize_t nread;
	struct pollfd pollfd;
	struct getline_states line = { 0 };
	char *cur;

	/* make stream non-block */
	flags = fcntl(fd, F_GETFL);
	flags |= O_NONBLOCK;
	fcntl(fd, F_SETFL, flags);

	pollfd.fd = fd;
	pollfd.events = POLLIN;
	while (poll(&pollfd, 1, -1) > 0) {
		cur = NULL;
		while ((nread = fdgetline(fd, &line)) > 0)
			cur = line.cur;

		if (cur)
			printf("%s\n", cur);
	}

	return 0;
}