View source with raw comments or as raw
    1/*  Part of SWI-Prolog
    2
    3    Author:        Jan Wielemaker
    4    E-mail:        J.Wielemaker@vu.nl
    5    WWW:           http://www.swi-prolog.org
    6    Copyright (c)  2000-2023, University of Amsterdam
    7                              VU University Amsterdam
    8                              CWI, Amsterdam
    9                              SWI-Prolog Solutions b.v.
   10    All rights reserved.
   11
   12    Redistribution and use in source and binary forms, with or without
   13    modification, are permitted provided that the following conditions
   14    are met:
   15
   16    1. Redistributions of source code must retain the above copyright
   17       notice, this list of conditions and the following disclaimer.
   18
   19    2. Redistributions in binary form must reproduce the above copyright
   20       notice, this list of conditions and the following disclaimer in
   21       the documentation and/or other materials provided with the
   22       distribution.
   23
   24    THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
   25    "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
   26    LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS
   27    FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE
   28    COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT,
   29    INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING,
   30    BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
   31    LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
   32    CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
   33    LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN
   34    ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
   35    POSSIBILITY OF SUCH DAMAGE.
   36*/
   37
   38:- module(socket,
   39          [ socket_create/2,		% -Socket, +Options
   40	    tcp_socket/1,               % -Socket
   41            tcp_close_socket/1,         % +Socket
   42            tcp_open_socket/3,          % +Socket, -Read, -Write
   43            tcp_connect/2,              % +Socket, +Address
   44            tcp_connect/3,              % +Address, -StreamPair, +Options
   45            tcp_connect/4,              % +Socket, +Address, -Read, -Write)
   46            tcp_bind/2,                 % +Socket, +Address
   47            tcp_accept/3,               % +Master, -Slave, -PeerName
   48            tcp_listen/2,               % +Socket, +BackLog
   49            tcp_fcntl/3,                % +Socket, +Command, ?Arg
   50            tcp_setopt/2,               % +Socket, +Option
   51            tcp_getopt/2,               % +Socket, ?Option
   52            host_address/3,		% ?HostName, ?Address, +Options
   53            tcp_host_to_address/2,      % ?HostName, ?Ip-nr
   54            tcp_select/3,               % +Inputs, -Ready, +Timeout
   55            gethostname/1,              % -HostName
   56
   57            ip_name/2,			% ?Ip, ?Name
   58
   59            tcp_open_socket/2,          % +Socket, -StreamPair
   60
   61            udp_socket/1,               % -Socket
   62            udp_receive/4,              % +Socket, -Data, -Sender, +Options
   63            udp_send/4,                 % +Socket, +Data, +Sender, +Options
   64
   65            negotiate_socks_connection/2% +DesiredEndpoint, +StreamPair
   66          ]).   67:- use_module(library(debug), [assertion/1, debug/3]).   68:- autoload(library(lists), [last/2, member/2, append/3, append/2]).   69:- autoload(library(apply), [maplist/3, maplist/2]).   70:- autoload(library(error),
   71            [instantiation_error/1, syntax_error/1, must_be/2, domain_error/2]).   72:- autoload(library(option), [option/2, option/3]).   73
   74:- multifile
   75    rewrite_host/3.                     % +HostIn, -Host, +Socket

Network socket (TCP and UDP) library

The library(socket) provides TCP and UDP inet-domain sockets from SWI-Prolog, both client and server-side communication. The interface of this library is very close to the Unix socket interface, also supported by the MS-Windows winsock API. SWI-Prolog applications that wish to communicate with multiple sources have two options:

Client applications

Using this library to establish a TCP connection to a server is as simple as opening a file. See also http_open/3.

