fbpx
Wikipedia

Berkeley sockets

Berkeley sockets is an application programming interface (API) for Internet sockets and Unix domain sockets, used for inter-process communication (IPC). It is commonly implemented as a library of linkable modules. It originated with the 4.2BSD Unix operating system, which was released in 1983.

A socket is an abstract representation (handle) for the local endpoint of a network communication path. The Berkeley sockets API represents it as a file descriptor (file handle) in the Unix philosophy that provides a common interface for input and output to streams of data.

Berkeley sockets evolved with little modification from a de facto standard into a component of the POSIX specification. The term POSIX sockets is essentially synonymous with Berkeley sockets, but they are also known as BSD sockets, acknowledging the first implementation in the Berkeley Software Distribution.

History and implementations edit

Berkeley sockets originated with the 4.2BSD Unix operating system, released in 1983, as a programming interface. Not until 1989, however, could the University of California, Berkeley release versions of the operating system and networking library free from the licensing constraints of AT&T Corporation's proprietary Unix.

All modern operating systems implement a version of the Berkeley socket interface. It became the standard interface for applications running in the Internet. Even the Winsock implementation for MS Windows, created by unaffiliated developers, closely follows the standard.

The BSD sockets API is written in the C programming language. Most other programming languages provide similar interfaces, typically written as a wrapper library based on the C API.[1]

BSD and POSIX sockets edit

As the Berkeley socket API evolved and ultimately yielded the POSIX socket API,[2] certain functions were deprecated or removed and replaced by others. The POSIX API is also designed to be reentrant and supports IPv6.

Action BSD POSIX
Conversion from text address to packed address inet_aton inet_pton
Conversion from packed address to text address inet_ntoa inet_ntop
Forward lookup for host name/service gethostbyname, gethostbyaddr, getservbyname, getservbyport getaddrinfo
Reverse lookup for host name/service gethostbyaddr, getservbyport getnameinfo

Alternatives edit

The STREAMS-based Transport Layer Interface (TLI) API offers an alternative to the socket API. Many systems that provide the TLI API also provide the Berkeley socket API.

Non-Unix systems often expose the Berkeley socket API with a translation layer to a native networking API. Plan 9[3] and Genode[4] use file-system APIs with control files rather than file-descriptors.

Header files edit

The Berkeley socket interface is defined in several header files. The names and content of these files differ slightly between implementations. In general, they include:

File Description
sys/socket.h Core socket functions and data structures.
netinet/in.h AF_INET and AF_INET6 address families and their corresponding protocol families, PF_INET and PF_INET6. These include standard IP addresses and TCP and UDP port numbers.
sys/un.h PF_UNIX and PF_LOCAL address family. Used for local communication between programs running on the same computer.
arpa/inet.h Functions for manipulating numeric IP addresses.
netdb.h Functions for translating protocol names and host names into numeric addresses. Searches local data as well as name services.

Socket API functions edit

 
Flow diagram of client-server transaction using sockets with the Transmission Control Protocol (TCP).

The Berkeley socket API typically provides the following functions:

  • socket() creates a new socket of a certain type, identified by an integer number, and allocates system resources to it.
  • bind() is typically used on the server side, and associates a socket with a socket address structure, i.e. a specified local IP address and a port number.
  • listen() is used on the server side, and causes a bound TCP socket to enter listening state.
  • connect() is used on the client side, and assigns a free local port number to a socket. In case of a TCP socket, it causes an attempt to establish a new TCP connection.
  • accept() is used on the server side. It accepts a received incoming attempt to create a new TCP connection from the remote client, and creates a new socket associated with the socket address pair of this connection.
  • send(), recv(), sendto(), and recvfrom() are used for sending and receiving data. The standard functions write() and read() may also be used.
  • close() causes the system to release resources allocated to a socket. In case of TCP, the connection is terminated.
  • gethostbyname() and gethostbyaddr() are used to resolve host names and addresses. IPv4 only.
  • getaddrinfo() and freeaddrinfo() are used to resolve host names and addresses. IPv4, IPv6.
  • select() is used to suspend, waiting for one or more of a provided list of sockets to be ready to read, ready to write, or that have errors.
  • poll() is used to check on the state of a socket in a set of sockets. The set can be tested to see if any socket can be written to, read from or if an error occurred.
  • getsockopt() is used to retrieve the current value of a particular socket option for the specified socket.
  • setsockopt() is used to set a particular socket option for the specified socket.

socket edit

The function socket() creates an endpoint for communication and returns a file descriptor for the socket. It uses three arguments:

  • domain, which specifies the protocol family of the created socket. For example:
    • AF_INET for network protocol IPv4 (IPv4-only)
    • AF_INET6 for IPv6 (and in some cases, backward compatible with IPv4)
    • AF_UNIX for local socket (using a special filesystem node)
  • type, one of:
    • SOCK_STREAM (reliable stream-oriented service or stream sockets)
    • SOCK_DGRAM (datagram service or datagram sockets)
    • SOCK_SEQPACKET (reliable sequenced packet service)
    • SOCK_RAW (raw protocols atop the network layer)
  • protocol specifying the actual transport protocol to use. The most common are IPPROTO_TCP, IPPROTO_SCTP, IPPROTO_UDP, IPPROTO_DCCP. These protocols are specified in file netinet/in.h. The value 0 may be used to select a default protocol from the selected domain and type.

The function returns -1 if an error occurred. Otherwise, it returns an integer representing the newly assigned descriptor.

bind edit

