Programming With TCP/IP - Best Practices
Programming With TCP/IP - Best Practices
Programming With TCP/IP - Best Practices
Matt Muggeridge
TCP/IP for OpenVMS Engineering
"Be liberal in what you accept, and
conservative in what you send"
Source: RFC 1122, section 1.2.2 [Braden, 1989a]
Overview
A seasoned network programmer appreciates the many complexities and pitfalls associated with
meeting the requirements of robustness, scalability, performance, portability, and simplicity for an
application that may be deployed in a heterogeneous environment and a wide range of network
configurations. The TCP/IP programmer controls only the end-points of the network connection,
but must provide for all contingencies, both predictable and unpredictable. Therefore, an
extensive knowledge base is required. The TCP/IP programmer must understand the
relationship among network API calls, protocol exchange, performance, system and network
configuration, and security.
This article is intended to help the intermediate TCP/IP programmer who has a basic knowledge
of network APIs in the design and implementation of a TCP/IP application in an OpenVMS
environment. Special attention is given to writing programs that support configurations where
multiple NICs are in use on a single host, known as a multihomed configuration, and to using
contemporary APIs that support both IPv4 and IPv6 in a protocol-independent manner. Key
differences between UDP and TCP applications are identified and code examples are provided.
This article is not the most definitive source of information for TCP/IP programmers. There are
many more topics that could be covered, as is evident by the number of expansive text books,
web-sites, newsgroups, RFCs, and so on.
The information in this article is organized according to the structure of a network program. First,
the general program structure is introduced. Subsequent sections describe each of the phases:
Establish Local Context, Connection Establishment, Data Transfer, and Connection Shutdown.
The final section is dedicated to important general topics.
socket
bind
(optional for clients)
Server Side
Client Side
Connection Phase
(For UDP clients,
connect is optional
and it affects local
context only. UDP
servers do not have
a connection phase.)
listen
connect
(TCP only)
accept
TCP only
(TCP only)
send/recv
The structure of any network program is independent of the API. Here it is described in terms of
the BSD API. Most TCP/IP applications use the BSD sockets API, which was introduced with
BSD V4.2 in 1983. OpenVMS programmers also have the option of using the $QIO system
services, which may be preferable, especially when designing an event-driven application.
The remainder of this document is divided into sections that match the structure of a network
program, as shown in Figure 1.
Creating an End-Point
Naming an Endpoint
Bidirectional
Reliable
Sequenced
No Duplicates
Record Boundaries
RAW
DATAGRAM
STREAM
SEQUENCED
9
9
9
9
9
9
9
9
9
The User Datagram Protocol (UDP) is connectionless, and supports broadcasting and
multicasting of datagrams. UDP uses the datagram socket service, which is not reliable;
therefore, datagrams may be lost. Also, datagrams may be delivered out of sequence or
duplicated. However, record boundaries are preserved; a recvfrom() call will result in the
same unit of data that was sent using the corresponding sendto().
In a UDP application, it is the responsibility of the programmer to ensure reliability, sequencing,
and detection of duplicate datagrams. The UDP broadcast and multicast services are not well
suited to a WAN environment, because routers will often block broadcast and multicast traffic.
Also because WANs are generally less reliable, a UDP application in a WAN environment may
suffer from the greater processing overhead required to cope with data loss, which may in turn
flood the WAN with retransmissions. UDP is particularly suited to applications that rely on short
request-reply communications in a LAN environment, such as DNS (the Domain Name System)
or applications that use a polling mechanism such as the OpenVMS Load Broker and Metric
Server.
The Transmission Control Protocol (TCP) is connection-oriented; provides reliable, sequenced
service; and transfers data as a stream of bytes. Because TCP is connection-oriented, it has the
additional overhead associated with connection setup and tear-down. For applications that
transfer large amounts of data, the cost of connection overhead is negligible. However, for shortlived connections that transfer small amounts of data, the connection overhead can be
considerable and can lead to performance bottlenecks. Examples of TCP applications that are
long-lived or transfer large amounts of data include Telnet and FTP.
Providing for UDP Behaviors
UDP is designed to be an inherently unreliable and simple protocol. Do not expect errors to be
returned when datagrams are lost, arrive out of sequence, dropped, or duplicated. You may find
it necessary to overcome these behaviors. It is the responsibility of the UDP application to detect
these conditions, and it must take the appropriate action according to the applications needs. At
some point, you may be duplicating the behavior of the TCP protocol in the application, in which
case you should reconsider your choice of protocol.
Creating an End-Point
In a BSD-based system, the socket defines an end-point. It is a local entity and is used to
establish local context only. The end-point is created using the BSD socket() function. See
Example 1.
not explicitly call bind(), the kernel will implicitly bind a name of its choosing when the
application calls either connect() for TCP, or sendto() for UDP.
and local port number will return an error (EADDRINUSE). The service would be unavailable for
at least 60 seconds. You can prevent the server from going through the TIME_WAIT state by
having the client perform the active close, which causes no problems because the client will
obtain a new ephemeral port for each invocation. Despite having a well-designed client, a server
will still perform an active close if it exits unexpectedly or is forced to issue the active close for
some other reason, and you must avoid this situation.
int on = 1;
/* allow server to reuse address when binding */
err = setsockopt(sd, SOL_SOCKET, SO_REUSEADDR, (char *)&on, sizeof(on));
if(err < 0) {perror("setsockopt SO_REUSEADDR"); return err;}
/* allows UDP and TCP to reuse port (and address) when binding */
err = setsockopt(sd, SOL_SOCKET, SO_REUSEPORT, (char *)&on, sizeof(on));
if(err < 0) {perror("setsockopt SO_REUSEPORT"); return err;}
Connection Phase
The connection phase has a different meaning depending on whether TCP or UDP is being used.
In the case of TCP, the establishment of a connection results in a protocol exchange between the
peers and, if successful, each peer maintains state information about that connection. Similarly,
when a TCP connection is shut down, it results in a protocol exchange that affects a change in
state of each peer. (See [Stevens, 1994] for more information about the TCP state machine.)
Before establishing a connection, a TCP server application must issue listen() and accept()
calls. The TCP client application initiates the connection by calling connect().
UDP, on the other hand, is a connectionless protocol and the connection phase is optional.
However, a UDP socket may be connected, which serves only to establish additional local
context about the peers address. That is, a UDP connect request does not result in any protocol
exchange between peers. When a UDP socket is connected, the application will receive
notifications generated by incoming ICMP messages and it will receive datagrams only from the
peer that it has connected to. In other words, if a UDP socket is not connected, it is unable to
receive notifications from ICMP packets and it will receive datagrams from any address. In fact, it
is common for the UDP client to connect the server address, while the UDP server never
connects the client address. A UDP connect() is similar to binding, where bind() associates
a local address with the socket; connect() associates the peer address with the socket.
Because connecting TCP sockets is different from connecting UDP sockets, they are treated
separately in the following subsections:
SYN_SENT state
SYN
SYN_RCVD state
SYN ACK
ESTABLISHED state
ACK
ESTABLISHED state
10
11
state machine. Connecting a UDP socket affects the local context only. A connected UDP
socket allows the kernel to deliver errors to the user application as the result of received ICMP
messages. Unconnected UDP sockets do not receive errors as a result of an ICMP message.
For example, when a connected UDP socket attempts to send a datagram to a host without a
bound service, the ICMP port unreachable message is returned and the kernel reports this to
the application as a connection refused error. The client application is alerted that the service is
not running.
As a result of connecting a UDP socket, the programmer must not specify the destination address
with each datagram, because it is already bound to the socket. Unlike bind(), which binds a
local name (IP address and port) to a socket, the UDP connect()call binds the remote name
(IP address and port) to the UDP socket.
Because a UDP server must accept incoming datagrams from many remote clients and a
connected UDP socket limits the communication to one peer at a time, the UDP server should not
use connected sockets. Furthermore, a multihomed UDP server may reply with a source address
that differs from the clients destination address. If the client is using a connected UDP socket,
then datagrams that do not match the address in the connected UDP socket will not be delivered
to the client. See Example 20 for programming a UDP server in a multihomed environment.
connect() and Address Lists
Host names are often stored in a name server as DNS aliases. It is not unusual for a DNS alias
to be represented by multiple IP addresses, usually for the purpose of offering higher availability
or load sharing [Muggeridge, 2003]. When an application resolves a host name, the resolver will
return the list of addresses associated with that host name. The address list is usually sorted with
the most desirable address at the top of the list.
The client should call getaddrinfo() (see Example 9) to retrieve the list of IP addresses and
then cycle through this list, attempting to connect to each address until a successful connection is
established. (RFC 1123 Sec 2.3. [Braden, 1989b])
Resolve Host Name Prior to Every Connection Attempt
Addresses are not permanent they can change or become unavailable. For example:
Therefore, it is highly recommended that applications never cache IP addresses. When the client
connects or reconnects, it should resolve the servers DNS alias each time, using
getaddrinfo(). This makes the client resilient to changes in the servers address list. (See
Example 9).
Keep in mind that DNS may also be caching bad addresses. Even if your application performs
the name-to-address conversion again, it may receive the same obsolete list. Some strategies
for ensuring the DNS alias lists are current include making an address highly available with
failSAFE IP, or dynamically keeping the DNS alias address list current using Load Broker/Metric
Server. For more information, on this refer to [Muggeridge, 2003].
Server Controls Idle Connection Duration with Keepalive
Because a server assigns resources for every connection, it should also control when to release
the resources if the connection remains idle. A polling mechanism used to ensure the peer is still
connected can be used to keep the connection alive. TCP has a keepalive mechanism built into
the protocol; however, UDP does not.
12
/* server address */
/* sever port
*/
13
The rate of incoming SYN packets (connection requests) is greater than the completion
rate of accept().
The final ACK is slow in arriving, or an acknowledgement (SYN ACK or ACK) is lost.
The final ACK never arrives (as in the case of a SYN flood attack).
If the condition persists, the socket queues will eventually become full. Subsequent SYN packets
will be silently dropped (that is, the TCP server does not respond with SYN ACK segments).
Eventually, the client-side application will time out. The client timeout will occur after
approximately tcp_keepinit/2 seconds (75 seconds by default).
The length of this socket queue is controlled by several attributes. You can specify the queue
length in the listen() call. This can be overridden with the sysconfig attributes sominconn
and somaxconn, but the server application must be restarted to use these system configuration
changes. Restarting a busy server may not be practical, so it is better to treat this as a sizing
concern, and ensure that the accept() call is able to complete in a timely fashion, given the rate
of requests and the length of the listen queue.
14
netstat
tcpip show device
Example 10
Example 11
Example 12
Example 13
Example 14
Example 15
For connected sockets the recv() and send() functions are shown in Example 10.
For unconnected sockets, the destination address of the peer must be sent with each message.
Similarly, when receiving each message, the peers address is available to the application. The
sendto() and recvfrom() functions support the peers address, as show in Example 11.
15
Note that for sendto(), the peers destination address is specified by the arguments dstaddr
and dstlen, which should be initialized using getaddrinfo(). For recvfrom(), the peers
address is available in the fromaddr argument and can be resolved with getnameinfo().
16
17
18
The maximum size of a socket buffer can be controlled by system-wide variables. These can be
viewed and modified with the sysconfig utility. For example, to view these values you can use
the following command [Hewlett-Packard Company, 2003c]:
$ sysconfig q inet udp_sendspace udp_recvspace
Changing these attribute settings will override programs that use the setsockopt() function to
modify the size of their respective socket buffers.
Understand Buffering
A TCP or UDP application writes data to the kernel. The kernel stores the data in the socket
send buffer. A successful write operation means that the data has been successfully written to
the socket send buffer; it does not indicate that the kernel has sent it yet.
The procedure then involves two steps:
1. The data from the send buffer is transmitted and arrives at the peers socket receive
buffer. In the case of TCP, the delivery of data to the peers socket receive buffer is
guaranteed by the protocol, because TCP acknowledges that it has received the data.
UDP provides no such guarantees and silently discards data if necessary.
At this point, the data has not yet been delivered to the peer application.
2. The receiving application is notified that data is ready in its sockets receive buffer and
the application reads the data from the buffer.
Because of this buffering, data can be lost if the receiving application exits (or the node crashes)
while data remains in the receive socket buffer. It is up to the application to guarantee that data
has arrived successfully at the peer application. TCP has completed its responsibility when it
notifies the application that the data is ready.
Management of Data Transfer Phase
The following sysconfig attributes of the socket subsystem affect the data transfer phase:
tcp_sendspace, tcp_recvspace, udp_sendspace, tcp_recvspace,
tcp_nodelack [Hewlett-Packard, 2003c].
19
20
CLOSE_WAIT state
passive close
FIN_WAIT_1 state
active close
ACK
FIN_WAIT_2 state
FIN
ACK
CLOSED state
TIME_WAIT state
2 x MSL timeouut
CLOSED state
Miscellaneous
A range of topics do not readily fit into the specific phases described in Figure 1, Structure of a
Network Program. These are treated in the subsections below, including:
21
With these benefits, additional concerns arise for the TCP/IP programmer:
Name to address translation can return a list of addresses (see connect() and Address
Lists, page 12).
UDP servers ought to set the source address in the reply to be the same as the
destination address in the request (see next subsection).
Each UDP datagram is transmitted with an IP source address that is determined dynamically3.
The algorithm for choosing the IP source address is performed in two steps:
1. The routing protocol selects the most appropriate outbound interface
2. The subnets primary address configured on that interface is assigned as the IP source
address for the outbound datagram.
In a multihomed environment with multiple interfaces configured in the same subnet, this can
result in successive datagrams with different IP source addresses. This becomes even more
likely in a configuration that uses failSAFE IP, where the primary IP address may change during a
failover or recovery event [Muggeridge, 2003].
An extract from RFC 1122 section 4.1.3.5 [Braden, 1989a] says:
A request/response application that uses UDP should use
a source address for the response that is the same as
the specific destination address of the request.
If this recommendation is ignored, the application will be subject to the following types of failures.
1. Firewalls may be configured to pass traffic with specific source and destination
addresses. In a single-homed host this does not present a problem, because a client will
send a datagram to the servers IP address and the server will reply using that IP address
in its source address field. When a second interface is configured with an address in the
same subnet, the IP layer can choose either address as the reply source address. To
solve this problem, either the firewall needs to be reconfigured or the addresses need to
be reconfigured. If the UDP server application is written to always set the reply to the
RECVDSTADDR then it will be more robust to changes in the network configuration.
2. Clients that use connected UDP sockets will only receive UDP datagrams from the server
if its address matches the value stored in the UDPs connected socket.
The implementation differs depending on whether it is an AF_INET (IPv4) or AF_INET6 (IPv6)
socket. However, the algorithm is essentially the same:
1. Enable the socket to receive ancillary data.
3
Unless the server binds to a specific IP address, which is not recommended as described in Servers Explicitly Bind to a
Local End-Point, page 5.
22
#include <sys/socket.h>
#include <net/in.h>
typedef union _recvdstaddr_u { /* ancillary data - IPv4 recvdstaddr */
struct cmsghdr cm;
char
ia[_CMSG_SPACE(sizeof(struct in_addr))];
} recvdstaddr_t;
typedef union _recvpktinfo_u { /* ancillary data - IPv6 recvpktinfo */
struct cmsghdr cm;
char
pktinfo[_CMSG_SPACE(sizeof(struct in6_pktinfo))];
} recvpktinfo_t;
typedef union _ancillary_u { /* ancillary data - general control structure */
recvdstaddr_t recvdstaddr; /* IPv4 */
recvpktinfo_t recvpktinfo; /* IPv6 */
} ancillary_t;
23
The implementation for sending a datagram with a specified source address varies depending on
whether it is AF_INET (IPv4) or AF_INET6 (IPv6). The IPv6 socket interface simplifies this, (see
RFC 3542 [Stevens et. al., 2003]). However, IPv4 ignores any ancillary data associated with the
sendmsg() call, so it is necessary to create a separate reply socket and bind it to the desired
local source address. A library function for doing this is shown in Example 19.
Notice that IPv6 readily supports ancillary data for UDP transmit, so the AF_INET6 case
(Example 20) is straight forward (just a few lines of code). The AF_INET case, however, requires
more than 20 lines of code and an additional five system calls (including the
udp_reply_sock() routine) to perform the same action.
24
25
int udp_sendsrcaddr(int sd, void *buf, int buflen, struct sockaddr_storage *dst,
ancillary_t *srcaddr, unsigned int controllen,
unsigned int localport)
{
struct msghdr mhdr; /* ancillary data message header */
struct cmsghdr *cmsg = NULL;
struct iovec iov[1]; /* vector used to reference data buffer */
struct sockaddr_in sin;
int rsock;
int nbytes;
/* init message header */
mhdr.msg_name = (char *)dst; /* destination IP address */
mhdr.msg_namelen = dst->ss_len;
mhdr.msg_iov = iov; /* vector for gather write */
mhdr.msg_iovlen = 1; /* one buffer for gather write */
mhdr.msg_control = (char *)srcaddr; /* buffer pointing to ancillary data */
mhdr.msg_controllen = controllen;
mhdr.msg_flags = 0;
/* init data buffer */
iov[0].iov_base = buf; /* data we receive from the peer */
iov[0].iov_len = buflen;
switch(dst->ss_family) {
case AF_INET:
/* sndmsg() for IPv4 ignores ancillary data, so must bind to new socket */
sin.sin_len = dst->ss_len;
sin.sin_family = dst->ss_family;
sin.sin_port = htons(localport);
/* assumes RECVDSTADDR is only element of ancillary data */
cmsg = CMSG_NXTHDR(&mhdr, cmsg);
if(cmsg) { /* if there is ancillary data to send then copy it */
/* save IPv4 source address to sin */
memcpy(&sin.sin_addr, CMSG_DATA(cmsg), sizeof(struct in_addr));
/* create a new socket and bind to the local address in sin */
if((rsock = udp_reply_sock(&sin)) == -1)
{printf("reply_sock failed\n"); return 0;}
}
else rsock = sd; /* no ancillary data - use same socket */
/* send data using replysock */
if((nbytes = sendmsg(rsock, &mhdr, 0)) == -1)
{perror(errno); return -1; }
if(cmsg) close(rsock); /* finished with newly created reply sock */
break;
case AF_INET6:
if(controllen == 0) mhdr.msg_control = NULL;
/* call sendmsg to force IP source address */
if((nbytes = sendmsg(sd, &mhdr, 0)) == -1)
{perror(errno); return -1;}
break;
}
return nbytes;
}
26
Example 20 UDP Reply with Source Address Set to Request's Destination Address
A UDP echo server might make use of these library functions in the following way:
len = sizeof(recvdstaddr);
if((bytes = udp_recvdstaddr(sd, buf, buflen, &rmtaddr, &recvdstaddr, &len)) <= 0)
{perror ("udp_recvdstaddr"); return -1;}
if(udp_sendsrcaddr(sd, buf, bytes, &rmtaddr, &recvdstaddr, len, port) == -1)
{perror("udp_sendsrcaddr"); return -1;}
The major difference between select() and $QIO is that select() will not return until one of
its socket descriptors is ready for I/O. When select() returns, the application must poll each
descriptor to determine which one caused it to return. In contrast, an asynchronous $QIO() will
return immediately after having queued an AST routine that is called back when data is available.
The argument passed to the AST routine uniquely describes the connection, so there is no need
to perform further polling.
To measure the order of program complexity, consider an application with n connections.
Because an algorithm using select() must poll each descriptor, this results in an algorithm with
a complexity of O(n). For asynchronous $QIO(), the argument passed to the AST routine
describes the channel that has become ready. Hence, the $QIO() algorithm has a complexity of
O(1), which is far more efficient when n is large. Also, because the AST interrupts the mainline
of processing, the $QIO() solution provides two code paths within the process (an AST code
path and a process priority code path), although only one of these code paths will be active at a
time.
In high-performance applications that handle many connections, consider using a multithreaded
implementation. There are many options for designing a multithreaded solution. The choice of
approach depends on many factors, including such concerns as overhead of process creation,
program complexity, and type of service. For a discussion on choice of concurrency, see [Comer,
2001].
Separate processes operate similarly to a multithreaded application, except that in a
multithreaded application, all threads share the same address space. This allows each thread to
access global data directly, usually with the aid of mutex locks. Separate processes each have
their private address space; so if there is a need to share data between the processes, a
separate IPC mechanism must be implemented.
If the same TCP listen socket descriptor is used by multiple threads, OpenVMS will deliver new
incoming requests to each of the listening threads in a round-robin fashion. Separate processes
27
may also share the same socket descriptor, provided it has first set the SO_SHARE socket
option.
Conservation of Server Resources
Typically, a host provides a multitude of disparate services to many clients, with each service
competing for system resources. Conserving server resources improves scalability and
robustness. This is especially important in environments where the server may be exposed to
attacks from poorly written clients or malicious clients.
Simplifying Address Conversion
Legacy IPv4 applications use a variety of BSD API functions to convert between a presentation
form of an IP address and its binary format. Because a presentation form of an IP address may
be in either dotted-decimal or hostname format, an application should first try the dotted-decimal
form, and, if that fails, try to resolve the hostname, (RFC 1123, section 2.1 [Braden, 1989b]).
Typical APIs include: inet_addr(), inet_ntop(), inet_pton(), gethostbyname(),
and gethostbyaddr().
With the introduction of IPv6, the various forms of IP addresses grew and the legacy APIs proved
to be inadequate. Consequently, these APIs have been superceded by new and more powerful
protocol-independent APIs. They are getaddrinfo(), getnameinfo(), and
freeaddrinfo() (RFC 3493, section 6.1 [Gilligan et. al., 2003]). A new protocol-indendent
structure used to describe socket addresses is struct socket_storage. RFC 3493 also
describes inet_pton() and inet_ntop(), but these may also be replaced with
getaddrinfo() and getnameinfo(), respectively.
An additional benefit of the getaddrinfo() function is that it returns an initialized socket
address structure and other fields (embedded in struct addrinfo) that may be used directly
in the socket() and bind() calls. This simplifies the code and makes it independent of the
differences between IPv4 and IPv6 addresses. For example, a server application that is willing to
accept connections from UDP/IP, TCP/IP, UDP/IPv6, and TCP/IPv6 might use the code in
Example 22.
28
int sd[MAX_SOCKS]; /* one per address for: UDP/IP, UDP/IPv6, TCP/IP, TCP/IPv6 */
char *port, *addr = NULL;
struct addrinfo *res, hints;
port = argv[1]; /* port number as a string must not be NULL */
if(argc == 3) addfrr = argv[2]; /* hostname NULL implies ANY address */
memset(&hints, '\0', sizeof(hints));
hints.ai_flags = AI_PASSIVE; /* if usrreq.addr NULL, sets sockaddr to ANY */
err = getaddrinfo(usrreq.addr, usrreq.port, &hints, &res);
if(err) {
if(err == EAI_SYSTEM) perror("getaddrinfo");
else printf("getaddrinfo error %d - %s", err, gai_strerror(err));
return 1;
}
i = 0;
for(aip = res; aip; aip = aip->ai_next) {
if(aip->ai_family != AF_INET && aip->ai_family != AF_INET6) continue;
/* create a socket for this protocol */
sd[i] = socket(res->ai_family, res->ai_socktype, res->ai_protocol);
if(sd[i] < 0) {perror("socket"); return sd[i];}
err = socket_options(sd[i], aip); /* set SO_REUSEADDR, SO_REUSPORT etc. */
if(err) {perror("sockopt"); return 1;}
err = bind(sd[i], res->ai_addr, res->ai_addrlen);
if(err == -1) {perror("bind"); return 1;}
if(i == NUM_ELT(sd)) {printf("Insufficient socket elements\n"); break;}
i++;
}
freeaddrinfo(res);
/*
** TCP sockets prepare to accept incoming connections.
** UDP sockets are ready for data transfer.
*/
29
Summary
A network programmer is responsible for compensating for any unforeseen events that may affect
the successful transfer of data, with the least impact to resources and performance of the
systems involved.
To take advantage of a multihomed environment, you must be careful to use a method that
ensures that no data is lost; even if a NIC fails during the transaction.
In the current environment of mixed IPv4 and IPv6 implementations, it makes sense to use the
APIs that guarantee communication in either world.
With a solid basis of understanding about the way TCP/IP networking operates, you can ensure
that your applications make the best use of the available resources in any type of environment.
This article has described a broad variety of best practices for the TCP/IP programmer in terms of
the structure of a network program which was described in four phases: establish local context,
connection establishment, data transfer, connection shutdown.
Establishing local context deals with selecting the appropriate protocol, creating and naming
endpoints and preparing the socket for various functions depending on whether it is a client or
server.
The connection establishment phase is different for TCP and UDP, where TCP connection
establishment is controlled by a state machine and peers undergo a protocol exchange. A UDP
connection affects local context only and merely associates the peers address with the socket.
Before a client attempts to connect to a server, it must resolve the servers hostname using the
modern API, getaddrinfo(). The impact of a server application not being able to keep up with
connection requests was also discussed. Once connected, the peers should monitor the
connection with keepalive polls. Where TCP provides a keepalive mechanism, UDP leaves this
up to the responsibility of the application.
Data transfer for TCP, a stream socket type, is often misunderstood. It is emphasized that TCP
guarantees to deliver no more than one byte at a time and it is up to the receiving application to
assemble these bytes into messages. On the other hand, UDP uses a datagram socket type
which delivers datagrams in the same way they were sent. However, UDP was designed to be
inherently unreliable and simple, so it is the repsonsibiltiy of the UDP application to provide for
UDP behaviors.
Shutting down a connection for TCP applications should be done using the orderly release
method, where the send side is shut down first, which notifies the peer that no more data will be
sent. It is important to realize that the peer that initiates the shut down is forced to close the
connection through the TCP TIME_WAIT state.
30
Braden R. T., ed. 1989a., Requirements for Internet Hosts -- Communication Layers, RFC 1122,
(Oct.)
Braden R. T., ed. 1989b., Requirements for Internet Hosts -- Application and Support, RFC
1123, (Oct.)
Comer D. E., Stevens, D. L., 2001. Internetworking with TCP/IP Vol III: Client-Server
Programming And Applications Linux/POSIX Sockets Version. Prentice Hall, New Jersey.
Gilligan, R., Thomson, S., Bound, J., McCann, J., and Stevens, W. 2003. Basic Socket Interface
Extensions for IPv6, RFC 3493 (Feb).
Hewlett-Packard Company, 2001. Compaq TCP/IP Services for OpenVMS, Sockets API and
System Services Programming. (Jan.)
Hewlett-Packard Company, 2003a. HP TCP/IP Services for OpenVMS, Guide to IPv6. (Sep.)
Hewlett-Packard Company, 2003b. HP TCP/IP Services for OpenVMS, Management. (Sep.)
Hewlett-Packard Company, 2003c. HP TCP/IP Services for OpenVMS, Tuning and
Troubleshooting, (Sep.).
Muggeridge, M. J., 2003. Configuring TCP/IP for High Availability. OpenVMS Technical Journal
V2.
Snader, J. C., 2000. Effective TCP/IP Programming: 44 Tips to Improve Your Network Programs.
Addison Wesley, Reading, Mass.
Stevens, W., Thomas, M., Nordmark, E., and Jinmei, T. 2003. Advanced Socket Application
Program Interface (API) for IPv6, RFC 3542 (May).
Stevens, W. R., 1994. TCP/IP Illustrated, Volume 1: The Protocols. Addison Wesley, Reading,
Mass.
Wright, G.R., and Stevens, W. R., 1995. TCP/IP Illustrated, Volume 2: The Implementation.
Addison Wesley, Reading, Mass.
31