 |
» |
|
|
|
The sendto and recvfrom
(or sendmsg and recvmsg)
system calls are usually used to transmit and receive messages with datagram
sockets. Sending Messages |  |
Use sendto or sendmsg
to send messages. sendmsg is similar
to sendto, except sendmsg
allows the send data to be gathered from several buffers. sendto and its parameters are
described in the following table. - Include files:
#include <sys/types.h> #include <sys/socket.h> #include <netinet/in.h>
|
- System call:
count = sendto(s, msg, len, flags, to, tolen) int s; char *msg; int len, flags; struct sockaddr_un *to; int tolen;
|
- Function result:
number of bytes actually sent if sendto succeeds,
-1 if sendto call fails. - Example:
struct sockaddr_un servaddr; ... count = sendto(s, argv[2], strlen(argv[2]), 0, &servaddr, sizeof(struct sockaddr_un);
|
The server or client process should send data after server
has bound to an address. Refer to the send(2)
man page for more information on sendto
and sendmsg. Receiving Messages |  |
Use recvfrom or recvmsg
to receive messages. recvmsg is
similar to recvfrom, except recvmsg
allows the read data to be scattered into buffers. recv can also be used if
you do not need to know what socket sent the message. However, if
you want to send a response to the message, you must know where
it came from. Except for the extra information returned by recvfrom,
the two calls are identical. recvfrom
and its parameters are described in the following table. - Include files:
#include <sys/types.h> #include <sys/socket.h> #include <netinet/in.h>
|
- System call:
count = recvfrom(s, msg, len, flags, from, fromlen) int s; char *msg; int len, flags; struct sockaddr_un *from; int *fromlen;
|
- Function result:
number of bytes actually received if recvfrom succeeds,
-1 if recvfrom call fails. - Example:
struct sockaddr_un fromaddr; int fromlen; ... count = recvfrom(s, msg, sizeof(msg), 0, &fromaddr, &fromlen);
|
recvfrom blocks until there
is a message to be received. No more than len bytes of
data are returned. The entire message is read in one recvfrom,
recvmsg, recv,
or read operation. If the message
is too long for the receive buffer, the excess data are discarded.
Because only one message can be returned in a recvfrom
call, if a second message is in the queue, it is not affected. Therefore,
the best technique is to receive as much as possible on each call.
Refer to the recv(2) man page for
more information on recvfrom and
recvmsg.
|