bind() associates a socket with an address. When a socket is created with socket(), it is only given a protocol family, but not assigned an address. This association must be performed before the socket can accept connections from other hosts. The function has three arguments:

  • sockfd, a descriptor representing the socket
  • my_addr, a pointer to a sockaddr structure representing the address to bind to.
  • addrlen, a field of type socklen_t specifying the size of the sockaddr structure.

bind() returns 0 on success and -1 if an error occurs.

listen edit

After a socket has been associated with an address, listen() prepares it for incoming connections. However, this is only necessary for the stream-oriented (connection-oriented) data modes, i.e., for socket types (SOCK_STREAM, SOCK_SEQPACKET). listen() requires two arguments:

  • sockfd, a valid socket descriptor.
  • backlog, an integer representing the number of pending connections that can be queued up at any one time. The operating system usually places a cap on this value.

Once a connection is accepted, it is dequeued. On success, 0 is returned. If an error occurs, -1 is returned.

accept edit

When an application is listening for stream-oriented connections from other hosts, it is notified of such events (cf. select() function) and must initialize the connection using function accept(). It creates a new socket for each connection and removes the connection from the listening queue. The function has the following arguments:

  • sockfd, the descriptor of the listening socket that has the connection queued.
  • cliaddr, a pointer to a sockaddr structure to receive the client's address information.
  • addrlen, a pointer to a socklen_t location that specifies the size of the client address structure passed to accept(). When accept() returns, this location contains the size (in bytes) of the structure.

accept() returns the new socket descriptor for the accepted connection, or the value -1 if an error occurs. All further communication with the remote host now occurs via this new socket.

Datagram sockets do not require processing by accept() since the receiver may immediately respond to the request using the listening socket.

connect edit

connect() establishes a direct communication link to a specific remote host identified by its address via a socket, identified by its file descriptor.

When using a connection-oriented protocol, this establishes a connection. Certain types of protocols are connectionless, most notably the User Datagram Protocol. When used with connectionless protocols, connect defines the remote address for sending and receiving data, allowing the use of functions such as send and recv. In these cases, the connect function prevents reception of datagrams from other sources.

connect() returns an integer representing the error code: 0 represents success, while –1 represents an error. Historically, in BSD-derived systems, the state of a socket descriptor is undefined if the call to connect fails (as it is specified in the Single Unix Specification), thus, portable applications should close the socket descriptor immediately and obtain a new descriptor with socket(), in the case the call to connect() fails.[5]

gethostbyname and gethostbyaddr edit

The functions gethostbyname() and gethostbyaddr() are used to resolve host names and addresses in the domain name system or the local host's other resolver mechanisms (e.g., /etc/hosts lookup). They return a pointer to an object of type struct hostent, which describes an Internet Protocol host. The functions use the following arguments:

  • name specifies the name of the host.
  • addr specifies a pointer to a struct in_addr containing the address of the host.
  • len specifies the length, in bytes, of addr.
  • type specifies the address family type (e.g., AF_INET) of the host address.

The functions return a NULL pointer in case of error, in which case the external integer h_errno may be checked to see whether this is a temporary failure or an invalid or unknown host. Otherwise a valid struct hostent * is returned.

These functions are not strictly a component of the BSD socket API, but are often used in conjunction with the API functions for looking up a host. These functions are now considered legacy interfaces for querying the domain name system. New functions that are completely protocol-agnostic (supporting IPv6) have been defined. These new functions are getaddrinfo() and getnameinfo(), and are based on a new addrinfo data structure.[6]

This pair of functions appeared at the same time as the BSD socket API proper in 4.2BSD (1983),[7] the same year DNS was first created. Early versions did not query DNS and only performed /etc/hosts lookup. The 4.3BSD (1984) version added DNS in a crude way. The current implementation using Name Service Switch derives Solaris and later NetBSD 1.4 (1999).[8] Initially defined for NIS+, NSS makes DNS only one of the many options for lookup by these functions and its use can be disabled even today.[9]

Protocol and address families edit

The Berkeley socket API is a general interface for networking and interprocess communication, and supports the use of various network protocols and address architectures.

The following lists a sampling of protocol families (preceded by the standard symbolic identifier) defined in a modern Linux or BSD implementation:

Identifier Function or use
PF_APPLETALK AppleTalk
PF_ATMPVC Asynchronous Transfer Mode Permanent Virtual Circuits
PF_ATMSVC Asynchronous Transfer Mode Switched Virtual Circuits
PF_AX25 Amateur Radio AX.25
PF_CAN Controller Area Network
PF_BLUETOOTH Bluetooth sockets
PF_BRIDGE Multiprotocol bridge
PF_DECnet Reserved for DECnet project
PF_ECONET Acorn Econet
PF_INET Internet Protocol version 4
PF_INET6 Internet Protocol version 6
PF_IPX Novell's Internetwork Packet Exchange
PF_IRDA IrDA sockets
PF_KEY PF_KEY key management API
PF_LOCAL, PF_UNIX, PF_FILE Local to host (pipes and file-domain)
PF_NETROM Amateur radio NET/ROM (related to AX.25)[10]
PF_NETBEUI Reserved for 802.2LLC project
PF_SECURITY Security callback pseudo AF
PF_NETLINK, PF_ROUTE routing API
PF_PACKET Packet capture sockets
PF_PPPOX PPP over X sockets
PF_SNA Linux Systems Network Architecture (SNA) Project
PF_WANPIPE Sangoma Wanpipe API sockets

