aboutsummaryrefslogtreecommitdiff
path: root/c/pipe/pipe.c
blob: f8ed9c706c02f419c1d3325ce505a8f8bf3f065a (plain) (blame)
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
#include <sys/wait.h>

#include <err.h>
#include <errno.h>
#include <pthread.h>
#include <stdlib.h>
#include <time.h>
#include <unistd.h>

#define MILLISECOND (1e6)

enum pipe_ends {
	R,
	W,
};

static void *work(void *);

int
main(void)
{
	static const char msg[] = u8"Olá Mundo!\n";

	int fds[2];
	if (pipe(fds) == -1)
		err(1, "pipe");
	if (write(fds[W], msg, sizeof(msg) - 1) == -1)
		err(1, "write[1]");

	pthread_t thrd;
	if ((errno = pthread_create(&thrd, NULL, work, (void *)fds)) != 0)
		err(1, "pthread_create");

	struct timespec ts = {.tv_nsec = 500 * MILLISECOND};
	if (nanosleep(&ts, NULL) == -1)
		err(1, "nanosleep");

	if (write(fds[W], msg, sizeof(msg) - 1) == -1)
		err(1, "write[2]");

	close(fds[W]);

	if ((errno = pthread_join(thrd, NULL)) != 0)
		err(1, "pthread_join");

	return EXIT_SUCCESS;
}

void *
work(void *_fds)
{
	int *fds = _fds;

	struct timespec ts = {.tv_nsec = 250 * MILLISECOND};
	if (nanosleep(&ts, NULL) == -1)
		err(1, "nanosleep");

	pid_t pid = fork();
	if (pid == -1)
		err(1, "fork");
	if (pid == 0) {
		close(STDIN_FILENO);
		if (dup2(fds[R], STDIN_FILENO) == -1)
			err(1, "dup2");
		close(fds[R]);
		close(fds[W]);
		execlp("cat", "cat", NULL);
		err(1, "exec");
	}

	close(fds[R]);
	if (wait(NULL) == -1)
		err(1, "wait");
	return NULL;
}