dump_swi_homepage :-
    setup_call_cleanup(
        tcp_connect('www.swi-prolog.org':http, Stream, []),
        ( format(Stream,
                 'GET / HTTP/1.1~n\c
                  Host: www.swi-prolog.org~n\c
                  Connection: close~n~n', []),
          flush_output(Stream),
          copy_stream_data(Stream, current_output)
        ),
        close(Stream)).

To deal with timeouts and multiple connections, threads, wait_for_input/3 and/or non-blocking streams (see tcp_fcntl/3) can be used.

Server applications

The typical sequence for generating a server application is given below. To close the server, use close/1 on the StreamPair.

create_server(Port) :-
      tcp_socket(Socket),
      tcp_bind(Socket, Port),
      tcp_listen(Socket, 5),
      tcp_open_socket(Socket, StreamPair),
      stream_pair(StreamPair, AcceptFd, _),
      <dispatch>

There are various options for <dispatch>. The most commonly used option is to start a Prolog thread to handle the connection. Alternatively, input from multiple clients can be handled in a single thread by listening to these clients using wait_for_input/3. Finally, on Unix systems, we can use fork/1 to handle the connection in a new process. Note that fork/1 and threads do not cooperate well. Combinations can be realised but require good understanding of POSIX thread and fork-semantics.

Below is the typical example using a thread. Note the use of setup_call_cleanup/3 to guarantee that all resources are reclaimed, also in case of failure or exceptions.

dispatch(AcceptFd) :-
        tcp_accept(AcceptFd, Socket, Peer),
        thread_create(process_client(Socket, Peer), _,
                      [ detached(true)
                      ]),
        dispatch(AcceptFd).

process_client(Socket, Peer) :-
        setup_call_cleanup(
            tcp_open_socket(Socket, StreamPair),
            handle_service(StreamPair),
            close(StreamPair)).

handle_service(StreamPair) :-
        ...

Socket exceptions

Errors that are trapped by the low-level library are mapped to an exception of the shape below. In this term, Code is a lower case atom that corresponds to the C macro name, e.g., epipe for a broken pipe. Message is the human readable string for the error code returned by the OS or the same as Code if the OS does not provide this functionality. Note that Code is derived from a static set of macros that may or may not be defines for the target OS. If the macro name is not known, Code is ERROR_nnn, where nnn is an integer.

error(socket_error(Code, Message), _)

Note that on Windows Code is a wsa* code which makes it hard to write portable code that handles specific socket errors. Even on POSIX systems the exact set of errors produced by the network stack is not defined.

Socket addresses (families)

The library supports both IP4 and IP6 addresses. On Unix systems it also supports Unix domain sockets (AF_UNIX). The address of a Unix domain sockets is a file name. Unix domain sockets are created using socket_create/2 or unix_domain_socket/1.

IP4 or IP6 sockets can be created using socket_create/2 or tcp_connect/3 with the inet (default, IP3) or inet6 domain option. Some of the predicates produce or consume IP addresses as a Prolog term. The format of this term is one of:

ip(A, B, C, D)
Represents an IP4 address. Each field is an integer in the range 0..255 (8 bit).
ip(A, B, C, D, E, F, G, H)
Represents an IP6 address. Each field is an integer in the range 0..65535 (16 bit).

The predicate ip_name/2 translates between the canonical textual representation and the above defined address terms.

Socket predicate reference

*/

  203:- multifile
  204    tcp_connect_hook/3,             % +Socket, +Addr, -In, -Out
  205    tcp_connect_hook/4,             % +Socket, +Addr, -Stream
  206    proxy_for_url/3,                % +URL, +Host, -ProxyList
  207    try_proxy/4.                    % +Proxy, +Addr, -Socket, -Stream
  208
  209:- predicate_options(tcp_connect/3, 3,
  210                     [ bypass_proxy(boolean),
  211                       nodelay(boolean),
  212                       domain(oneof([inet,inet6]))
  213                     ]).  214
  215:- use_foreign_library(foreign(socket)).  216:- public tcp_debug/1.                  % set debugging.
  217
  218:- if(current_predicate(unix_domain_socket/1)).  219:- export(unix_domain_socket/1).  % -Socket
  220:- endif.
 socket_create(-SocketId, +Options) is det
Create a socket according to Options. Supported Options are:
domain(+Domain)
One of inet (default), inet6, unix or local (same as unix)
type(+Type)
One of stream (default) to create a TCP connection or dgram to create a UDP socket.

This predicate subsumes tcp_socket/1, udp_socket/1 and unix_domain_socket/1.

 tcp_socket(-SocketId) is det
Equivalent to socket_create(SocketId, []) or, explicit, socket_create(SocketId, [domain(inet), type(stream)]).
 unix_domain_socket(-SocketId) is det
Equivalent to socket_create(SocketId, [domain(unix)]) or, explicit, socket_create(SocketId, [domain(unix), type(stream)])

Unix domain socket affect tcp_connect/2 (for clients) and tcp_bind/2 and tcp_accept/3 (for servers). The address is an atom or string that is handled as a file name. On most systems the length of this file name is limited to 128 bytes (including null terminator), but according to the Linux documentation (unix(7)), portable applications must keep the address below 92 bytes. Note that these lengths are in bytes. Non-ascii characters may be represented as multiple bytes. If the length limit is exceeded a representation_error(af_unix_name) exception is raised.

 tcp_close_socket(+SocketId) is det
Closes the indicated socket, making SocketId invalid. Normally, sockets are closed by closing both stream handles returned by open_socket/3. There are two cases where tcp_close_socket/1 is used because there are no stream-handles:
 tcp_open_socket(+SocketId, -StreamPair) is det
Create streams to communicate to SocketId. If SocketId is a master socket (see tcp_bind/2), StreamPair should be used for tcp_accept/3. If SocketId is a connected (see tcp_connect/2) or accepted socket (see tcp_accept/3), StreamPair is unified to a stream pair (see stream_pair/3) that can be used for reading and writing. The stream or pair must be closed with close/1, which also closes SocketId.
  282tcp_open_socket(Socket, Stream) :-
  283    tcp_open_socket(Socket, In, Out),
  284    (   var(Out)
  285    ->  Stream = In
  286    ;   stream_pair(Stream, In, Out)
  287    ).
 tcp_open_socket(+SocketId, -InStream, -OutStream) is det
Similar to tcp_open_socket/2, but creates two separate sockets where tcp_open_socket/2 would have created a stream pair.
deprecated
- New code should use tcp_open_socket/2 because closing a stream pair is much easier to perform safely.
 tcp_bind(SocketId, ?Address) is det
Bind the socket to Address on the current machine. This operation, together with tcp_listen/2 and tcp_accept/3 implement the server-side of the socket interface. Address is either an plain Port or a term HostPort. The first form binds the socket to the given port on all interfaces, while the second only binds to the matching interface. A typical example is below, causing the socket to listen only on port 8080 on the local machine's network.
  tcp_bind(Socket, localhost:8080)

If Port is unbound, the system picks an arbitrary free port and unifies Port with the selected port number. Port is either an integer or the name of a registered service. See also tcp_connect/4.

 tcp_listen(+SocketId, +BackLog) is det
Tells, after tcp_bind/2, the socket to listen for incoming requests for connections. Backlog indicates how many pending connection requests are allowed. Pending requests are requests that are not yet acknowledged using tcp_accept/3. If the indicated number is exceeded, the requesting client will be signalled that the service is currently not available. A commonly used default value for Backlog is 5.
 tcp_accept(+Socket, -Slave, -Peer) is det
This predicate waits on a server socket for a connection request by a client. On success, it creates a new socket for the client and binds the identifier to Slave. Peer is bound to the IP-address of the client or the atom af_unix if Socket is an AF_UNIX socket (see unix_domain_socket/1).
 tcp_connect(+SocketId, +Address) is det
Connect SocketId. After successful completion, tcp_open_socket/3 can be used to create I/O-Streams to the remote socket. This predicate is part of the low level client API. A connection to a particular host and port is realised using these steps:
    tcp_socket(Socket),
    tcp_connect(Socket, Host:Port),
    tcp_open_socket(Socket, StreamPair)

Typical client applications should use the high level interface provided by tcp_connect/3 which avoids resource leaking if a step in the process fails, and can be hooked to support proxies. For example:

    setup_call_cleanup(
        tcp_connect(Host:Port, StreamPair, []),
        talk(StreamPair),
        close(StreamPair))

If SocketId is an AF_UNIX socket (see unix_domain_socket/1), Address is an atom or string denoting a file name.

  363tcp_connect(Socket, Host0:Port) =>
  364    (   rewrite_host(Host0, Host, Socket)
  365    ->  true
  366    ;   Host = Host0
  367    ),
  368    tcp_connect_(Socket, Host:Port).
  369tcp_connect(Socket, Address) =>
  370    tcp_connect_(Socket, Address).
 rewrite_host(+HostIn, -HostOut, +Socket) is nondet
Allow rewriting the host for tcp_connect/2 and therefore all other predicates to connect a socket.

This hook is currently defined in Windows to map localhost to ip(127,0,0,1) as resolving localhost on Windows is often very slow. Note that we do not want to do that in general as a system may prefer to map localhost to `::1`, i.e., the IPv6 loopback address.

  382:- if(current_prolog_flag(windows, true)).  383rewrite_host(localhost, ip(127,0,0,1), _).
  384:- endif.  385
  386
  387                 /*******************************
  388                 *      HOOKABLE CONNECT        *
  389                 *******************************/
 tcp_connect(+Socket, +Address, -Read, -Write) is det
Connect a (client) socket to Address and return a bi-directional connection through the stream-handles Read and Write. This predicate may be hooked by defining tcp_connect_hook/4 with the same signature. Hooking can be used to deal with proxy connections. E.g.,
:- multifile socket:tcp_connect_hook/4.

socket:tcp_connect_hook(Socket, Address, Read, Write) :-
    proxy(ProxyAdress),
    tcp_connect(Socket, ProxyAdress),
    tcp_open_socket(Socket, Read, Write),
    proxy_connect(Address, Read, Write).
deprecated
- New code should use tcp_connect/3 called as tcp_connect(+Address, -StreamPair, +Options).
  412tcp_connect(Socket, Address, Read, Write) :-
  413    tcp_connect_hook(Socket, Address, Read, Write),
  414    !.
  415tcp_connect(Socket, Address, Read, Write) :-
  416    tcp_connect(Socket, Address),
  417    tcp_open_socket(Socket, Read, Write).
 tcp_connect(+Address, -StreamPair, +Options) is det
tcp_connect(+Socket, +Address, -StreamPair) is det
Establish a TCP communication as a client. The +,-,+ mode is the preferred way for a client to establish a connection. This predicate can be hooked to support network proxies. To use a proxy, the hook proxy_for_url/3 must be defined. Permitted options are:
bypass_proxy(+Boolean)
Defaults to false. If true, do not attempt to use any proxies to obtain the connection
nodelay(+Boolean)
Defaults to false. If true, set nodelay on the resulting socket using tcp_setopt(Socket, nodelay)
domain(+Domain)
One of `inet' or inet6. When omitted we use host_address/2 with type(stream) and try the returned addresses in order.

The +,+,- mode is deprecated and does not support proxies. It behaves like tcp_connect/4, but creates a stream pair (see stream_pair/3).

Arguments:
Address- is either a Host:Port term or a file name (atom or string). The latter connects to an AF_UNIX socket and requires unix_domain_socket/1.
Errors
- proxy_error(tried(ResultList)) is raised by mode (+,-,+) if proxies are defines by proxy_for_url/3 but no proxy can establsh the connection. ResultList contains one or more terms of the form false(Proxy) for a hook that simply failed or error(Proxy, ErrorTerm) for a hook that raised an exception.
See also
- library(http/http_proxy) defines a hook that allows to connect through HTTP proxies that support the CONNECT method.
  458% Main mode: +,-,+
  459tcp_connect(Address, StreamPair, Options) :-
  460    var(StreamPair),
  461    !,
  462    (   memberchk(bypass_proxy(true), Options)
  463    ->  tcp_connect_direct(Address, Socket, StreamPair, Options)
  464    ;   findall(Result,
  465                try_a_proxy(Address, Result),
  466                ResultList),
  467        last(ResultList, Status)
  468    ->  (   Status = true(_Proxy, Socket, StreamPair)
  469        ->  true
  470        ;   throw(error(proxy_error(tried(ResultList)), _))
  471        )
  472    ;   tcp_connect_direct(Address, Socket, StreamPair, Options)
  473    ),
  474    (   memberchk(nodelay(true), Options)
  475    ->  tcp_setopt(Socket, nodelay)
  476    ;   true
  477    ).
  478% backward compatibility mode +,+,-
  479tcp_connect(Socket, Address, StreamPair) :-
  480    tcp_connect_hook(Socket, Address, StreamPair0),
  481    !,
  482    StreamPair = StreamPair0.
  483tcp_connect(Socket, Address, StreamPair) :-
  484    connect_stream_pair(Socket, Address, StreamPair).
  485
  486:- public tcp_connect_direct/3.   % used by HTTP proxy code.
  487tcp_connect_direct(Address, Socket, StreamPair) :-
  488    tcp_connect_direct(Address, Socket, StreamPair, []).
 tcp_connect_direct(+Address, +Socket, -StreamPair, +Options) is det
Make a direct connection to a TCP address, i.e., do not take proxy rules into account. If no explicit domain (inet, inet6 is given, perform a getaddrinfo() call to obtain the relevant addresses.
  497tcp_connect_direct(Host0:Port, Socket, StreamPair, Options) :-
  498    must_be(ground, Host0),
  499    \+ option(domain(_), Options),
  500    !,
  501    (   rewrite_host(Host0, Host, Socket)
  502    ->  true
  503    ;   Host = Host0
  504    ),
  505    State = error(_),
  506    (   (   is_ip(Host, Domain)
  507        ->  IP = Host
  508        ;   host_address(Host, Address, [type(stream)]),
  509            Domain = Address.domain,
  510            IP = Address.address
  511        ),
  512	socket_create(Socket, [domain(Domain)]),
  513	E = error(_,_),
  514	catch(connect_or_discard_socket(Socket, IP:Port, StreamPair),
  515	      E, store_error_and_fail(State, E)),
  516	debug(socket, '~p: connected to ~p', [Host, IP])
  517    ->  true
  518    ;   arg(1, State, Error),
  519	assertion(nonvar(Error)),
  520	throw(Error)
  521    ).
  522tcp_connect_direct(Address, Socket, StreamPair, Options) :-
  523    make_socket(Address, Socket, Options),
  524    connect_or_discard_socket(Socket, Address, StreamPair).
  525
  526is_ip(ip(_,_,_,_), inet).
  527is_ip(ip(_,_,_,_, _,_,_,_), inet6).
  528
  529connect_or_discard_socket(Socket, Address, StreamPair) :-
  530    setup_call_catcher_cleanup(
  531	true,
  532	connect_stream_pair(Socket, Address, StreamPair),
  533	Catcher, cleanup(Catcher, Socket)).
  534
  535cleanup(exit, _) :- !.
  536cleanup(_, Socket) :-
  537    tcp_close_socket(Socket).
  538
  539connect_stream_pair(Socket, Address, StreamPair) :-
  540    tcp_connect(Socket, Address, Read, Write),
  541    stream_pair(StreamPair, Read, Write).
  542
  543store_error_and_fail(State, E) :-
  544    arg(1, State, E0),
  545    var(E0),
  546    nb_setarg(1, State, E),
  547    fail.
  548
  549:- if(current_predicate(unix_domain_socket/1)).  550make_socket(Address, Socket, _Options) :-
  551    (   atom(Address)
  552    ;   string(Address)
  553    ),
  554    !,
  555    unix_domain_socket(Socket).
  556:- endif.  557make_socket(_Address, Socket, Options) :-
  558    option(domain(Domain), Options, inet),
  559    socket_create(Socket, [domain(Domain)]).
 tcp_select(+ListOfStreams, -ReadyList, +TimeOut)
Same as the built-in wait_for_input/3. Used to allow for interrupts and timeouts on Windows. A redesign of the Windows socket interface makes it impossible to do better than Windows select() call underlying wait_for_input/3. As input multiplexing typically happens in a background thread anyway we accept the loss of timeouts and interrupts.
deprecated
- Use wait_for_input/3
  573tcp_select(ListOfStreams, ReadyList, TimeOut) :-
  574    wait_for_input(ListOfStreams, ReadyList, TimeOut).
  575
  576
  577                 /*******************************
  578                 *        PROXY SUPPORT         *
  579                 *******************************/
  580
  581try_a_proxy(Address, Result) :-
  582    format(atom(URL), 'socket://~w', [Address]),
  583    (   Address = Host:_
  584    ->  true
  585    ;   Host = Address
  586    ),
  587    proxy_for_url(URL, Host, Proxy),
  588    debug(socket(proxy), 'Socket connecting via ~w~n', [Proxy]),
  589    (   catch(try_proxy(Proxy, Address, Socket, Stream), E, true)
  590    ->  (   var(E)
  591        ->  !, Result = true(Proxy, Socket, Stream)
  592        ;   Result = error(Proxy, E)
  593        )
  594    ;   Result = false(Proxy)
  595    ),
  596    debug(socket(proxy), 'Socket: ~w: ~p', [Proxy, Result]).
 try_proxy(+Proxy, +TargetAddress, -Socket, -StreamPair) is semidet
Attempt a socket-level connection via the given proxy to TargetAddress. The Proxy argument must match the output argument of proxy_for_url/3. The predicate tcp_connect/3 (and http_open/3 from the library(http/http_open)) collect the results of failed proxies and raise an exception no proxy is capable of realizing the connection.

The default implementation recognises the values for Proxy described below. The library(http/http_proxy) adds proxy(Host,Port) which allows for HTTP proxies using the CONNECT method.

direct
Do not use any proxy
socks(Host, Port)
Use a SOCKS5 proxy
  617:- multifile
  618    try_proxy/4.  619
  620try_proxy(direct, Address, Socket, StreamPair) :-
  621    !,
  622    tcp_connect_direct(Address, Socket, StreamPair).
  623try_proxy(socks(Host, Port), Address, Socket, StreamPair) :-
  624    !,
  625    tcp_connect_direct(Host:Port, Socket, StreamPair),
  626    catch(negotiate_socks_connection(Address, StreamPair),
  627          Error,
  628          ( close(StreamPair, [force(true)]),
  629            throw(Error)
  630          )).
 proxy_for_url(+URL, +Hostname, -Proxy) is nondet
This hook can be implemented to return a proxy to try when connecting to URL. Returned proxies are tried in the order in which they are returned by the multifile hook try_proxy/4. Pre-defined proxy methods are:
direct
connect directly to the resource
proxy(Host, Port)
Connect to the resource using an HTTP proxy. If the resource is not an HTTP URL, then try to connect using the CONNECT verb, otherwise, use the GET verb.
socks(Host, Port)
Connect to the resource via a SOCKS5 proxy

These correspond to the proxy methods defined by PAC Proxy auto-config. Additional methods can be returned if suitable clauses for http:http_connection_over_proxy/6 or try_proxy/4 are defined.

  653:- multifile
  654    proxy_for_url/3.
 udp_socket(-SocketId) is det
Equivalent to socket_create(SocketId, [type(dgram)]) or, explicit, socket_create(SocketId, [domain(inet), type(dgram)]).
 udp_receive(+Socket, -Data, -From, +Options) is det
Wait for and return the next datagram. The Data is returned as a Prolog term depending on Options. From is a term of the format Ip:Port indicating the sender of the message. Here, Ip is either an ip4 or ip6 structure. Socket can be waited for using wait_for_input/3. Defined Options:
as(+Type)
Defines the type for Data. Possible values are atom, codes, string (default) or term (parse as Prolog term).
encoding(+Encoding)
Specify the encoding used to interpret the message. It is one of octet. iso_latin_1, text or utf8.
max_message_size(+Size)
Specify the maximum number of bytes to read from a UDP datagram. Size must be within the range 0-65535. If unspecified, a maximum of 4096 bytes will be read.

For example:

receive(Port) :-
    udp_socket(Socket),
    tcp_bind(Socket, Port),
    repeat,
        udp_receive(Socket, Data, From, [as(atom)]),
        format('Got ~q from ~q~n', [Data, From]),
        fail.
 udp_send(+Socket, +Data, +To, +Options) is det
Send a UDP message. Data is a string, atom or code-list providing the data. To is an address of the form Host:Port where Host is either the hostname or an IP address. Defined Options are:
encoding(+Encoding)
Specifies the encoding to use for the string. See udp_receive/4 for details
as(+Type)
This uses the same values for Type as the as(Type) option of udp_receive/4. The are interpreted differently though. No Type corresponds to CVT_ALL of PL_get_chars(). Using atom corresponds to CVT_ATOM and any of string or codes is mapped to CVT_STRING|CVT_LIST, allowing for a SWI-Prolog string object, list of character codes or list of characters. Finally, term maps to CVT_WRITE_CANONICAL. This implies that arbitrary Prolog terms can be sent reliably using the option list `[as(term),encoding(utf8)])`, using the same option list for udp_receive/4.

For example

send(Host, Port, Message) :-
    udp_socket(S),
    udp_send(S, Message, Host:Port, []),
    tcp_close_socket(S).

A broadcast is achieved by using tcp_setopt(Socket, broadcast) prior to sending the datagram and using the local network broadcast address as a ip/4 term.

  728                 /*******************************
  729                 *            OPTIONS           *
  730                 *******************************/
 tcp_setopt(+SocketId, +Option) is det
Set options on the socket. Defined options are:
reuseaddr
Allow servers to reuse a port without the system being completely sure the port is no longer in use.
bindtodevice(+Device)
Bind the socket to Device (an atom). For example, the code below binds the socket to the loopback device that is typically used to realise the localhost. See the manual pages for setsockopt() and the socket interface (e.g., socket(7) on Linux) for details.
tcp_socket(Socket),
tcp_setopt(Socket, bindtodevice(lo))
nodelay
nodelay(true)
If true, disable the Nagle optimization on this socket, which is enabled by default on almost all modern TCP/IP stacks. The Nagle optimization joins small packages, which is generally desirable, but sometimes not. Please note that the underlying TCP_NODELAY setting to setsockopt() is not available on all platforms and systems may require additional privileges to change this option. If the option is not supported, tcp_setopt/2 raises a domain_error exception. See Wikipedia for details.
broadcast
UDP sockets only: broadcast the package to all addresses matching the address. The address is normally the address of the local subnet (i.e. 192.168.1.255). See udp_send/4.
ip_add_membership(+MultiCastGroup)
ip_add_membership(+MultiCastGroup, +LocalInterface)
ip_add_membership(+MultiCastGroup, +LocalInterface, +InterfaceIndex)
ip_drop_membership(+MultiCastGroup)
ip_drop_membership(+MultiCastGroup, +LocalInterface)
ip_drop_membership(+MultiCastGroup, +LocalInterface, +InterfaceIndex)
Join/leave a multicast group. Calls setsockopt() with the corresponding arguments.
dispatch(+Boolean)
In GUI environments (using XPCE or the Windows swipl-win.exe executable) this flags defines whether or not any events are dispatched on behalf of the user interface. Default is true. Only very specific situations require setting this to false.
sndbuf(+Integer)
Sets the send buffer size to Integer (bytes). On Windows this defaults (now) to 64kb. Higher latency links may benefit from increasing this further since the maximum theoretical throughput on a link is given by buffer-size / latency. See https://support.microsoft.com/en-gb/help/823764/slow-performance-occurs-when-you-copy-data-to-a-tcp-server-by-using-a for Microsoft's discussion
 tcp_fcntl(+Stream, +Action, ?Argument) is det
Interface to the fcntl() call. Currently only suitable to deal switch stream to non-blocking mode using:
  tcp_fcntl(Stream, setfl, nonblock),

An attempt to read from a non-blocking stream while there is no data available returns -1 (or end_of_file for read/1), but at_end_of_stream/1 fails. On actual end-of-input, at_end_of_stream/1 succeeds.

  808tcp_fcntl(Socket, setfl, nonblock) :-
  809    !,
  810    tcp_setopt(Socket, nonblock).
 tcp_getopt(+Socket, ?Option) is semidet
Get information about Socket. Defined properties are below. Requesting an unknown option results in a domain_error exception.
file_no(-File)
Get the OS file handle as an integer. This may be used for debugging and integration.
 host_address(+HostName, -Address, +Options) is nondet
host_address(-HostName, +Address, +Options) is det
Translate between a machines host-name and it's (IP-)address. Supported options:
domain(+Domain)
One of inet or inet6 to limit the results to the given family.
type(+Type)
One of stream or dgram.
canonname(+Boolean)
If true (default false), return the canonical host name in the frist answer

In mode (+,-,+) Address is unified to a dict with the following keys:

address
A Prolog terms describing the ip address.
domain
One of inet or inet6. The underlying getaddrinfo() calls this family. We use domain for consistency with socket_create/2.
type
Currently one of stream or dgram.
host
Available if canonname(true) is specified on the first returned address. Holds the official canonical host name.
  850host_address(HostName, Address, Options), ground(HostName) =>
  851    '$host_address'(HostName, Addresses, Options),
  852    member(Address, Addresses).
  853host_address(HostName, Address, Options), is_dict(Address) =>
  854    '$host_address'(HostName, Address.address, Options).
  855host_address(HostName, Address, Options), ground(Address) =>
  856    '$host_address'(HostName, Address, Options).
 tcp_host_to_address(?HostName, ?Address) is det
Translate between a machines host-name and it's (IP-)address. If HostName is an atom, it is resolved using getaddrinfo() and the IP-number is unified to Address using a term of the format ip(Byte1,Byte2,Byte3,Byte4). Otherwise, if Address is bound to an ip(Byte1,Byte2,Byte3,Byte4) term, it is resolved by gethostbyaddr() and the canonical hostname is unified with HostName.
deprecated
- New code should use host_address/3. This version is bootstrapped from host_address/3 and only searches for IP4 addresses that support TCP connections.
  871tcp_host_to_address(Host, Address), ground(Address) =>
  872    host_address(Host, Address, []).
  873tcp_host_to_address(Host, Address), ground(Host) =>
  874    host_address(Host, [Dict|_], [domain(inet), type(stream)]),
  875    Address = Dict.address.
 gethostname(-Hostname) is det
Return the canonical fully qualified name of this host. This is achieved by calling gethostname() and return the canonical name returned by getaddrinfo().
 ip_name(?IP, ?Name) is det
Translate between the textual representation of an IP address and the Prolog data structure. Prolog represents ip4 addresses as ip(A,B,C,D) and ip6 addresses as ip(A,B,C,D,E,F,H). For example:
?- ip_name(ip(1,2,3,4), Name)
Name = '1.2.3.4'.
?- ip_name(IP, '::').
IP = ip(0,0,0,0,0,0,0,0).
?- ip_name(IP, '1:2::3').
IP = ip(1,2,0,0,0,0,0,3).
  898ip_name(Ip, Atom), ground(Atom) =>
  899    name_to_ip(Atom, Ip).
  900ip_name(Ip, Atom), ground(Ip) =>
  901    ip_to_name(Ip, Atom).
  902ip_name(Ip, _) =>
  903    instantiation_error(Ip).
  904
  905name_to_ip(Atom, Ip4) :-
  906    split_string(Atom, '.', '', Parts),
  907    length(Parts, 4),
  908    maplist(string_byte, Parts, Bytes),
  909    !,
  910    Ip4 =.. [ip|Bytes].
  911name_to_ip(Atom, Ip6) :-
  912    split_string(Atom, ':', '', Parts0),
  913    clean_ends(Parts0, Parts1),
  914    length(Parts1, Len),
  915    (   Len < 8
  916    ->  append(Pre, [""|Post], Parts1),
  917	Zeros is 8-(Len-1),
  918	length(ZList, Zeros),
  919	maplist(=("0"), ZList),
  920	append([Pre, ZList, Post], Parts)
  921    ;   Len == 8
  922    ->  Parts = Parts1
  923    ),
  924    !,
  925    maplist(string_short, Parts, Shorts),
  926    Ip6 =.. [ip|Shorts].
  927name_to_ip(Atom, _) :-
  928    syntax_error(ip_address(Atom)).
  929
  930clean_ends([""|T0], T) :-
  931    !,
  932    (   append(T1, [""], T0)
  933    ->  T = T1
  934    ;   T = T0
  935    ).
  936clean_ends(T0, T) :-
  937    append(T1, [""], T0),
  938    !,
  939    T = T1.
  940clean_ends(T, T).
  941
  942string_byte(String, Byte) :-
  943    number_string(Byte, String),
  944    must_be(between(0, 255), Byte).
  945
  946string_short(String, Short) :-
  947    string_concat('0x', String, String1),
  948    number_string(Short, String1),
  949    must_be(between(0, 65535), Short).
  950
  951ip_to_name(ip(A,B,C,D), Atom) :-
  952    !,
  953    atomic_list_concat([A,B,C,D], '.', Atom).
  954ip_to_name(IP, Atom) :-
  955    compound(IP),
  956    compound_name_arity(IP, ip, 8),
  957    !,
  958    IP =.. [ip|Parts],
  959    (   zero_seq(Parts, Pre, Post, Len),
  960        Len > 1,
  961        \+ ( zero_seq(Post, _, _, Len2),
  962	     Len2 > Len
  963	   )
  964    ->  append([Pre, [''], Post], Parts1),
  965	(   Pre == []
  966	->  Parts2 = [''|Parts1]
  967	;   Parts2 = Parts1
  968	),
  969	(   Post == []
  970	->  append(Parts2, [''], Parts3)
  971	;   Parts3 = Parts2
  972	)
  973    ;   Parts3 = Parts
  974    ),
  975    maplist(to_hex, Parts3, Parts4),
  976    atomic_list_concat(Parts4, ':', Atom).
  977ip_to_name(IP, _) :-
  978    domain_error(ip_address, IP).
  979
  980zero_seq(List, Pre, Post, Count) :-
  981    append(Pre, [0|Post0], List),
  982    leading_zeros(Post0, Post, 1, Count).
  983
  984leading_zeros([0|T0], T, C0, C) =>
  985    C1 is C0+1,
  986    leading_zeros(T0, T, C1, C).
  987leading_zeros(L0, L, C0, C) =>
  988    L = L0,
  989    C = C0.
  990
  991to_hex('', '') :-
  992    !.
  993to_hex(Num, Hex) :-
  994    format(string(Hex), '~16r', [Num]).
  995
  996
  997
  998                 /*******************************
  999                 *            SOCKS             *
 1000                 *******************************/
 negotiate_socks_connection(+DesiredEndpoint, +StreamPair) is det
Negotiate a connection to DesiredEndpoint over StreamPair. DesiredEndpoint should be in the form of either:
Errors
- socks_error(Details) if the SOCKS negotiation failed.
 1012negotiate_socks_connection(Host:Port, StreamPair):-
 1013    format(StreamPair, '~s', [[0x5,    % Version 5
 1014                               0x1,    % 1 auth method supported
 1015                               0x0]]), % which is 'no auth'
 1016    flush_output(StreamPair),
 1017    get_byte(StreamPair, ServerVersion),
 1018    get_byte(StreamPair, AuthenticationMethod),
 1019    (   ServerVersion =\= 0x05
 1020    ->  throw(error(socks_error(invalid_version(5, ServerVersion)), _))
 1021    ;   AuthenticationMethod =:= 0xff
 1022    ->  throw(error(socks_error(invalid_authentication_method(
 1023                                    0xff,
 1024                                    AuthenticationMethod)), _))
 1025    ;   true
 1026    ),
 1027    (   Host = ip(A,B,C,D)
 1028    ->  AddressType = 0x1,                  % IPv4 Address
 1029        format(atom(Address), '~s', [[A, B, C, D]])
 1030    ;   AddressType = 0x3,                  % Domain
 1031        atom_length(Host, Length),
 1032        format(atom(Address), '~s~w', [[Length], Host])
 1033    ),
 1034    P1 is Port /\ 0xff,
 1035    P2 is Port >> 8,
 1036    format(StreamPair, '~s~w~s', [[0x5,   % Version 5
 1037                                   0x1,   % Please establish a connection
 1038                                   0x0,   % reserved
 1039                                   AddressType],
 1040                                  Address,
 1041                                  [P2, P1]]),
 1042    flush_output(StreamPair),
 1043    get_byte(StreamPair, _EchoedServerVersion),
 1044    get_byte(StreamPair, Status),
 1045    (   Status =:= 0                        % Established!
 1046    ->  get_byte(StreamPair, _Reserved),
 1047        get_byte(StreamPair, EchoedAddressType),
 1048        (   EchoedAddressType =:= 0x1
 1049        ->  get_byte(StreamPair, _),        % read IP4
 1050            get_byte(StreamPair, _),
 1051            get_byte(StreamPair, _),
 1052            get_byte(StreamPair, _)
 1053        ;   get_byte(StreamPair, Length),   % read host name
 1054            forall(between(1, Length, _),
 1055                   get_byte(StreamPair, _))
 1056        ),
 1057        get_byte(StreamPair, _),            % read port
 1058        get_byte(StreamPair, _)
 1059    ;   throw(error(socks_error(negotiation_rejected(Status)), _))
 1060    ).
 1061
 1062
 1063                 /*******************************
 1064                 *             MESSAGES         *
 1065                 *******************************/
 1066
 1067/* - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
 1068The C-layer generates exceptions of the  following format, where Message
 1069is extracted from the operating system.
 1070
 1071        error(socket_error(Code, Message), _)
 1072- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - */
 1073
 1074:- multifile
 1075    prolog:error_message//1. 1076
 1077prolog:error_message(socket_error(_Code, Message)) -->
 1078    [ 'Socket error: ~w'-[Message] ].
 1079prolog:error_message(socks_error(Error)) -->
 1080    socks_error(Error).
 1081prolog:error_message(proxy_error(tried(Tried))) -->
 1082    [ 'Failed to connect using a proxy.  Tried:'-[], nl],
 1083    proxy_tried(Tried).
 1084
 1085socks_error(invalid_version(Supported, Got)) -->
 1086    [ 'SOCKS: unsupported version: ~p (supported: ~p)'-
 1087      [ Got, Supported ] ].
 1088socks_error(invalid_authentication_method(Supported, Got)) -->
 1089    [ 'SOCKS: unsupported authentication method: ~p (supported: ~p)'-
 1090      [ Got, Supported ] ].
 1091socks_error(negotiation_rejected(Status)) -->
 1092    [ 'SOCKS: connection failed: ~p'-[Status] ].
 1093
 1094proxy_tried([]) --> [].
 1095proxy_tried([H|T]) -->
 1096    proxy_tried(H),
 1097    proxy_tried(T).
 1098proxy_tried(error(Proxy, Error)) -->
 1099    [ '~w: '-[Proxy] ],
 1100    '$messages':translate_message(Error).
 1101proxy_tried(false(Proxy)) -->
 1102    [ '~w: failed with unspecified error'-[Proxy] ]