A socket for communications is created with the socket() function, by specifying the desired protocol family (PF_-identifier) as an argument.

The original design concept of the socket interface distinguished between protocol types (families) and the specific address types that each may use. It was envisioned that a protocol family may have several address types. Address types were defined by additional symbolic constants, using the prefix AF instead of PF. The AF-identifiers are intended for all data structures that specifically deal with the address type and not the protocol family. However, this concept of separation of protocol and address type has not found implementation support and the AF-constants were defined by the corresponding protocol identifier, leaving the distinction between AF and PF constants as a technical argument of no practical consequence. Indeed, much confusion exists in the proper usage of both forms.[11]

The POSIX.1—2008 specification doesn't specify any PF-constants, but only AF-constants[12]

Raw sockets edit

Raw sockets provide a simple interface that bypasses the processing by the host's TCP/IP stack. They permit implementation of networking protocols in user space and aid in debugging of the protocol stack.[13] Raw sockets are used by some services, such as ICMP, that operate at the Internet Layer of the TCP/IP model.

Blocking and non-blocking mode edit

Berkeley sockets can operate in one of two modes: blocking or non-blocking.

A blocking socket does not return control until it has sent (or received) some or all data specified for the operation. It is normal for a blocking socket not to send all data. The application must check the return value to determine how many bytes have been sent or received and it must resend any data not already processed.[14] When using blocking sockets, special consideration should be given to accept() as it may still block after indicating readability if a client disconnects during the connection phase.

A non-blocking socket returns whatever is in the receive buffer and immediately continues. If not written correctly, programs using non-blocking sockets are particularly susceptible to race conditions due to variances in network link speed.[citation needed]

A socket is typically set to blocking or non-blocking mode using the functions fcntl and ioctl.

Terminating sockets edit

The operating system does not release the resources allocated to a socket until the socket is closed. This is especially important if the connect call fails and will be retried.

When an application closes a socket, only the interface to the socket is destroyed. It is the kernel's responsibility to destroy the socket internally. Sometimes, a socket may enter a TIME_WAIT state, on the server side, for up to 4 minutes.[15]

On SVR4 systems use of close() may discard data. The use of shutdown() or SO_LINGER may be required on these systems to guarantee delivery of all data.[16]

Client-server example using TCP edit

The Transmission Control Protocol (TCP) is a connection-oriented protocol that provides a variety of error correction and performance features for transmission of byte streams. A process creates a TCP socket by calling the socket() function with the parameters for the protocol family (PF INET, PF_INET6), the socket mode for stream sockets (SOCK_STREAM), and the IP protocol identifier for TCP (IPPROTO_TCP).

Server edit

Establishing a TCP server involves the following basic steps:

  • Creating a TCP socket with a call to socket().
  • Binding the socket to the listening port (bind()) after setting the port number.
  • Preparing the socket to listen for connections (making it a listening socket), with a call to listen().
  • Accepting incoming connections (accept()). This blocks the process until an incoming connection is received, and returns a socket descriptor for the accepted connection. The initial descriptor remains a listening descriptor, and accept() can be called again at any time with this socket, until it is closed.
  • Communicating with the remote host with the API functions send() and recv(), as well as with the general-purpose functions write() and read().
  • Closing each socket that was opened after use with function close()

The following program creates a TCP server listening on port number 1100:

 #include <sys/types.h>  #include <sys/socket.h>  #include <netinet/in.h>  #include <arpa/inet.h>  #include <stdio.h>  #include <stdlib.h>  #include <string.h>  #include <unistd.h>    int main(void)  {  struct sockaddr_in sa;  int SocketFD = socket(PF_INET, SOCK_STREAM, IPPROTO_TCP);  if (SocketFD == -1) {  perror("cannot create socket");  exit(EXIT_FAILURE);  }    memset(&sa, 0, sizeof sa);    sa.sin_family = AF_INET;  sa.sin_port = htons(1100);  sa.sin_addr.s_addr = htonl(INADDR_ANY);    if (bind(SocketFD,(struct sockaddr *)&sa, sizeof sa) == -1) {  perror("bind failed");  close(SocketFD);  exit(EXIT_FAILURE);  }    if (listen(SocketFD, 10) == -1) {  perror("listen failed");  close(SocketFD);  exit(EXIT_FAILURE);  }    for (;;) {  int ConnectFD = accept(SocketFD, NULL, NULL);    if (ConnectFD == -1) {  perror("accept failed");  close(SocketFD);  exit(EXIT_FAILURE);  }    /* perform read write operations ...   read(ConnectFD, buff, size)  */    if (shutdown(ConnectFD, SHUT_RDWR) == -1) {  perror("shutdown failed");  close(ConnectFD);  close(SocketFD);  exit(EXIT_FAILURE);  }  close(ConnectFD);  }  close(SocketFD);  return EXIT_SUCCESS;  } 

Client edit

