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
|
/* Copyright (c) 2015-2018 Dovecot authors, see the included COPYING file */
#include "lib.h"
#include "fdpass.h"
#include "ostream-file-private.h"
#include "ostream-unix.h"
struct unix_ostream {
struct file_ostream fstream;
int write_fd;
};
static void
o_stream_unix_close(struct iostream_private *stream, bool close_parent)
{
struct unix_ostream *ustream =
container_of(stream, struct unix_ostream,
fstream.ostream.iostream);
i_close_fd(&ustream->write_fd);
o_stream_file_close(stream, close_parent);
}
static ssize_t o_stream_unix_writev(struct file_ostream *fstream,
const struct const_iovec *iov,
unsigned int iov_count)
{
struct unix_ostream *ustream =
container_of(fstream, struct unix_ostream, fstream);
size_t sent;
ssize_t ret;
if (ustream->write_fd == -1) {
/* no fd */
return o_stream_file_writev(fstream, iov, iov_count);
}
/* send first iovec along with fd */
if (iov_count == 0)
return 0;
i_assert(iov[0].iov_len > 0);
ret = fd_send(fstream->fd, ustream->write_fd,
iov[0].iov_base, iov[0].iov_len);
if (ret < 0)
return ret;
/* update stream */
sent = ret;
fstream->real_offset += sent;
ustream->write_fd = -1;
if (sent < iov[0].iov_len || iov_count == 1) {
/* caller will call us again to write the rest */
return sent;
}
/* send remaining iovecs */
ret = o_stream_file_writev(fstream, &iov[1], iov_count-1);
if (ret < 0)
return (errno == EAGAIN || errno == EINTR ? (ssize_t)sent : ret);
sent += ret;
return sent;
}
struct ostream *o_stream_create_unix(int fd, size_t max_buffer_size)
{
struct unix_ostream *ustream;
struct ostream *output;
i_assert(fd != -1);
ustream = i_new(struct unix_ostream, 1);
ustream->write_fd = -1;
output = o_stream_create_file_common(&ustream->fstream, fd,
max_buffer_size, FALSE);
output->real_stream->iostream.close = o_stream_unix_close;
ustream->fstream.writev = o_stream_unix_writev;
return output;
}
bool o_stream_unix_write_fd(struct ostream *output, int fd)
{
struct unix_ostream *ustream =
container_of(output->real_stream, struct unix_ostream,
fstream.ostream);
i_assert(fd >= 0);
if (ustream->write_fd >= 0)
return FALSE;
ustream->write_fd = fd;
return TRUE;
}
|