Programming a TCP client application involves the following steps:

  • Creating a TCP socket.
  • Connecting to the server (connect()), by passing a sockaddr_in structure with the sin_family set to AF_INET, sin_port set to the port the endpoint is listening (in network byte order), and sin_addr set to the IP address of the listening server (also in network byte order).
  • Communicating with the remote host with the API functions send() and recv(), as well as with the general-purpose functions write() and read().
  • Closing each socket that was opened after use with function close().
 #include <sys/types.h>  #include <sys/socket.h>  #include <netinet/in.h>  #include <arpa/inet.h>  #include <stdio.h>  #include <stdlib.h>  #include <string.h>  #include <unistd.h>    int main(void)  {  struct sockaddr_in sa;  int res;  int SocketFD;  SocketFD = socket(PF_INET, SOCK_STREAM, IPPROTO_TCP);  if (SocketFD == -1) {  perror("cannot create socket");  exit(EXIT_FAILURE);  }    memset(&sa, 0, sizeof sa);    sa.sin_family = AF_INET;  sa.sin_port = htons(1100);  res = inet_pton(AF_INET, "192.168.1.3", &sa.sin_addr);  if (connect(SocketFD, (struct sockaddr *)&sa, sizeof sa) == -1) {  perror("connect failed");  close(SocketFD);  exit(EXIT_FAILURE);  }    /* perform read write operations ... */    close(SocketFD);  return EXIT_SUCCESS;  } 

Client-server example using UDP edit

The User Datagram Protocol (UDP) is a connectionless protocol with no guarantee of delivery. UDP packets may arrive out of order, multiple times, or not at all. Because of this minimal design, UDP has considerably less overhead than TCP. Being connectionless means that there is no concept of a stream or permanent connection between two hosts. Such data are referred to as datagrams (datagram sockets).

UDP address space, the space of UDP port numbers (in ISO terminology, the TSAPs), is completely disjoint from that of TCP ports.

Server edit

An application may set up a UDP server on port number 7654 as follows. The programs contains an infinite loop that receives UDP datagrams with function recvfrom().

#include <stdio.h> #include <errno.h> #include <string.h> #include <sys/socket.h> #include <sys/types.h> #include <netinet/in.h> #include <unistd.h> /* for close() for socket */  #include <stdlib.h> int main(void) {  int sock;  struct sockaddr_in sa;   char buffer[1024];  ssize_t recsize;  socklen_t fromlen;  memset(&sa, 0, sizeof sa);  sa.sin_family = AF_INET;  sa.sin_addr.s_addr = htonl(INADDR_ANY);  sa.sin_port = htons(7654);  fromlen = sizeof sa;  sock = socket(PF_INET, SOCK_DGRAM, IPPROTO_UDP);  if (bind(sock, (struct sockaddr *)&sa, sizeof sa) == -1) {  perror("error bind failed");  close(sock);  exit(EXIT_FAILURE);  }  for (;;) {  recsize = recvfrom(sock, (void*)buffer, sizeof buffer, 0, (struct sockaddr*)&sa, &fromlen);  if (recsize < 0) {  fprintf(stderr, "%s\n", strerror(errno));  exit(EXIT_FAILURE);  }  printf("recsize: %d\n ", (int)recsize);  sleep(1);  printf("datagram: %.*s\n", (int)recsize, buffer);  } } 

Client edit

The following is a client program for sending a UDP packet containing the string "Hello World!" to address 127.0.0.1 at port number 7654.

#include <stdlib.h> #include <stdio.h> #include <errno.h> #include <string.h> #include <sys/socket.h> #include <sys/types.h> #include <netinet/in.h> #include <unistd.h> #include <arpa/inet.h> int main(void) {  int sock;  struct sockaddr_in sa;  int bytes_sent;  char buffer[200];    strcpy(buffer, "hello world!");    /* create an Internet, datagram, socket using UDP */  sock = socket(PF_INET, SOCK_DGRAM, IPPROTO_UDP);  if (sock == -1) {  /* if socket failed to initialize, exit */  printf("Error Creating Socket");  exit(EXIT_FAILURE);  }    /* Zero out socket address */  memset(&sa, 0, sizeof sa);    /* The address is IPv4 */  sa.sin_family = AF_INET;    /* IPv4 addresses is a uint32_t, convert a string representation of the octets to the appropriate value */  sa.sin_addr.s_addr = inet_addr("127.0.0.1");    /* sockets are unsigned shorts, htons(x) ensures x is in network byte order, set the port to 7654 */  sa.sin_port = htons(7654);    bytes_sent = sendto(sock, buffer, strlen(buffer), 0,(struct sockaddr*)&sa, sizeof sa);  if (bytes_sent < 0) {  printf("Error sending packet: %s\n", strerror(errno));  exit(EXIT_FAILURE);  }    close(sock); /* close the socket */  return 0; } 

In this code, buffer is a pointer to the data to be sent, and buffer_length specifies the size of the data.

References edit

  1. ^ E. g. in the Ruby programming language ruby-doc::Socket
  2. ^ "— POSIX.1-2008 specification". Opengroup.org. Retrieved 2012-07-26.
  3. ^ "The Organization of Networks in Plan 9".
  4. ^ "Linux TCP/IP stack as VFS plugin".
  5. ^ Stevens & Rago 2013, p. 607.
  6. ^ POSIX.1-2004
  7. ^ gethostbyname(3) – FreeBSD Library Functions Manual
  8. ^ Conill, Ariadne (March 27, 2022). "the tragedy of gethostbyname". ariadne.space.
  9. ^ nsswitch.conf(5) – FreeBSD File Formats Manual
  10. ^ https://manpages.debian.org/experimental/ax25-tools/netrom.4.en.html. {{cite web}}: Missing or empty |title= (help)
  11. ^ UNIX Network Programming Volume 1, Third Edition: The Sockets Networking API, W. Richard Stevens, Bill Fenner, Andrew M. Rudoff, Addison Wesley, 2003.
  12. ^ "The Open Group Base Specifications Issue 7". Pubs.opengroup.org. Retrieved 2012-07-26.
  13. ^ "TCP/IP raw sockets - Win32 apps". 19 January 2022.
  14. ^ "Beej's Guide to Network Programming". Beej.us. 2007-05-05. Retrieved 2012-07-26.
  15. ^ "terminating sockets". Softlab.ntua.gr. Retrieved 2012-07-26.
  16. ^ "ntua.gr - Programming UNIX Sockets in C - Frequently Asked Questions: Questions regarding both Clients and Servers (TCP/SOCK_STREAM)". Softlab.ntua.gr. Retrieved 2012-07-26.

The de jure standard definition of the Sockets interface is contained in the POSIX standard, known as:

  • IEEE Std. 1003.1-2001 Standard for Information Technology—Portable Operating System Interface (POSIX).
  • Open Group Technical Standard: Base Specifications, Issue 6, December 2001.
  • ISO/IEC 9945:2002

Information about this standard and ongoing work on it is available from the Austin website.

The IPv6 extensions to the base socket API are documented in RFC 3493 and RFC 3542.

External links edit

  • UNIX Programmer's Supplementary Documents (PSD: 20-1)
  • Beej's Guide to Network Programming - 2007
  • Porting Berkeley Socket programs to Winsock - Microsoft's documentation.
  • Programming UNIX Sockets in C - Frequently Asked Questions - 1996
  • Linux network programming - Linux Journal, 1998

berkeley, sockets, application, programming, interface, internet, sockets, unix, domain, sockets, used, inter, process, communication, commonly, implemented, library, linkable, modules, originated, with, 2bsd, unix, operating, system, which, released, 1983, so. Berkeley sockets is an application programming interface API for Internet sockets and Unix domain sockets used for inter process communication IPC It is commonly implemented as a library of linkable modules It originated with the 4 2BSD Unix operating system which was released in 1983 A socket is an abstract representation handle for the local endpoint of a network communication path The Berkeley sockets API represents it as a file descriptor file handle in the Unix philosophy that provides a common interface for input and output to streams of data Berkeley sockets evolved with little modification from a de facto standard into a component of the POSIX specification The term POSIX sockets is essentially synonymous with Berkeley sockets but they are also known as BSD sockets acknowledging the first implementation in the Berkeley Software Distribution Contents 1 History and implementations 1 1 BSD and POSIX sockets 1 2 Alternatives 2 Header files 3 Socket API functions 3 1 socket 3 2 bind 3 3 listen 3 4 accept 3 5 connect 3 6 gethostbyname and gethostbyaddr 4 Protocol and address families 4 1 Raw sockets 5 Blocking and non blocking mode 6 Terminating sockets 7 Client server example using TCP 7 1 Server 7 2 Client 8 Client server example using UDP 8 1 Server 8 2 Client 9 References 10 External linksHistory and implementations editBerkeley sockets originated with the 4 2BSD Unix operating system released in 1983 as a programming interface Not until 1989 however could the University of California Berkeley release versions of the operating system and networking library free from the licensing constraints of AT amp T Corporation s proprietary Unix All modern operating systems implement a version of the Berkeley socket interface It became the standard interface for applications running in the Internet Even the Winsock implementation for MS Windows created by unaffiliated developers closely follows the standard The BSD sockets API is written in the C programming language Most other programming languages provide similar interfaces typically written as a wrapper library based on the C API 1 BSD and POSIX sockets edit As the Berkeley socket API evolved and ultimately yielded the POSIX socket API 2 certain functions were deprecated or removed and replaced by others The POSIX API is also designed to be reentrant and supports IPv6 Action BSD POSIX Conversion from text address to packed address inet aton inet pton Conversion from packed address to text address inet ntoa inet ntop Forward lookup for host name service gethostbyname gethostbyaddr getservbyname getservbyport getaddrinfo Reverse lookup for host name service gethostbyaddr getservbyport getnameinfo Alternatives edit The STREAMS based Transport Layer Interface TLI API offers an alternative to the socket API Many systems that provide the TLI API also provide the Berkeley socket API Non Unix systems often expose the Berkeley socket API with a translation layer to a native networking API Plan 9 3 and Genode 4 use file system APIs with control files rather than file descriptors Header files editThe Berkeley socket interface is defined in several header files The names and content of these files differ slightly between implementations In general they include File Description sys socket h Core socket functions and data structures netinet in h AF INET and AF INET6 address families and their corresponding protocol families PF INET and PF INET6 These include standard IP addresses and TCP and UDP port numbers sys un h PF UNIX and PF LOCAL address family Used for local communication between programs running on the same computer arpa inet h Functions for manipulating numeric IP addresses netdb h Functions for translating protocol names and host names into numeric addresses Searches local data as well as name services Socket API functions edit nbsp Flow diagram of client server transaction using sockets with the Transmission Control Protocol TCP The Berkeley socket API typically provides the following functions socket creates a new socket of a certain type identified by an integer number and allocates system resources to it bind is typically used on the server side and associates a socket with a socket address structure i e a specified local IP address and a port number listen is used on the server side and causes a bound TCP socket to enter listening state connect is used on the client side and assigns a free local port number to a socket In case of a TCP socket it causes an attempt to establish a new TCP connection accept is used on the server side It accepts a received incoming attempt to create a new TCP connection from the remote client and creates a new socket associated with the socket address pair of this connection send recv sendto and recvfrom are used for sending and receiving data The standard functions write and read may also be used close causes the system to release resources allocated to a socket In case of TCP the connection is terminated gethostbyname and gethostbyaddr are used to resolve host names and addresses IPv4 only getaddrinfo and freeaddrinfo are used to resolve host names and addresses IPv4 IPv6 select is used to suspend waiting for one or more of a provided list of sockets to be ready to read ready to write or that have errors poll is used to check on the state of a socket in a set of sockets The set can be tested to see if any socket can be written to read from or if an error occurred getsockopt is used to retrieve the current value of a particular socket option for the specified socket setsockopt is used to set a particular socket option for the specified socket socket edit The function socket creates an endpoint for communication and returns a file descriptor for the socket It uses three arguments domain which specifies the protocol family of the created socket For example AF INET for network protocol IPv4 IPv4 only AF INET6 for IPv6 and in some cases backward compatible with IPv4 AF UNIX for local socket using a special filesystem node type one of SOCK STREAM reliable stream oriented service or stream sockets SOCK DGRAM datagram service or datagram sockets SOCK SEQPACKET reliable sequenced packet service SOCK RAW raw protocols atop the network layer protocol specifying the actual transport protocol to use The most common are IPPROTO TCP IPPROTO SCTP IPPROTO UDP IPPROTO DCCP These protocols are specified in file netinet in h The value 0 may be used to select a default protocol from the selected domain and type The function returns 1 if an error occurred Otherwise it returns an integer representing the newly assigned descriptor bind edit bind associates a socket with an address When a socket is created with socket it is only given a protocol family but not assigned an address This association must be performed before the socket can accept connections from other hosts The function has three arguments sockfd a descriptor representing the socket my addr a pointer to a sockaddr structure representing the address to bind to addrlen a field of type socklen t specifying the size of the sockaddr structure bind returns 0 on success and 1 if an error occurs listen edit After a socket has been associated with an address listen prepares it for incoming connections However this is only necessary for the stream oriented connection oriented data modes i e for socket types SOCK STREAM SOCK SEQPACKET listen requires two arguments sockfd a valid socket descriptor backlog an integer representing the number of pending connections that can be queued up at any one time The operating system usually places a cap on this value Once a connection is accepted it is dequeued On success 0 is returned If an error occurs 1 is returned accept edit When an application is listening for stream oriented connections from other hosts it is notified of such events cf select function and must initialize the connection using function accept It creates a new socket for each connection and removes the connection from the listening queue The function has the following arguments sockfd the descriptor of the listening socket that has the connection queued cliaddr a pointer to a sockaddr structure to receive the client s address information addrlen a pointer to a socklen t location that specifies the size of the client address structure passed to accept When accept returns this location contains the size in bytes of the structure accept returns the new socket descriptor for the accepted connection or the value 1 if an error occurs All further communication with the remote host now occurs via this new socket Datagram sockets do not require processing by accept since the receiver may immediately respond to the request using the listening socket connect edit connect establishes a direct communication link to a specific remote host identified by its address via a socket identified by its file descriptor When using a connection oriented protocol this establishes a connection Certain types of protocols are connectionless most notably the User Datagram Protocol When used with connectionless protocols connect defines the remote address for sending and receiving data allowing the use of functions such as send and recv In these cases the connect function prevents reception of datagrams from other sources connect returns an integer representing the error code 0 represents success while 1 represents an error Historically in BSD derived systems the state of a socket descriptor is undefined if the call to connect fails as it is specified in the Single Unix Specification thus portable applications should close the socket descriptor immediately and obtain a new descriptor with socket in the case the call to connect fails 5 gethostbyname and gethostbyaddr edit The functions gethostbyname and gethostbyaddr are used to resolve host names and addresses in the domain name system or the local host s other resolver mechanisms e g etc hosts lookup They return a pointer to an object of type struct hostent which describes an Internet Protocol host The functions use the following arguments name specifies the name of the host addr specifies a pointer to a struct in addr containing the address of the host len specifies the length in bytes of addr type specifies the address family type e g AF INET of the host address The functions return a NULL pointer in case of error in which case the external integer h errno may be checked to see whether this is a temporary failure or an invalid or unknown host Otherwise a valid struct hostent is returned These functions are not strictly a component of the BSD socket API but are often used in conjunction with the API functions for looking up a host These functions are now considered legacy interfaces for querying the domain name system New functions that are completely protocol agnostic supporting IPv6 have been defined These new functions are getaddrinfo and getnameinfo and are based on a new addrinfo data structure 6 This pair of functions appeared at the same time as the BSD socket API proper in 4 2BSD 1983 7 the same year DNS was first created Early versions did not query DNS and only performed etc hosts lookup The 4 3BSD 1984 version added DNS in a crude way The current implementation using Name Service Switch derives Solaris and later NetBSD 1 4 1999 8 Initially defined for NIS NSS makes DNS only one of the many options for lookup by these functions and its use can be disabled even today 9 Protocol and address families editThe Berkeley socket API is a general interface for networking and interprocess communication and supports the use of various network protocols and address architectures The following lists a sampling of protocol families preceded by the standard symbolic identifier defined in a modern Linux or BSD implementation Identifier Function or use PF APPLETALK AppleTalk PF ATMPVC Asynchronous Transfer Mode Permanent Virtual Circuits PF ATMSVC Asynchronous Transfer Mode Switched Virtual Circuits PF AX25 Amateur Radio AX 25 PF CAN Controller Area Network PF BLUETOOTH Bluetooth sockets PF BRIDGE Multiprotocol bridge PF DECnet Reserved for DECnet project PF ECONET Acorn Econet PF INET Internet Protocol version 4 PF INET6 Internet Protocol version 6 PF IPX Novell s Internetwork Packet Exchange PF IRDA IrDA sockets PF KEY PF KEY key management API PF LOCAL PF UNIX PF FILE Local to host pipes and file domain PF NETROM Amateur radio NET ROM related to AX 25 10 PF NETBEUI Reserved for 802 2LLC project PF SECURITY Security callback pseudo AF PF NETLINK PF ROUTE routing API PF PACKET Packet capture sockets PF PPPOX PPP over X sockets PF SNA Linux Systems Network Architecture SNA Project PF WANPIPE Sangoma Wanpipe API sockets A socket for communications is created with the socket function by specifying the desired protocol family PF identifier as an argument The original design concept of the socket interface distinguished between protocol types families and the specific address types that each may use It was envisioned that a protocol family may have several address types Address types were defined by additional symbolic constants using the prefix AF instead of PF The AF identifiers are intended for all data structures that specifically deal with the address type and not the protocol family However this concept of separation of protocol and address type has not found implementation support and the AF constants were defined by the corresponding protocol identifier leaving the distinction between AF and PF constants as a technical argument of no practical consequence Indeed much confusion exists in the proper usage of both forms 11 The POSIX 1 2008 specification doesn t specify any PF constants but only AF constants 12 Raw sockets edit Raw sockets provide a simple interface that bypasses the processing by the host s TCP IP stack They permit implementation of networking protocols in user space and aid in debugging of the protocol stack 13 Raw sockets are used by some services such as ICMP that operate at the Internet Layer of the TCP IP model Blocking and non blocking mode editBerkeley sockets can operate in one of two modes blocking or non blocking A blocking socket does not return control until it has sent or received some or all data specified for the operation It is normal for a blocking socket not to send all data The application must check the return value to determine how many bytes have been sent or received and it must resend any data not already processed 14 When using blocking sockets special consideration should be given to accept as it may still block after indicating readability if a client disconnects during the connection phase A non blocking socket returns whatever is in the receive buffer and immediately continues If not written correctly programs using non blocking sockets are particularly susceptible to race conditions due to variances in network link speed citation needed A socket is typically set to blocking or non blocking mode using the functions fcntl and ioctl Terminating sockets editThe operating system does not release the resources allocated to a socket until the socket is closed This is especially important if the connect call fails and will be retried When an application closes a socket only the interface to the socket is destroyed It is the kernel s responsibility to destroy the socket internally Sometimes a socket may enter a TIME WAIT state on the server side for up to 4 minutes 15 On SVR4 systems use of close may discard data The use of shutdown or SO LINGER may be required on these systems to guarantee delivery of all data 16 Client server example using TCP editThe Transmission Control Protocol TCP is a connection oriented protocol that provides a variety of error correction and performance features for transmission of byte streams A process creates a TCP socket by calling the socket function with the parameters for the protocol family PF INET PF INET6 the socket mode for stream sockets SOCK STREAM and the IP protocol identifier for TCP IPPROTO TCP Server edit Establishing a TCP server involves the following basic steps Creating a TCP socket with a call to socket Binding the socket to the listening port bind after setting the port number Preparing the socket to listen for connections making it a listening socket with a call to listen Accepting incoming connections accept This blocks the process until an incoming connection is received and returns a socket descriptor for the accepted connection The initial descriptor remains a listening descriptor and accept can be called again at any time with this socket until it is closed Communicating with the remote host with the API functions send and recv as well as with the general purpose functions write and read Closing each socket that was opened after use with function close The following program creates a TCP server listening on port number 1100 include lt sys types h gt include lt sys socket h gt include lt netinet in h gt include lt arpa inet h gt include lt stdio h gt include lt stdlib h gt include lt string h gt include lt unistd h gt int main void struct sockaddr in sa int SocketFD socket PF INET SOCK STREAM IPPROTO TCP if SocketFD 1 perror cannot create socket exit EXIT FAILURE memset amp sa 0 sizeof sa sa sin family AF INET sa sin port htons 1100 sa sin addr s addr htonl INADDR ANY if bind SocketFD struct sockaddr amp sa sizeof sa 1 perror bind failed close SocketFD exit EXIT FAILURE if listen SocketFD 10 1 perror listen failed close SocketFD exit EXIT FAILURE for int ConnectFD accept SocketFD NULL NULL if ConnectFD 1 perror accept failed close SocketFD exit EXIT FAILURE perform read write operations read ConnectFD buff size if shutdown ConnectFD SHUT RDWR 1 perror shutdown failed close ConnectFD close SocketFD exit EXIT FAILURE close ConnectFD close SocketFD return EXIT SUCCESS Client edit Programming a TCP client application involves the following steps Creating a TCP socket Connecting to the server connect by passing a sockaddr in structure with the sin family set to AF INET sin port set to the port the endpoint is listening in network byte order and sin addr set to the IP address of the listening server also in network byte order Communicating with the remote host with the API functions send and recv as well as with the general purpose functions write and read Closing each socket that was opened after use with function close include lt sys types h gt include lt sys socket h gt include lt netinet in h gt include lt arpa inet h gt include lt stdio h gt include lt stdlib h gt include lt string h gt include lt unistd h gt int main void struct sockaddr in sa int res int SocketFD SocketFD socket PF INET SOCK STREAM IPPROTO TCP if SocketFD 1 perror cannot create socket exit EXIT FAILURE memset amp sa 0 sizeof sa sa sin family AF INET sa sin port htons 1100 res inet pton AF INET 192 168 1 3 amp sa sin addr if connect SocketFD struct sockaddr amp sa sizeof sa 1 perror connect failed close SocketFD exit EXIT FAILURE perform read write operations close SocketFD return EXIT SUCCESS Client server example using UDP editThe User Datagram Protocol UDP is a connectionless protocol with no guarantee of delivery UDP packets may arrive out of order multiple times or not at all Because of this minimal design UDP has considerably less overhead than TCP Being connectionless means that there is no concept of a stream or permanent connection between two hosts Such data are referred to as datagrams datagram sockets UDP address space the space of UDP port numbers in ISO terminology the TSAPs is completely disjoint from that of TCP ports Server edit An application may set up a UDP server on port number 7654 as follows The programs contains an infinite loop that receives UDP datagrams with function recvfrom include lt stdio h gt include lt errno h gt include lt string h gt include lt sys socket h gt include lt sys types h gt include lt netinet in h gt include lt unistd h gt for close for socket include lt stdlib h gt int main void int sock struct sockaddr in sa char buffer 1024 ssize t recsize socklen t fromlen memset amp sa 0 sizeof sa sa sin family AF INET sa sin addr s addr htonl INADDR ANY sa sin port htons 7654 fromlen sizeof sa sock socket PF INET SOCK DGRAM IPPROTO UDP if bind sock struct sockaddr amp sa sizeof sa 1 perror error bind failed close sock exit EXIT FAILURE for recsize recvfrom sock void buffer sizeof buffer 0 struct sockaddr amp sa amp fromlen if recsize lt 0 fprintf stderr s n strerror errno exit EXIT FAILURE printf recsize d n int recsize sleep 1 printf datagram s n int recsize buffer Client edit The following is a client program for sending a UDP packet containing the string Hello World to address 127 0 0 1 at port number 7654 include lt stdlib h gt include lt stdio h gt include lt errno h gt include lt string h gt include lt sys socket h gt include lt sys types h gt include lt netinet in h gt include lt unistd h gt include lt arpa inet h gt int main void int sock struct sockaddr in sa int bytes sent char buffer 200 strcpy buffer hello world create an Internet datagram socket using UDP sock socket PF INET SOCK DGRAM IPPROTO UDP if sock 1 if socket failed to initialize exit printf Error Creating Socket exit EXIT FAILURE Zero out socket address memset amp sa 0 sizeof sa The address is IPv4 sa sin family AF INET IPv4 addresses is a uint32 t convert a string representation of the octets to the appropriate value sa sin addr s addr inet addr 127 0 0 1 sockets are unsigned shorts htons x ensures x is in network byte order set the port to 7654 sa sin port htons 7654 bytes sent sendto sock buffer strlen buffer 0 struct sockaddr amp sa sizeof sa if bytes sent lt 0 printf Error sending packet s n strerror errno exit EXIT FAILURE close sock close the socket return 0 In this code buffer is a pointer to the data to be sent and buffer length specifies the size of the data References edit E g in the Ruby programming language ruby doc Socket POSIX 1 2008 specification Opengroup org Retrieved 2012 07 26 The Organization of Networks in Plan 9 Linux TCP IP stack as VFS plugin Stevens amp Rago 2013 p 607 POSIX 1 2004 gethostbyname 3 FreeBSD Library Functions Manual Conill Ariadne March 27 2022 the tragedy of gethostbyname ariadne space nsswitch conf 5 FreeBSD File Formats Manual https manpages debian org experimental ax25 tools netrom 4 en html a href Template Cite web html title Template Cite web cite web a Missing or empty title help UNIX Network Programming Volume 1 Third Edition The Sockets Networking API W Richard Stevens Bill Fenner Andrew M Rudoff Addison Wesley 2003 The Open Group Base Specifications Issue 7 Pubs opengroup org Retrieved 2012 07 26 TCP IP raw sockets Win32 apps 19 January 2022 Beej s Guide to Network Programming Beej us 2007 05 05 Retrieved 2012 07 26 terminating sockets Softlab ntua gr Retrieved 2012 07 26 ntua gr Programming UNIX Sockets in C Frequently Asked Questions Questions regarding both Clients and Servers TCP SOCK STREAM Softlab ntua gr Retrieved 2012 07 26 The de jure standard definition of the Sockets interface is contained in the POSIX standard known as IEEE Std 1003 1 2001 Standard for Information Technology Portable Operating System Interface POSIX Open Group Technical Standard Base Specifications Issue 6 December 2001 ISO IEC 9945 2002 Information about this standard and ongoing work on it is available from the Austin website The IPv6 extensions to the base socket API are documented in RFC 3493 and RFC 3542 Stevens W Richard Rago Stephen A May 24 2013 Advanced Programming in the UNIX Environment Third ed Addison Wesley Professional ISBN 978 0321637734 Retrieved 27 February 2015 External links editUNIX Programmer s Supplementary Documents PSD 20 1 Beej s Guide to Network Programming 2007 Porting Berkeley Socket programs to Winsock Microsoft s documentation Programming UNIX Sockets in C Frequently Asked Questions 1996 Linux network programming Linux Journal 1998 Retrieved from https en wikipedia org w index php title Berkeley sockets amp oldid 1208678089, wikipedia, wiki, book, books, library,

article

, read, download, free, free download, mp3, video, mp4, 3gp, jpg, jpeg, gif, png, picture, music, song, movie, book, game, games.