home *** CD-ROM | disk | FTP | other *** search
/ linuxmafia.com 2016 / linuxmafia.com.tar / linuxmafia.com / pub / palmos / pippy-0.6beta-src.tar.gz / pippy-0.6beta-src.tar / pippy-0.6beta-src / src / Modules / socketmodule.c < prev    next >
C/C++ Source or Header  |  2000-12-21  |  70KB  |  2,743 lines

  1. /***********************************************************
  2. Copyright 1991-1995 by Stichting Mathematisch Centrum, Amsterdam,
  3. The Netherlands.
  4.  
  5.                         All Rights Reserved
  6.  
  7. Permission to use, copy, modify, and distribute this software and its
  8. documentation for any purpose and without fee is hereby granted,
  9. provided that the above copyright notice appear in all copies and that
  10. both that copyright notice and this permission notice appear in
  11. supporting documentation, and that the names of Stichting Mathematisch
  12. Centrum or CWI or Corporation for National Research Initiatives or
  13. CNRI not be used in advertising or publicity pertaining to
  14. distribution of the software without specific, written prior
  15. permission.
  16.  
  17. While CWI is the initial source for this software, a modified version
  18. is made available by the Corporation for National Research Initiatives
  19. (CNRI) at the Internet address ftp://ftp.python.org.
  20.  
  21. STICHTING MATHEMATISCH CENTRUM AND CNRI DISCLAIM ALL WARRANTIES WITH
  22. REGARD TO THIS SOFTWARE, INCLUDING ALL IMPLIED WARRANTIES OF
  23. MERCHANTABILITY AND FITNESS, IN NO EVENT SHALL STICHTING MATHEMATISCH
  24. CENTRUM OR CNRI BE LIABLE FOR ANY SPECIAL, INDIRECT OR CONSEQUENTIAL
  25. DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR
  26. PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER
  27. TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR
  28. PERFORMANCE OF THIS SOFTWARE.
  29.  
  30. ******************************************************************/
  31.  
  32. /* Socket module */
  33.  
  34. /* SSL support based on patches by Brian E Gallew and Laszlo Kovacs */
  35.  
  36. /*
  37. This module provides an interface to Berkeley socket IPC.
  38.  
  39. Limitations:
  40.  
  41. - only AF_INET and AF_UNIX address families are supported
  42. - no read/write operations (use send/recv or makefile instead)
  43. - additional restrictions apply on Windows
  44.  
  45. Module interface:
  46.  
  47. - socket.error: exception raised for socket specific errors
  48. - socket.gethostbyname(hostname) --> host IP address (string: 'dd.dd.dd.dd')
  49. - socket.gethostbyaddr(IP address) --> (hostname, [alias, ...], [IP addr, ...])
  50. - socket.gethostname() --> host name (string: 'spam' or 'spam.domain.com')
  51. - socket.getprotobyname(protocolname) --> protocol number
  52. - socket.getservbyname(servicename, protocolname) --> port number
  53. - socket.socket(family, type [, proto]) --> new socket object
  54. - socket.ntohs(16 bit value) --> new int object
  55. - socket.ntohl(32 bit value) --> new int object
  56. - socket.htons(16 bit value) --> new int object
  57. - socket.htonl(32 bit value) --> new int object
  58. - socket.AF_INET, socket.SOCK_STREAM, etc.: constants from <socket.h>
  59. - socket.inet_aton(IP address) -> 32-bit packed IP representation
  60. - socket.inet_ntoa(packed IP) -> IP address string
  61. - socket.ssl(socket, keyfile, certfile) -> new ssl object
  62. - an Internet socket address is a pair (hostname, port)
  63.   where hostname can be anything recognized by gethostbyname()
  64.   (including the dd.dd.dd.dd notation) and port is in host byte order
  65. - where a hostname is returned, the dd.dd.dd.dd notation is used
  66. - a UNIX domain socket address is a string specifying the pathname
  67.  
  68. Socket methods:
  69.  
  70. - s.accept() --> new socket object, sockaddr
  71. - s.bind(sockaddr) --> None
  72. - s.close() --> None
  73. - s.connect(sockaddr) --> None
  74. - s.connect_ex(sockaddr) --> 0 or errno (handy for e.g. async connect)
  75. - s.fileno() --> file descriptor
  76. - s.dup() --> same as socket.fromfd(os.dup(s.fileno(), ...)
  77. - s.getpeername() --> sockaddr
  78. - s.getsockname() --> sockaddr
  79. - s.getsockopt(level, optname[, buflen]) --> int or string
  80. - s.listen(backlog) --> None
  81. - s.makefile([mode[, bufsize]]) --> file object
  82. - s.recv(buflen [,flags]) --> string
  83. - s.recvfrom(buflen [,flags]) --> string, sockaddr
  84. - s.send(string [,flags]) --> nbytes
  85. - s.sendto(string, [flags,] sockaddr) --> nbytes
  86. - s.setblocking(0 | 1) --> None
  87. - s.setsockopt(level, optname, value) --> None
  88. - s.shutdown(how) --> None
  89. - repr(s) --> "<socket object, fd=%d, family=%d, type=%d, protocol=%d>"
  90.  
  91. */
  92.  
  93. #include "Python.h"
  94.  
  95. /* Hacks for gethostbyname_r().  On some non-Linux platforms, the configure
  96.    script doesn't get this right, so we hardcode some platform checks below.
  97.    On the other hand, not all Linux versions agree, so there the settings
  98.    computed by the configure script are needed! */
  99.  
  100. #ifndef linux
  101. #undef HAVE_GETHOSTBYNAME_R_3_ARG
  102. #undef HAVE_GETHOSTBYNAME_R_5_ARG
  103. #undef HAVE_GETHOSTBYNAME_R_6_ARG
  104. #endif
  105.  
  106. #ifndef WITH_THREAD
  107. #undef HAVE_GETHOSTBYNAME_R
  108. #endif
  109.  
  110. #ifdef HAVE_GETHOSTBYNAME_R
  111. #if defined(_AIX) || defined(__osf__)
  112. #define HAVE_GETHOSTBYNAME_R_3_ARG
  113. #elif defined(__sun__) || defined(__sgi)
  114. #define HAVE_GETHOSTBYNAME_R_5_ARG
  115. #elif defined(linux)
  116. /* Rely on the configure script */
  117. #else
  118. #undef HAVE_GETHOSTBYNAME_R
  119. #endif
  120. #endif
  121.  
  122. #if !defined(HAVE_GETHOSTBYNAME_R) && defined(WITH_THREAD) && !defined(MS_WINDOWS)
  123. #define USE_GETHOSTBYNAME_LOCK
  124. #endif
  125.  
  126. #ifdef USE_GETHOSTBYNAME_LOCK
  127. #include "pythread.h"
  128. #endif
  129.  
  130. #ifdef HAVE_UNISTD_H
  131. #include <unistd.h>
  132. #endif
  133.  
  134. #if !defined(MS_WINDOWS) && !defined(PYOS_OS2) && !defined(__BEOS__)
  135. extern int gethostname(); /* For Solaris, at least */
  136. #endif
  137.  
  138. #if defined(PYCC_VACPP)
  139. #include <types.h>
  140. #include <io.h>
  141. #include <sys/ioctl.h>
  142. #include <utils.h>
  143. #include <ctype.h>
  144. #endif
  145.  
  146. #if defined(PYOS_OS2)
  147. #define  INCL_DOS
  148. #define  INCL_DOSERRORS
  149. #define  INCL_NOPMAPI
  150. #include <os2.h>
  151. #endif
  152.  
  153. #if defined(__BEOS__)
  154. /* It's in the libs, but not the headers... - [cjh] */
  155. int shutdown( int, int );
  156. #endif
  157.  
  158. #include <sys/types.h>
  159. #include "mytime.h"
  160.  
  161. #include <signal.h>
  162. #ifndef MS_WINDOWS
  163. #include <netdb.h>
  164. #include <sys/socket.h>
  165. #include <netinet/in.h>
  166.  
  167. /* Headers needed for inet_ntoa() and inet_addr() */
  168. #ifdef __BEOS__
  169. #include <net/netdb.h>
  170. #else
  171. #ifndef macintosh
  172. #include <arpa/inet.h>
  173. #endif
  174. #endif
  175.  
  176. #include <fcntl.h>
  177. #else
  178. #include <winsock.h>
  179. #include <fcntl.h>
  180. #endif
  181. #ifdef HAVE_SYS_UN_H
  182. #include <sys/un.h>
  183. #else
  184. #undef AF_UNIX
  185. #endif
  186.  
  187. #ifndef O_NDELAY
  188. #define O_NDELAY O_NONBLOCK    /* For QNX only? */
  189. #endif
  190.  
  191. #ifdef USE_GUSI
  192. /* fdopen() isn't declared in stdio.h (sigh) */
  193. #include <GUSI.h>
  194. #endif
  195.  
  196. #ifdef USE_SSL
  197. #include "rsa.h"
  198. #include "crypto.h"
  199. #include "x509.h"
  200. #include "pem.h"
  201. #include "ssl.h"
  202. #include "err.h"
  203. #endif /* USE_SSL */
  204.  
  205. /* Here we have some hacks to choose between K&R or ANSI style function
  206.    definitions.  For NT to build this as an extension module (ie, DLL)
  207.    it must be compiled by the C++ compiler, as it takes the address of
  208.    a static data item exported from the main Python DLL.
  209. */
  210. #if defined(MS_WINDOWS) || defined(__BEOS__)
  211. /* BeOS suffers from the same socket dichotomy as Win32... - [cjh] */
  212. /* seem to be a few differences in the API */
  213. #define close closesocket
  214. #define NO_DUP /* Actually it exists on NT 3.5, but what the heck... */
  215. #define FORCE_ANSI_FUNC_DEFS
  216. #endif
  217.  
  218. #if defined(PYOS_OS2)
  219. #define close soclose
  220. #define NO_DUP /* Sockets are Not Actual File Handles under OS/2 */
  221. #define FORCE_ANSI_FUNC_DEFS
  222. #endif
  223.  
  224. #ifdef FORCE_ANSI_FUNC_DEFS
  225. #define BUILD_FUNC_DEF_1( fnname, arg1type, arg1name )    \
  226. fnname( arg1type arg1name )
  227.  
  228. #define BUILD_FUNC_DEF_2( fnname, arg1type, arg1name, arg2type, arg2name ) \
  229. fnname( arg1type arg1name, arg2type arg2name )
  230.  
  231. #define BUILD_FUNC_DEF_3( fnname, arg1type, arg1name, arg2type, arg2name , arg3type, arg3name )    \
  232. fnname( arg1type arg1name, arg2type arg2name, arg3type arg3name )
  233.  
  234. #define BUILD_FUNC_DEF_4( fnname, arg1type, arg1name, arg2type, arg2name , arg3type, arg3name, arg4type, arg4name )    \
  235. fnname( arg1type arg1name, arg2type arg2name, arg3type arg3name, arg4type arg4name )
  236.  
  237. #else /* !FORCE_ANSI_FN_DEFS */
  238. #define BUILD_FUNC_DEF_1( fnname, arg1type, arg1name )    \
  239. fnname( arg1name )    \
  240.     arg1type arg1name;
  241.  
  242. #define BUILD_FUNC_DEF_2( fnname, arg1type, arg1name, arg2type, arg2name ) \
  243. fnname( arg1name, arg2name )    \
  244.     arg1type arg1name;    \
  245.     arg2type arg2name;
  246.  
  247. #define BUILD_FUNC_DEF_3( fnname, arg1type, arg1name, arg2type, arg2name, arg3type, arg3name ) \
  248. fnname( arg1name, arg2name, arg3name )    \
  249.     arg1type arg1name;    \
  250.     arg2type arg2name;    \
  251.     arg3type arg3name;
  252.  
  253. #define BUILD_FUNC_DEF_4( fnname, arg1type, arg1name, arg2type, arg2name, arg3type, arg3name, arg4type, arg4name ) \
  254. fnname( arg1name, arg2name, arg3name, arg4name )    \
  255.     arg1type arg1name;    \
  256.     arg2type arg2name;    \
  257.     arg3type arg3name;    \
  258.     arg4type arg4name;
  259.  
  260. #endif /* !FORCE_ANSI_FN_DEFS */
  261.  
  262. /* Global variable holding the exception type for errors detected
  263.    by this module (but not argument type or memory errors, etc.). */
  264.  
  265. static PyObject *PySocket_Error;
  266.  
  267. #ifdef USE_SSL
  268. static PyObject *SSLErrorObject;
  269. #endif /* USE_SSL */
  270.  
  271.  
  272. /* Convenience function to raise an error according to errno
  273.    and return a NULL pointer from a function. */
  274.  
  275. static PyObject *
  276. PySocket_Err()
  277. {
  278. #ifdef MS_WINDOWS
  279.     if (WSAGetLastError()) {
  280.         PyObject *v;
  281.         v = Py_BuildValue("(is)", WSAGetLastError(), "winsock error");
  282.         if (v != NULL) {
  283.             PyErr_SetObject(PySocket_Error, v);
  284.             Py_DECREF(v);
  285.         }
  286.         return NULL;
  287.     }
  288.     else
  289. #endif
  290.  
  291. #if defined(PYOS_OS2)
  292.     if (sock_errno() != NO_ERROR) {
  293.         APIRET rc;
  294.         ULONG  msglen;
  295.         char   outbuf[100];
  296.         int    myerrorcode = sock_errno();
  297.  
  298.         /* Retrieve Socket-Related Error Message from MPTN.MSG File */
  299.         rc = DosGetMessage(NULL, 0, outbuf, sizeof(outbuf),
  300.                            myerrorcode - SOCBASEERR + 26, "mptn.msg", &msglen);
  301.         if (rc == NO_ERROR) {
  302.             PyObject *v;
  303.  
  304.             outbuf[msglen] = '\0'; /* OS/2 Doesn't Guarantee a Terminator */
  305.             if (strlen(outbuf) > 0) { /* If Non-Empty Msg, Trim CRLF */
  306.                 char *lastc = &outbuf[ strlen(outbuf)-1 ];
  307.                 while (lastc > outbuf && isspace(*lastc))
  308.                     *lastc-- = '\0'; /* Trim Trailing Whitespace (CRLF) */
  309.             }
  310.             v = Py_BuildValue("(is)", myerrorcode, outbuf);
  311.             if (v != NULL) {
  312.                 PyErr_SetObject(PySocket_Error, v);
  313.                 Py_DECREF(v);
  314.             }
  315.             return NULL;
  316.         }
  317.     }
  318. #endif
  319.  
  320.     return PyErr_SetFromErrno(PySocket_Error);
  321. }
  322.  
  323.  
  324. /* The object holding a socket.  It holds some extra information,
  325.    like the address family, which is used to decode socket address
  326.    arguments properly. */
  327.  
  328. typedef struct {
  329.     PyObject_HEAD
  330.     int sock_fd;        /* Socket file descriptor */
  331.     int sock_family;    /* Address family, e.g., AF_INET */
  332.     int sock_type;        /* Socket type, e.g., SOCK_STREAM */
  333.     int sock_proto;        /* Protocol type, usually 0 */
  334.     union sock_addr {
  335.         struct sockaddr_in in;
  336. #ifdef AF_UNIX
  337.         struct sockaddr_un un;
  338. #endif
  339.     } sock_addr;
  340. } PySocketSockObject;
  341.  
  342. #ifdef USE_SSL
  343.  
  344. typedef struct {
  345.     PyObject_HEAD
  346.     PySocketSockObject *Socket;    /* Socket on which we're layered */
  347.     PyObject     *x_attr;    /* Attributes dictionary */
  348.     SSL_CTX*     ctx;
  349.     SSL*         ssl;
  350.     X509*        server_cert;
  351.     BIO*        sbio;
  352.     char        server[256];
  353.     char        issuer[256];
  354.  
  355. } SSLObject;
  356.  
  357. staticforward PyTypeObject SSL_Type;
  358. staticforward int SSL_setattr(SSLObject *self, char *name, PyObject *v);
  359. staticforward PyObject *SSL_SSLwrite(SSLObject *self, PyObject *args);
  360. staticforward PyObject *SSL_SSLread(SSLObject *self, PyObject *args);
  361.  
  362. #define SSLObject_Check(v)    ((v)->ob_type == &SSL_Type)
  363.  
  364. #endif /* USE_SSL */
  365.  
  366. /* A forward reference to the Socktype type object.
  367.    The Socktype variable contains pointers to various functions,
  368.    some of which call newsockobject(), which uses Socktype, so
  369.    there has to be a circular reference. */
  370.  
  371. staticforward PyTypeObject PySocketSock_Type;
  372.  
  373.  
  374. /* Create a new socket object.
  375.    This just creates the object and initializes it.
  376.    If the creation fails, return NULL and set an exception (implicit
  377.    in NEWOBJ()). */
  378.  
  379. static PySocketSockObject *
  380. BUILD_FUNC_DEF_4(PySocketSock_New,int,fd, int,family, int,type, int,proto)
  381. {
  382.     PySocketSockObject *s;
  383.     PySocketSock_Type.ob_type = &PyType_Type;
  384.     s = PyObject_NEW(PySocketSockObject, &PySocketSock_Type);
  385.     if (s != NULL) {
  386.         s->sock_fd = fd;
  387.         s->sock_family = family;
  388.         s->sock_type = type;
  389.         s->sock_proto = proto;
  390.     }
  391.     return s;
  392. }
  393.  
  394.  
  395. /* Lock to allow python interpreter to continue, but only allow one 
  396.    thread to be in gethostbyname */
  397. #ifdef USE_GETHOSTBYNAME_LOCK
  398. PyThread_type_lock gethostbyname_lock;
  399. #endif
  400.  
  401.  
  402. /* Convert a string specifying a host name or one of a few symbolic
  403.    names to a numeric IP address.  This usually calls gethostbyname()
  404.    to do the work; the names "" and "<broadcast>" are special.
  405.    Return the length (should always be 4 bytes), or negative if
  406.    an error occurred; then an exception is raised. */
  407.  
  408. static int
  409. BUILD_FUNC_DEF_2(setipaddr, char*,name, struct sockaddr_in *,addr_ret)
  410. {
  411.     struct hostent *hp;
  412.     int d1, d2, d3, d4;
  413.     int h_length;
  414.     char ch;
  415. #ifdef HAVE_GETHOSTBYNAME_R
  416.     struct hostent hp_allocated;
  417. #ifdef HAVE_GETHOSTBYNAME_R_3_ARG
  418.     struct hostent_data data;
  419. #else
  420.     char buf[1001];
  421.     int buf_len = (sizeof buf) - 1;
  422.     int errnop;
  423. #endif
  424. #if defined(HAVE_GETHOSTBYNAME_R_3_ARG) || defined(HAVE_GETHOSTBYNAME_R_6_ARG)
  425.     int result;
  426. #endif
  427. #endif /* HAVE_GETHOSTBYNAME_R */
  428.  
  429.     memset((void *) addr_ret, '\0', sizeof(*addr_ret));
  430.     if (name[0] == '\0') {
  431.         addr_ret->sin_addr.s_addr = INADDR_ANY;
  432.         return 4;
  433.     }
  434.     if (name[0] == '<' && strcmp(name, "<broadcast>") == 0) {
  435.         addr_ret->sin_addr.s_addr = INADDR_BROADCAST;
  436.         return 4;
  437.     }
  438.     if (sscanf(name, "%d.%d.%d.%d%c", &d1, &d2, &d3, &d4, &ch) == 4 &&
  439.         0 <= d1 && d1 <= 255 && 0 <= d2 && d2 <= 255 &&
  440.         0 <= d3 && d3 <= 255 && 0 <= d4 && d4 <= 255) {
  441.         addr_ret->sin_addr.s_addr = htonl(
  442.             ((long) d1 << 24) | ((long) d2 << 16) |
  443.             ((long) d3 << 8) | ((long) d4 << 0));
  444.         return 4;
  445.     }
  446.     Py_BEGIN_ALLOW_THREADS
  447. #ifdef HAVE_GETHOSTBYNAME_R
  448. #if    defined(HAVE_GETHOSTBYNAME_R_6_ARG)
  449.     result = gethostbyname_r(name, &hp_allocated, buf, buf_len, &hp, &errnop);
  450. #elif  defined(HAVE_GETHOSTBYNAME_R_5_ARG)
  451.     hp = gethostbyname_r(name, &hp_allocated, buf, buf_len, &errnop);
  452. #else  /* HAVE_GETHOSTBYNAME_R_3_ARG */
  453.     memset((void *) &data, '\0', sizeof(data));
  454.     result = gethostbyname_r(name, &hp_allocated, &data);
  455.     hp = (result != 0) ? NULL : &hp_allocated;
  456. #endif
  457. #else /* not HAVE_GETHOSTBYNAME_R */
  458. #ifdef USE_GETHOSTBYNAME_LOCK
  459.     PyThread_acquire_lock(gethostbyname_lock, 1);
  460. #endif
  461.     hp = gethostbyname(name);
  462. #endif /* HAVE_GETHOSTBYNAME_R */
  463.     Py_END_ALLOW_THREADS
  464.  
  465.     if (hp == NULL) {
  466. #ifdef HAVE_HSTRERROR
  467.             /* Let's get real error message to return */
  468.             extern int h_errno;
  469.         PyErr_SetString(PySocket_Error, (char *)hstrerror(h_errno));
  470. #else
  471.         PyErr_SetString(PySocket_Error, "host not found");
  472. #endif
  473. #ifdef USE_GETHOSTBYNAME_LOCK
  474.         PyThread_release_lock(gethostbyname_lock);
  475. #endif
  476.         return -1;
  477.     }
  478.     memcpy((char *) &addr_ret->sin_addr, hp->h_addr, hp->h_length);
  479.     h_length = hp->h_length;
  480. #ifdef USE_GETHOSTBYNAME_LOCK
  481.     PyThread_release_lock(gethostbyname_lock);
  482. #endif
  483.     return h_length;
  484. }
  485.  
  486.  
  487. /* Create a string object representing an IP address.
  488.    This is always a string of the form 'dd.dd.dd.dd' (with variable
  489.    size numbers). */
  490.  
  491. static PyObject *
  492. BUILD_FUNC_DEF_1(makeipaddr, struct sockaddr_in *,addr)
  493. {
  494.     long x = ntohl(addr->sin_addr.s_addr);
  495.     char buf[100];
  496.     sprintf(buf, "%d.%d.%d.%d",
  497.         (int) (x>>24) & 0xff, (int) (x>>16) & 0xff,
  498.         (int) (x>> 8) & 0xff, (int) (x>> 0) & 0xff);
  499.     return PyString_FromString(buf);
  500. }
  501.  
  502.  
  503. /* Create an object representing the given socket address,
  504.    suitable for passing it back to bind(), connect() etc.
  505.    The family field of the sockaddr structure is inspected
  506.    to determine what kind of address it really is. */
  507.  
  508. /*ARGSUSED*/
  509. static PyObject *
  510. BUILD_FUNC_DEF_2(makesockaddr,struct sockaddr *,addr, int,addrlen)
  511. {
  512.     if (addrlen == 0) {
  513.         /* No address -- may be recvfrom() from known socket */
  514.         Py_INCREF(Py_None);
  515.         return Py_None;
  516.     }
  517.  
  518. #ifdef __BEOS__
  519.     /* XXX: BeOS version of accept() doesn't set family coreectly */
  520.     addr->sa_family = AF_INET;
  521. #endif
  522.  
  523.     switch (addr->sa_family) {
  524.  
  525.     case AF_INET:
  526.     {
  527.         struct sockaddr_in *a = (struct sockaddr_in *) addr;
  528.         PyObject *addrobj = makeipaddr(a);
  529.         PyObject *ret = NULL;
  530.         if (addrobj) {
  531.             ret = Py_BuildValue("Oi", addrobj, ntohs(a->sin_port));
  532.             Py_DECREF(addrobj);
  533.         }
  534.         return ret;
  535.     }
  536.  
  537. #ifdef AF_UNIX
  538.     case AF_UNIX:
  539.     {
  540.         struct sockaddr_un *a = (struct sockaddr_un *) addr;
  541.         return PyString_FromString(a->sun_path);
  542.     }
  543. #endif /* AF_UNIX */
  544.  
  545.     /* More cases here... */
  546.  
  547.     default:
  548.         /* If we don't know the address family, don't raise an
  549.            exception -- return it as a tuple. */
  550.         return Py_BuildValue("is#",
  551.                      addr->sa_family,
  552.                      addr->sa_data,
  553.                      sizeof(addr->sa_data));
  554.  
  555.     }
  556. }
  557.  
  558.  
  559. /* Parse a socket address argument according to the socket object's
  560.    address family.  Return 1 if the address was in the proper format,
  561.    0 of not.  The address is returned through addr_ret, its length
  562.    through len_ret. */
  563.  
  564. static int
  565. BUILD_FUNC_DEF_4(
  566. getsockaddrarg,PySocketSockObject *,s, PyObject *,args, struct sockaddr **,addr_ret, int *,len_ret)
  567. {
  568.     switch (s->sock_family) {
  569.  
  570. #ifdef AF_UNIX
  571.     case AF_UNIX:
  572.     {
  573.         struct sockaddr_un* addr;
  574.         char *path;
  575.         int len;
  576.         addr = (struct sockaddr_un* )&(s->sock_addr).un;
  577.         if (!PyArg_Parse(args, "t#", &path, &len))
  578.             return 0;
  579.         if (len > sizeof addr->sun_path) {
  580.             PyErr_SetString(PySocket_Error,
  581.                     "AF_UNIX path too long");
  582.             return 0;
  583.         }
  584.         addr->sun_family = AF_UNIX;
  585.         memcpy(addr->sun_path, path, len);
  586.         addr->sun_path[len] = 0;
  587.         *addr_ret = (struct sockaddr *) addr;
  588.         *len_ret = len + sizeof(*addr) - sizeof(addr->sun_path);
  589.         return 1;
  590.     }
  591. #endif /* AF_UNIX */
  592.  
  593.     case AF_INET:
  594.     {
  595.         struct sockaddr_in* addr;
  596.         char *host;
  597.         int port;
  598.          addr=(struct sockaddr_in*)&(s->sock_addr).in;
  599.         if (!PyArg_Parse(args, "(si)", &host, &port))
  600.             return 0;
  601.         if (setipaddr(host, addr) < 0)
  602.             return 0;
  603.         addr->sin_family = AF_INET;
  604.         addr->sin_port = htons((short)port);
  605.         *addr_ret = (struct sockaddr *) addr;
  606.         *len_ret = sizeof *addr;
  607.         return 1;
  608.     }
  609.  
  610.     /* More cases here... */
  611.  
  612.     default:
  613.         PyErr_SetString(PySocket_Error, "getsockaddrarg: bad family");
  614.         return 0;
  615.  
  616.     }
  617. }
  618.  
  619.  
  620. /* Get the address length according to the socket object's address family. 
  621.    Return 1 if the family is known, 0 otherwise.  The length is returned
  622.    through len_ret. */
  623.  
  624. static int
  625. BUILD_FUNC_DEF_2(getsockaddrlen,PySocketSockObject *,s, int *,len_ret)
  626. {
  627.     switch (s->sock_family) {
  628.  
  629. #ifdef AF_UNIX
  630.     case AF_UNIX:
  631.     {
  632.         *len_ret = sizeof (struct sockaddr_un);
  633.         return 1;
  634.     }
  635. #endif /* AF_UNIX */
  636.  
  637.     case AF_INET:
  638.     {
  639.         *len_ret = sizeof (struct sockaddr_in);
  640.         return 1;
  641.     }
  642.  
  643.     /* More cases here... */
  644.  
  645.     default:
  646.         PyErr_SetString(PySocket_Error, "getsockaddrarg: bad family");
  647.         return 0;
  648.  
  649.     }
  650. }
  651.  
  652.  
  653. /* s.accept() method */
  654.  
  655. static PyObject *
  656. BUILD_FUNC_DEF_2(PySocketSock_accept,PySocketSockObject *,s, PyObject *,args)
  657. {
  658.     char addrbuf[256];
  659.     int addrlen, newfd;
  660.     PyObject *sock = NULL;
  661.     PyObject *addr = NULL;
  662.     PyObject *res = NULL;
  663.  
  664.     if (!PyArg_NoArgs(args))
  665.         return NULL;
  666.     if (!getsockaddrlen(s, &addrlen))
  667.         return NULL;
  668.     Py_BEGIN_ALLOW_THREADS
  669.     newfd = accept(s->sock_fd, (struct sockaddr *) addrbuf, &addrlen);
  670.     Py_END_ALLOW_THREADS
  671.     if (newfd < 0)
  672.         return PySocket_Err();
  673.  
  674.     /* Create the new object with unspecified family,
  675.        to avoid calls to bind() etc. on it. */
  676.     sock = (PyObject *) PySocketSock_New(newfd,
  677.                     s->sock_family,
  678.                     s->sock_type,
  679.                     s->sock_proto);
  680.     if (sock == NULL) {
  681.         close(newfd);
  682.         goto finally;
  683.     }
  684.     if (!(addr = makesockaddr((struct sockaddr *) addrbuf, addrlen)))
  685.         goto finally;
  686.  
  687.     if (!(res = Py_BuildValue("OO", sock, addr)))
  688.         goto finally;
  689.  
  690.   finally:
  691.     Py_XDECREF(sock);
  692.     Py_XDECREF(addr);
  693.     return res;
  694. }
  695.  
  696. static char accept_doc[] =
  697. "accept() -> (socket object, address info)\n\
  698. \n\
  699. Wait for an incoming connection.  Return a new socket representing the\n\
  700. connection, and the address of the client.  For IP sockets, the address\n\
  701. info is a pair (hostaddr, port).";
  702.  
  703.  
  704. /* s.setblocking(1 | 0) method */
  705.  
  706. static PyObject *
  707. BUILD_FUNC_DEF_2(PySocketSock_setblocking,PySocketSockObject*,s,PyObject*,args)
  708. {
  709.     int block;
  710. #ifndef MS_WINDOWS
  711.     int delay_flag;
  712. #endif
  713.     if (!PyArg_Parse(args, "i", &block))
  714.         return NULL;
  715.     Py_BEGIN_ALLOW_THREADS
  716. #ifdef __BEOS__
  717.     block = !block;
  718.     setsockopt( s->sock_fd, SOL_SOCKET, SO_NONBLOCK,
  719.                 (void *)(&block), sizeof( int ) );
  720. #else
  721. #ifndef MS_WINDOWS
  722. #ifdef PYOS_OS2
  723.     block = !block;
  724.     ioctl(s->sock_fd, FIONBIO, (caddr_t)&block, sizeof(block));
  725. #else /* !PYOS_OS2 */
  726.     delay_flag = fcntl (s->sock_fd, F_GETFL, 0);
  727.     if (block)
  728.         delay_flag &= (~O_NDELAY);
  729.     else
  730.         delay_flag |= O_NDELAY;
  731.     fcntl (s->sock_fd, F_SETFL, delay_flag);
  732. #endif /* !PYOS_OS2 */
  733. #else /* MS_WINDOWS */
  734.     block = !block;
  735.     ioctlsocket(s->sock_fd, FIONBIO, (u_long*)&block);
  736. #endif /* MS_WINDOWS */
  737. #endif /* __BEOS__ */
  738.     Py_END_ALLOW_THREADS
  739.  
  740.     Py_INCREF(Py_None);
  741.     return Py_None;
  742. }
  743.  
  744. static char setblocking_doc[] =
  745. "setblocking(flag)\n\
  746. \n\
  747. Set the socket to blocking (flag is true) or non-blocking (false).\n\
  748. This uses the FIONBIO ioctl with the O_NDELAY flag.";
  749.  
  750.  
  751. /* s.setsockopt() method.
  752.    With an integer third argument, sets an integer option.
  753.    With a string third argument, sets an option from a buffer;
  754.    use optional built-in module 'struct' to encode the string. */
  755.  
  756. static PyObject *
  757. BUILD_FUNC_DEF_2(PySocketSock_setsockopt,PySocketSockObject *,s, PyObject *,args)
  758. {
  759.     int level;
  760.     int optname;
  761.     int res;
  762.     char *buf;
  763.     int buflen;
  764.     int flag;
  765.  
  766.     if (PyArg_Parse(args, "(iii)", &level, &optname, &flag)) {
  767.         buf = (char *) &flag;
  768.         buflen = sizeof flag;
  769.     }
  770.     else {
  771.         PyErr_Clear();
  772.         if (!PyArg_Parse(args, "(iis#)", &level, &optname,
  773.                  &buf, &buflen))
  774.             return NULL;
  775.     }
  776.     res = setsockopt(s->sock_fd, level, optname, (ANY *)buf, buflen);
  777.     if (res < 0)
  778.         return PySocket_Err();
  779.     Py_INCREF(Py_None);
  780.     return Py_None;
  781. }
  782.  
  783. static char setsockopt_doc[] =
  784. "setsockopt(level, option, value)\n\
  785. \n\
  786. Set a socket option.  See the Unix manual for level and option.\n\
  787. The value argument can either be an integer or a string.";
  788.  
  789.  
  790. /* s.getsockopt() method.
  791.    With two arguments, retrieves an integer option.
  792.    With a third integer argument, retrieves a string buffer of that size;
  793.    use optional built-in module 'struct' to decode the string. */
  794.  
  795. static PyObject *
  796. BUILD_FUNC_DEF_2(PySocketSock_getsockopt,PySocketSockObject *,s, PyObject *,args)
  797. {
  798.     int level;
  799.     int optname;
  800.     int res;
  801.     PyObject *buf;
  802.     int buflen = 0;
  803.  
  804. #ifdef __BEOS__
  805. /* We have incomplete socket support. */
  806.     PyErr_SetString( PySocket_Error, "getsockopt not supported" );
  807.     return NULL;
  808. #else
  809.  
  810.     if (!PyArg_ParseTuple(args, "ii|i", &level, &optname, &buflen))
  811.         return NULL;
  812.     
  813.     if (buflen == 0) {
  814.         int flag = 0;
  815.         int flagsize = sizeof flag;
  816.         res = getsockopt(s->sock_fd, level, optname,
  817.                  (ANY *)&flag, &flagsize);
  818.         if (res < 0)
  819.             return PySocket_Err();
  820.         return PyInt_FromLong(flag);
  821.     }
  822.     if (buflen <= 0 || buflen > 1024) {
  823.         PyErr_SetString(PySocket_Error,
  824.                 "getsockopt buflen out of range");
  825.         return NULL;
  826.     }
  827.     buf = PyString_FromStringAndSize((char *)NULL, buflen);
  828.     if (buf == NULL)
  829.         return NULL;
  830.     res = getsockopt(s->sock_fd, level, optname,
  831.              (ANY *)PyString_AsString(buf), &buflen);
  832.     if (res < 0) {
  833.         Py_DECREF(buf);
  834.         return PySocket_Err();
  835.     }
  836.     _PyString_Resize(&buf, buflen);
  837.     return buf;
  838. #endif /* __BEOS__ */
  839. }
  840.  
  841. static char getsockopt_doc[] =
  842. "getsockopt(level, option[, buffersize]) -> value\n\
  843. \n\
  844. Get a socket option.  See the Unix manual for level and option.\n\
  845. If a nonzero buffersize argument is given, the return value is a\n\
  846. string of that length; otherwise it is an integer.";
  847.  
  848.  
  849. /* s.bind(sockaddr) method */
  850.  
  851. static PyObject *
  852. BUILD_FUNC_DEF_2(PySocketSock_bind,PySocketSockObject *,s, PyObject *,args)
  853. {
  854.     struct sockaddr *addr;
  855.     int addrlen;
  856.     int res;
  857.     if (!getsockaddrarg(s, args, &addr, &addrlen))
  858.         return NULL;
  859.     Py_BEGIN_ALLOW_THREADS
  860.     res = bind(s->sock_fd, addr, addrlen);
  861.     Py_END_ALLOW_THREADS
  862.     if (res < 0)
  863.         return PySocket_Err();
  864.     Py_INCREF(Py_None);
  865.     return Py_None;
  866. }
  867.  
  868. static char bind_doc[] =
  869. "bind(address)\n\
  870. \n\
  871. Bind the socket to a local address.  For IP sockets, the address is a\n\
  872. pair (host, port); the host must refer to the local host.";
  873.  
  874.  
  875. /* s.close() method.
  876.    Set the file descriptor to -1 so operations tried subsequently
  877.    will surely fail. */
  878.  
  879. static PyObject *
  880. BUILD_FUNC_DEF_2(PySocketSock_close,PySocketSockObject *,s, PyObject *,args)
  881. {
  882.     if (!PyArg_NoArgs(args))
  883.         return NULL;
  884.     if (s->sock_fd != -1) {
  885.         Py_BEGIN_ALLOW_THREADS
  886.         (void) close(s->sock_fd);
  887.         Py_END_ALLOW_THREADS
  888.     }
  889.     s->sock_fd = -1;
  890.     Py_INCREF(Py_None);
  891.     return Py_None;
  892. }
  893.  
  894. static char close_doc[] =
  895. "close()\n\
  896. \n\
  897. Close the socket.  It cannot be used after this call.";
  898.  
  899.  
  900. /* s.connect(sockaddr) method */
  901.  
  902. static PyObject *
  903. BUILD_FUNC_DEF_2(PySocketSock_connect,PySocketSockObject *,s, PyObject *,args)
  904. {
  905.     struct sockaddr *addr;
  906.     int addrlen;
  907.     int res;
  908.     if (!getsockaddrarg(s, args, &addr, &addrlen))
  909.         return NULL;
  910.     Py_BEGIN_ALLOW_THREADS
  911.     res = connect(s->sock_fd, addr, addrlen);
  912.     Py_END_ALLOW_THREADS
  913.     if (res < 0)
  914.         return PySocket_Err();
  915.     Py_INCREF(Py_None);
  916.     return Py_None;
  917. }
  918.  
  919. static char connect_doc[] =
  920. "connect(address)\n\
  921. \n\
  922. Connect the socket to a remote address.  For IP sockets, the address\n\
  923. is a pair (host, port).";
  924.  
  925.  
  926. /* s.connect_ex(sockaddr) method */
  927.  
  928. static PyObject *
  929. BUILD_FUNC_DEF_2(PySocketSock_connect_ex,PySocketSockObject *,s, PyObject *,args)
  930. {
  931.     struct sockaddr *addr;
  932.     int addrlen;
  933.     int res;
  934.     if (!getsockaddrarg(s, args, &addr, &addrlen))
  935.         return NULL;
  936.     Py_BEGIN_ALLOW_THREADS
  937.     res = connect(s->sock_fd, addr, addrlen);
  938.     Py_END_ALLOW_THREADS
  939.     if (res != 0)
  940.         res = errno;
  941.     return PyInt_FromLong((long) res);
  942. }
  943.  
  944. static char connect_ex_doc[] =
  945. "connect_ex(address)\n\
  946. \n\
  947. This is like connect(address), but returns an error code (the errno value)\n\
  948. instead of raising an exception when an error occurs.";
  949.  
  950.  
  951. /* s.fileno() method */
  952.  
  953. static PyObject *
  954. BUILD_FUNC_DEF_2(PySocketSock_fileno,PySocketSockObject *,s, PyObject *,args)
  955. {
  956.     if (!PyArg_NoArgs(args))
  957.         return NULL;
  958.     return PyInt_FromLong((long) s->sock_fd);
  959. }
  960.  
  961. static char fileno_doc[] =
  962. "fileno() -> integer\n\
  963. \n\
  964. Return the integer file descriptor of the socket.";
  965.  
  966.  
  967. #ifndef NO_DUP
  968. /* s.dup() method */
  969.  
  970. static PyObject *
  971. BUILD_FUNC_DEF_2(PySocketSock_dup,PySocketSockObject *,s, PyObject *,args)
  972. {
  973.     int newfd;
  974.     PyObject *sock;
  975.     if (!PyArg_NoArgs(args))
  976.         return NULL;
  977.     newfd = dup(s->sock_fd);
  978.     if (newfd < 0)
  979.         return PySocket_Err();
  980.     sock = (PyObject *) PySocketSock_New(newfd,
  981.                          s->sock_family,
  982.                          s->sock_type,
  983.                          s->sock_proto);
  984.     if (sock == NULL)
  985.         close(newfd);
  986.     return sock;
  987. }
  988.  
  989. static char dup_doc[] =
  990. "dup() -> socket object\n\
  991. \n\
  992. Return a new socket object connected to the same system resource.";
  993.  
  994. #endif
  995.  
  996.  
  997. /* s.getsockname() method */
  998.  
  999. static PyObject *
  1000. BUILD_FUNC_DEF_2(PySocketSock_getsockname,PySocketSockObject *,s, PyObject *,args)
  1001. {
  1002.     char addrbuf[256];
  1003.     int addrlen, res;
  1004.     if (!PyArg_NoArgs(args))
  1005.         return NULL;
  1006.     if (!getsockaddrlen(s, &addrlen))
  1007.         return NULL;
  1008.     memset(addrbuf, 0, addrlen);
  1009.     Py_BEGIN_ALLOW_THREADS
  1010.     res = getsockname(s->sock_fd, (struct sockaddr *) addrbuf, &addrlen);
  1011.     Py_END_ALLOW_THREADS
  1012.     if (res < 0)
  1013.         return PySocket_Err();
  1014.     return makesockaddr((struct sockaddr *) addrbuf, addrlen);
  1015. }
  1016.  
  1017. static char getsockname_doc[] =
  1018. "getsockname() -> address info\n\
  1019. \n\
  1020. Return the address of the local endpoint.  For IP sockets, the address\n\
  1021. info is a pair (hostaddr, port).";
  1022.  
  1023.  
  1024. #ifdef HAVE_GETPEERNAME        /* Cray APP doesn't have this :-( */
  1025. /* s.getpeername() method */
  1026.  
  1027. static PyObject *
  1028. BUILD_FUNC_DEF_2(PySocketSock_getpeername,PySocketSockObject *,s, PyObject *,args)
  1029. {
  1030.     char addrbuf[256];
  1031.     int addrlen, res;
  1032.     if (!PyArg_NoArgs(args))
  1033.         return NULL;
  1034.     if (!getsockaddrlen(s, &addrlen))
  1035.         return NULL;
  1036.     Py_BEGIN_ALLOW_THREADS
  1037.     res = getpeername(s->sock_fd, (struct sockaddr *) addrbuf, &addrlen);
  1038.     Py_END_ALLOW_THREADS
  1039.     if (res < 0)
  1040.         return PySocket_Err();
  1041.     return makesockaddr((struct sockaddr *) addrbuf, addrlen);
  1042. }
  1043.  
  1044. static char getpeername_doc[] =
  1045. "getpeername() -> address info\n\
  1046. \n\
  1047. Return the address of the remote endpoint.  For IP sockets, the address\n\
  1048. info is a pair (hostaddr, port).";
  1049.  
  1050. #endif /* HAVE_GETPEERNAME */
  1051.  
  1052.  
  1053. /* s.listen(n) method */
  1054.  
  1055. static PyObject *
  1056. BUILD_FUNC_DEF_2(PySocketSock_listen,PySocketSockObject *,s, PyObject *,args)
  1057. {
  1058.     int backlog;
  1059.     int res;
  1060.     if (!PyArg_Parse(args, "i", &backlog))
  1061.         return NULL;
  1062.     Py_BEGIN_ALLOW_THREADS
  1063.     if (backlog < 1)
  1064.         backlog = 1;
  1065.     res = listen(s->sock_fd, backlog);
  1066.     Py_END_ALLOW_THREADS
  1067.     if (res < 0)
  1068.         return PySocket_Err();
  1069.     Py_INCREF(Py_None);
  1070.     return Py_None;
  1071. }
  1072.  
  1073. static char listen_doc[] =
  1074. "listen(backlog)\n\
  1075. \n\
  1076. Enable a server to accept connections.  The backlog argument must be at\n\
  1077. least 1; it specifies the number of unaccepted connection that the system\n\
  1078. will allow before refusing new connections.";
  1079.  
  1080.  
  1081. #ifndef NO_DUP
  1082. /* s.makefile(mode) method.
  1083.    Create a new open file object referring to a dupped version of
  1084.    the socket's file descriptor.  (The dup() call is necessary so
  1085.    that the open file and socket objects may be closed independent
  1086.    of each other.)
  1087.    The mode argument specifies 'r' or 'w' passed to fdopen(). */
  1088.  
  1089. static PyObject *
  1090. BUILD_FUNC_DEF_2(PySocketSock_makefile,PySocketSockObject *,s, PyObject *,args)
  1091. {
  1092.     extern int fclose Py_PROTO((FILE *));
  1093.     char *mode = "r";
  1094.     int bufsize = -1;
  1095.     int fd;
  1096.     FILE *fp;
  1097.     PyObject *f;
  1098.  
  1099.     if (!PyArg_ParseTuple(args, "|si:makefile", &mode, &bufsize))
  1100.         return NULL;
  1101. #ifdef MS_WIN32
  1102.     if (((fd = _open_osfhandle(s->sock_fd, _O_BINARY)) < 0) ||
  1103.         ((fd = dup(fd)) < 0) || ((fp = fdopen(fd, mode)) == NULL))
  1104. #else
  1105.     if ((fd = dup(s->sock_fd)) < 0 || (fp = fdopen(fd, mode)) == NULL)
  1106. #endif
  1107.     {
  1108.         if (fd >= 0)
  1109.             close(fd);
  1110.         return PySocket_Err();
  1111.     }
  1112.     f = PyFile_FromFile(fp, "<socket>", mode, fclose);
  1113.     if (f != NULL)
  1114.         PyFile_SetBufSize(f, bufsize);
  1115.     return f;
  1116. }
  1117.  
  1118. static char makefile_doc[] =
  1119. "makefile([mode[, buffersize]]) -> file object\n\
  1120. \n\
  1121. Return a regular file object corresponding to the socket.\n\
  1122. The mode and buffersize arguments are as for the built-in open() function.";
  1123.  
  1124. #endif /* NO_DUP */
  1125.  
  1126.  
  1127. /* s.recv(nbytes [,flags]) method */
  1128.  
  1129. static PyObject *
  1130. BUILD_FUNC_DEF_2(PySocketSock_recv,PySocketSockObject *,s, PyObject *,args)
  1131. {
  1132.     int len, n, flags = 0;
  1133.     PyObject *buf;
  1134.     if (!PyArg_ParseTuple(args, "i|i:recv", &len, &flags))
  1135.         return NULL;
  1136.     buf = PyString_FromStringAndSize((char *) 0, len);
  1137.     if (buf == NULL)
  1138.         return NULL;
  1139.     Py_BEGIN_ALLOW_THREADS
  1140.     n = recv(s->sock_fd, PyString_AsString(buf), len, flags);
  1141.     Py_END_ALLOW_THREADS
  1142.     if (n < 0) {
  1143.         Py_DECREF(buf);
  1144.         return PySocket_Err();
  1145.     }
  1146.     if (n != len && _PyString_Resize(&buf, n) < 0)
  1147.         return NULL;
  1148.     return buf;
  1149. }
  1150.  
  1151. static char recv_doc[] =
  1152. "recv(buffersize[, flags]) -> data\n\
  1153. \n\
  1154. Receive up to buffersize bytes from the socket.  For the optional flags\n\
  1155. argument, see the Unix manual.  When no data is available, block until\n\
  1156. at least one byte is available or until the remote end is closed.  When\n\
  1157. the remote end is closed and all data is read, return the empty string.";
  1158.  
  1159.  
  1160. /* s.recvfrom(nbytes [,flags]) method */
  1161.  
  1162. static PyObject *
  1163. BUILD_FUNC_DEF_2(PySocketSock_recvfrom,PySocketSockObject *,s, PyObject *,args)
  1164. {
  1165.     char addrbuf[256];
  1166.     PyObject *buf = NULL;
  1167.     PyObject *addr = NULL;
  1168.     PyObject *ret = NULL;
  1169.  
  1170.     int addrlen, len, n, flags = 0;
  1171.     if (!PyArg_ParseTuple(args, "i|i:recvfrom", &len, &flags))
  1172.         return NULL;
  1173.     if (!getsockaddrlen(s, &addrlen))
  1174.         return NULL;
  1175.     buf = PyString_FromStringAndSize((char *) 0, len);
  1176.     if (buf == NULL)
  1177.         return NULL;
  1178.     Py_BEGIN_ALLOW_THREADS
  1179.     n = recvfrom(s->sock_fd, PyString_AsString(buf), len, flags,
  1180. #ifndef MS_WINDOWS
  1181. #if defined(PYOS_OS2)
  1182.              (struct sockaddr *)addrbuf, &addrlen
  1183. #else
  1184.              (ANY *)addrbuf, &addrlen
  1185. #endif
  1186. #else
  1187.              (struct sockaddr *)addrbuf, &addrlen
  1188. #endif
  1189.              );
  1190.     Py_END_ALLOW_THREADS
  1191.     if (n < 0) {
  1192.         Py_DECREF(buf);
  1193.         return PySocket_Err();
  1194.     }
  1195.     if (n != len && _PyString_Resize(&buf, n) < 0)
  1196.         return NULL;
  1197.         
  1198.     if (!(addr = makesockaddr((struct sockaddr *)addrbuf, addrlen)))
  1199.         goto finally;
  1200.  
  1201.     ret = Py_BuildValue("OO", buf, addr);
  1202.   finally:
  1203.     Py_XDECREF(addr);
  1204.     Py_XDECREF(buf);
  1205.     return ret;
  1206. }
  1207.  
  1208. static char recvfrom_doc[] =
  1209. "recvfrom(buffersize[, flags]) -> (data, address info)\n\
  1210. \n\
  1211. Like recv(buffersize, flags) but also return the sender's address info.";
  1212.  
  1213.  
  1214. /* s.send(data [,flags]) method */
  1215.  
  1216. static PyObject *
  1217. BUILD_FUNC_DEF_2(PySocketSock_send,PySocketSockObject *,s, PyObject *,args)
  1218. {
  1219.     char *buf;
  1220.     int len, n, flags = 0;
  1221.     if (!PyArg_ParseTuple(args, "s#|i:send", &buf, &len, &flags))
  1222.         return NULL;
  1223.     Py_BEGIN_ALLOW_THREADS
  1224.     n = send(s->sock_fd, buf, len, flags);
  1225.     Py_END_ALLOW_THREADS
  1226.     if (n < 0)
  1227.         return PySocket_Err();
  1228.     return PyInt_FromLong((long)n);
  1229. }
  1230.  
  1231. static char send_doc[] =
  1232. "send(data[, flags])\n\
  1233. \n\
  1234. Send a data string to the socket.  For the optional flags\n\
  1235. argument, see the Unix manual.";
  1236.  
  1237.  
  1238. /* s.sendto(data, [flags,] sockaddr) method */
  1239.  
  1240. static PyObject *
  1241. BUILD_FUNC_DEF_2(PySocketSock_sendto,PySocketSockObject *,s, PyObject *,args)
  1242. {
  1243.     PyObject *addro;
  1244.     char *buf;
  1245.     struct sockaddr *addr;
  1246.     int addrlen, len, n, flags;
  1247.     flags = 0;
  1248.     if (!PyArg_Parse(args, "(s#O)", &buf, &len, &addro)) {
  1249.         PyErr_Clear();
  1250.         if (!PyArg_Parse(args, "(s#iO)", &buf, &len, &flags, &addro))
  1251.             return NULL;
  1252.     }
  1253.     if (!getsockaddrarg(s, addro, &addr, &addrlen))
  1254.         return NULL;
  1255.     Py_BEGIN_ALLOW_THREADS
  1256.     n = sendto(s->sock_fd, buf, len, flags, addr, addrlen);
  1257.     Py_END_ALLOW_THREADS
  1258.     if (n < 0)
  1259.         return PySocket_Err();
  1260.     return PyInt_FromLong((long)n);
  1261. }
  1262.  
  1263. static char sendto_doc[] =
  1264. "sendto(data[, flags], address)\n\
  1265. \n\
  1266. Like send(data, flags) but allows specifying the destination address.\n\
  1267. For IP sockets, the address is a pair (hostaddr, port).";
  1268.  
  1269.  
  1270. /* s.shutdown(how) method */
  1271.  
  1272. static PyObject *
  1273. BUILD_FUNC_DEF_2(PySocketSock_shutdown,PySocketSockObject *,s, PyObject *,args)
  1274. {
  1275.     int how;
  1276.     int res;
  1277.     if (!PyArg_Parse(args, "i", &how))
  1278.         return NULL;
  1279.     Py_BEGIN_ALLOW_THREADS
  1280.     res = shutdown(s->sock_fd, how);
  1281.     Py_END_ALLOW_THREADS
  1282.     if (res < 0)
  1283.         return PySocket_Err();
  1284.     Py_INCREF(Py_None);
  1285.     return Py_None;
  1286. }
  1287.  
  1288. static char shutdown_doc[] =
  1289. "shutdown(flag)\n\
  1290. \n\
  1291. Shut down the reading side of the socket (flag == 0), the writing side\n\
  1292. of the socket (flag == 1), or both ends (flag == 2).";
  1293.  
  1294.  
  1295. /* List of methods for socket objects */
  1296.  
  1297. static PyMethodDef PySocketSock_methods[] = {
  1298.     {"accept",        (PyCFunction)PySocketSock_accept, 0,
  1299.                 accept_doc},
  1300.     {"bind",        (PyCFunction)PySocketSock_bind, 0,
  1301.                 bind_doc},
  1302.     {"close",        (PyCFunction)PySocketSock_close, 0,
  1303.                 close_doc},
  1304.     {"connect",        (PyCFunction)PySocketSock_connect, 0,
  1305.                 connect_doc},
  1306.     {"connect_ex",        (PyCFunction)PySocketSock_connect_ex, 0,
  1307.                 connect_ex_doc},
  1308. #ifndef NO_DUP
  1309.     {"dup",            (PyCFunction)PySocketSock_dup, 0,
  1310.                 dup_doc},
  1311. #endif
  1312.     {"fileno",        (PyCFunction)PySocketSock_fileno, 0,
  1313.                 fileno_doc},
  1314. #ifdef HAVE_GETPEERNAME
  1315.     {"getpeername",        (PyCFunction)PySocketSock_getpeername, 0,
  1316.                 getpeername_doc},
  1317. #endif
  1318.     {"getsockname",        (PyCFunction)PySocketSock_getsockname, 0,
  1319.                 getsockname_doc},
  1320.     {"getsockopt",        (PyCFunction)PySocketSock_getsockopt, 1,
  1321.                 getsockopt_doc},
  1322.     {"listen",        (PyCFunction)PySocketSock_listen, 0,
  1323.                 listen_doc},
  1324. #ifndef NO_DUP
  1325.     {"makefile",        (PyCFunction)PySocketSock_makefile, 1,
  1326.                 makefile_doc},
  1327. #endif
  1328.     {"recv",        (PyCFunction)PySocketSock_recv, 1,
  1329.                 recv_doc},
  1330.     {"recvfrom",        (PyCFunction)PySocketSock_recvfrom, 1,
  1331.                 recvfrom_doc},
  1332.     {"send",        (PyCFunction)PySocketSock_send, 1,
  1333.                 send_doc},
  1334.     {"sendto",        (PyCFunction)PySocketSock_sendto, 0,
  1335.                 sendto_doc},
  1336.     {"setblocking",        (PyCFunction)PySocketSock_setblocking, 0,
  1337.                 setblocking_doc},
  1338.     {"setsockopt",        (PyCFunction)PySocketSock_setsockopt, 0,
  1339.                 setsockopt_doc},
  1340.     {"shutdown",        (PyCFunction)PySocketSock_shutdown, 0,
  1341.                 shutdown_doc},
  1342.     {NULL,            NULL}        /* sentinel */
  1343. };
  1344.  
  1345.  
  1346. /* Deallocate a socket object in response to the last Py_DECREF().
  1347.    First close the file description. */
  1348.  
  1349. static void
  1350. BUILD_FUNC_DEF_1(PySocketSock_dealloc,PySocketSockObject *,s)
  1351. {
  1352.     (void) close(s->sock_fd);
  1353.     PyMem_DEL(s);
  1354. }
  1355.  
  1356.  
  1357. /* Return a socket object's named attribute. */
  1358.  
  1359. static PyObject *
  1360. BUILD_FUNC_DEF_2(PySocketSock_getattr,PySocketSockObject *,s, char *,name)
  1361. {
  1362.     return Py_FindMethod(PySocketSock_methods, (PyObject *) s, name);
  1363. }
  1364.  
  1365.  
  1366. static PyObject *
  1367. BUILD_FUNC_DEF_1(PySocketSock_repr,PySocketSockObject *,s)
  1368. {
  1369.     char buf[512];
  1370.     sprintf(buf, 
  1371.         "<socket object, fd=%d, family=%d, type=%d, protocol=%d>", 
  1372.         s->sock_fd, s->sock_family, s->sock_type, s->sock_proto);
  1373.     return PyString_FromString(buf);
  1374. }
  1375.  
  1376.  
  1377. /* Type object for socket objects. */
  1378.  
  1379. static PyTypeObject PySocketSock_Type = {
  1380.     PyObject_HEAD_INIT(0)    /* Must fill in type value later */
  1381.     0,
  1382.     "socket",
  1383.     sizeof(PySocketSockObject),
  1384.     0,
  1385.     (destructor)PySocketSock_dealloc, /*tp_dealloc*/
  1386.     0,        /*tp_print*/
  1387.     (getattrfunc)PySocketSock_getattr, /*tp_getattr*/
  1388.     0,        /*tp_setattr*/
  1389.     0,        /*tp_compare*/
  1390.     (reprfunc)PySocketSock_repr, /*tp_repr*/
  1391.     0,        /*tp_as_number*/
  1392.     0,        /*tp_as_sequence*/
  1393.     0,        /*tp_as_mapping*/
  1394. };
  1395.  
  1396.  
  1397. /* Python interface to gethostname(). */
  1398.  
  1399. /*ARGSUSED*/
  1400. static PyObject *
  1401. BUILD_FUNC_DEF_2(PySocket_gethostname,PyObject *,self, PyObject *,args)
  1402. {
  1403.     char buf[1024];
  1404.     int res;
  1405.     if (!PyArg_NoArgs(args))
  1406.         return NULL;
  1407.     Py_BEGIN_ALLOW_THREADS
  1408.     res = gethostname(buf, (int) sizeof buf - 1);
  1409.     Py_END_ALLOW_THREADS
  1410.     if (res < 0)
  1411.         return PySocket_Err();
  1412.     buf[sizeof buf - 1] = '\0';
  1413.     return PyString_FromString(buf);
  1414. }
  1415.  
  1416. static char gethostname_doc[] =
  1417. "gethostname() -> string\n\
  1418. \n\
  1419. Return the current host name.";
  1420.  
  1421.  
  1422. /* Python interface to gethostbyname(name). */
  1423.  
  1424. /*ARGSUSED*/
  1425. static PyObject *
  1426. BUILD_FUNC_DEF_2(PySocket_gethostbyname,PyObject *,self, PyObject *,args)
  1427. {
  1428.     char *name;
  1429.     struct sockaddr_in addrbuf;
  1430.     if (!PyArg_Parse(args, "s", &name))
  1431.         return NULL;
  1432.     if (setipaddr(name, &addrbuf) < 0)
  1433.         return NULL;
  1434.     return makeipaddr(&addrbuf);
  1435. }
  1436.  
  1437. static char gethostbyname_doc[] =
  1438. "gethostbyname(host) -> address\n\
  1439. \n\
  1440. Return the IP address (a string of the form '255.255.255.255') for a host.";
  1441.  
  1442.  
  1443. /* Convenience function common to gethostbyname_ex and gethostbyaddr */
  1444.  
  1445. static PyObject *
  1446. gethost_common(h, addr)
  1447.     struct hostent *h;
  1448.     struct sockaddr_in *addr;
  1449. {
  1450.     char **pch;
  1451.     PyObject *rtn_tuple = (PyObject *)NULL;
  1452.     PyObject *name_list = (PyObject *)NULL;
  1453.     PyObject *addr_list = (PyObject *)NULL;
  1454.     PyObject *tmp;
  1455.     if (h == NULL) {
  1456. #ifdef HAVE_HSTRERROR
  1457.             /* Let's get real error message to return */
  1458.             extern int h_errno;
  1459.         PyErr_SetString(PySocket_Error, (char *)hstrerror(h_errno));
  1460. #else
  1461.         PyErr_SetString(PySocket_Error, "host not found");
  1462. #endif
  1463.         return NULL;
  1464.     }
  1465.     if ((name_list = PyList_New(0)) == NULL)
  1466.         goto err;
  1467.     if ((addr_list = PyList_New(0)) == NULL)
  1468.         goto err;
  1469.     for (pch = h->h_aliases; *pch != NULL; pch++) {
  1470.         int status;
  1471.         tmp = PyString_FromString(*pch);
  1472.         if (tmp == NULL)
  1473.             goto err;
  1474.         status = PyList_Append(name_list, tmp);
  1475.         Py_DECREF(tmp);
  1476.         if (status)
  1477.             goto err;
  1478.     }
  1479.     for (pch = h->h_addr_list; *pch != NULL; pch++) {
  1480.         int status;
  1481.         memcpy((char *) &addr->sin_addr, *pch, h->h_length);
  1482.         tmp = makeipaddr(addr);
  1483.         if (tmp == NULL)
  1484.             goto err;
  1485.         status = PyList_Append(addr_list, tmp);
  1486.         Py_DECREF(tmp);
  1487.         if (status)
  1488.             goto err;
  1489.     }
  1490.     rtn_tuple = Py_BuildValue("sOO", h->h_name, name_list, addr_list);
  1491.  err:
  1492.     Py_XDECREF(name_list);
  1493.     Py_XDECREF(addr_list);
  1494.     return rtn_tuple;
  1495. }
  1496.  
  1497.  
  1498. /* Python interface to gethostbyname_ex(name). */
  1499.  
  1500. /*ARGSUSED*/
  1501. static PyObject *
  1502. BUILD_FUNC_DEF_2(PySocket_gethostbyname_ex,PyObject *,self, PyObject *,args)
  1503. {
  1504.     char *name;
  1505.     struct hostent *h;
  1506.     struct sockaddr_in addr;
  1507.     PyObject *ret;
  1508. #ifdef HAVE_GETHOSTBYNAME_R
  1509.     struct hostent hp_allocated;
  1510. #ifdef HAVE_GETHOSTBYNAME_R_3_ARG
  1511.     struct hostent_data data;
  1512. #else
  1513.     char buf[16384];
  1514.     int buf_len = (sizeof buf) - 1;
  1515.     int errnop;
  1516. #endif
  1517. #if defined(HAVE_GETHOSTBYNAME_R_3_ARG) || defined(HAVE_GETHOSTBYNAME_R_6_ARG)
  1518.     int result;
  1519. #endif
  1520. #endif /* HAVE_GETHOSTBYNAME_R */
  1521.     if (!PyArg_Parse(args, "s", &name))
  1522.         return NULL;
  1523.     if (setipaddr(name, &addr) < 0)
  1524.         return NULL;
  1525.     Py_BEGIN_ALLOW_THREADS
  1526. #ifdef HAVE_GETHOSTBYNAME_R
  1527. #if   defined(HAVE_GETHOSTBYNAME_R_6_ARG)
  1528.     result = gethostbyname_r(name, &hp_allocated, buf, buf_len, &h, &errnop);
  1529. #elif defined(HAVE_GETHOSTBYNAME_R_5_ARG)
  1530.     h = gethostbyname_r(name, &hp_allocated, buf, buf_len, &errnop);
  1531. #else /* HAVE_GETHOSTBYNAME_R_3_ARG */
  1532.     memset((void *) &data, '\0', sizeof(data));
  1533.     result = gethostbyname_r(name, &hp_allocated, &data);
  1534.     h = (result != 0) ? NULL : &hp_allocated;
  1535. #endif
  1536. #else /* not HAVE_GETHOSTBYNAME_R */
  1537. #ifdef USE_GETHOSTBYNAME_LOCK
  1538.     PyThread_acquire_lock(gethostbyname_lock, 1);
  1539. #endif
  1540.     h = gethostbyname(name);
  1541. #endif /* HAVE_GETHOSTBYNAME_R */
  1542.     Py_END_ALLOW_THREADS
  1543.     ret = gethost_common(h, &addr);
  1544. #ifdef USE_GETHOSTBYNAME_LOCK
  1545.     PyThread_release_lock(gethostbyname_lock);
  1546. #endif
  1547.     return ret;
  1548. }
  1549.  
  1550. static char ghbn_ex_doc[] =
  1551. "gethostbyname_ex(host) -> (name, aliaslist, addresslist)\n\
  1552. \n\
  1553. Return the true host name, a list of aliases, and a list of IP addresses,\n\
  1554. for a host.  The host argument is a string giving a host name or IP number.";
  1555.  
  1556.  
  1557. /* Python interface to gethostbyaddr(IP). */
  1558.  
  1559. /*ARGSUSED*/
  1560. static PyObject *
  1561. BUILD_FUNC_DEF_2(PySocket_gethostbyaddr,PyObject *,self, PyObject *, args)
  1562. {
  1563.         struct sockaddr_in addr;
  1564.     char *ip_num;
  1565.     struct hostent *h;
  1566.     PyObject *ret;
  1567. #ifdef HAVE_GETHOSTBYNAME_R
  1568.     struct hostent hp_allocated;
  1569. #ifdef HAVE_GETHOSTBYNAME_R_3_ARG
  1570.     struct hostent_data data;
  1571. #else
  1572.     char buf[16384];
  1573.     int buf_len = (sizeof buf) - 1;
  1574.     int errnop;
  1575. #endif
  1576. #if defined(HAVE_GETHOSTBYNAME_R_3_ARG) || defined(HAVE_GETHOSTBYNAME_R_6_ARG)
  1577.     int result;
  1578. #endif
  1579. #endif /* HAVE_GETHOSTBYNAME_R */
  1580.  
  1581.     if (!PyArg_Parse(args, "s", &ip_num))
  1582.         return NULL;
  1583.     if (setipaddr(ip_num, &addr) < 0)
  1584.         return NULL;
  1585.     Py_BEGIN_ALLOW_THREADS
  1586. #ifdef HAVE_GETHOSTBYNAME_R
  1587. #if   defined(HAVE_GETHOSTBYNAME_R_6_ARG)
  1588.     result = gethostbyaddr_r((char *)&addr.sin_addr,
  1589.         sizeof(addr.sin_addr),
  1590.         AF_INET, &hp_allocated, buf, buf_len,
  1591.         &h, &errnop);
  1592. #elif defined(HAVE_GETHOSTBYNAME_R_5_ARG)
  1593.     h = gethostbyaddr_r((char *)&addr.sin_addr,
  1594.                 sizeof(addr.sin_addr),
  1595.                 AF_INET, 
  1596.                 &hp_allocated, buf, buf_len, &errnop);
  1597. #else /* HAVE_GETHOSTBYNAME_R_3_ARG */
  1598.     memset((void *) &data, '\0', sizeof(data));
  1599.     result = gethostbyaddr_r((char *)&addr.sin_addr,
  1600.         sizeof(addr.sin_addr),
  1601.         AF_INET, &hp_allocated, &data);
  1602.     h = (result != 0) ? NULL : &hp_allocated;
  1603. #endif
  1604. #else /* not HAVE_GETHOSTBYNAME_R */
  1605. #ifdef USE_GETHOSTBYNAME_LOCK
  1606.     PyThread_acquire_lock(gethostbyname_lock, 1);
  1607. #endif
  1608.     h = gethostbyaddr((char *)&addr.sin_addr,
  1609.               sizeof(addr.sin_addr),
  1610.               AF_INET);
  1611. #endif /* HAVE_GETHOSTBYNAME_R */
  1612.     Py_END_ALLOW_THREADS
  1613.     ret = gethost_common(h, &addr);
  1614. #ifdef USE_GETHOSTBYNAME_LOCK
  1615.     PyThread_release_lock(gethostbyname_lock);
  1616. #endif
  1617.     return ret;
  1618. }
  1619.  
  1620. static char gethostbyaddr_doc[] =
  1621. "gethostbyaddr(host) -> (name, aliaslist, addresslist)\n\
  1622. \n\
  1623. Return the true host name, a list of aliases, and a list of IP addresses,\n\
  1624. for a host.  The host argument is a string giving a host name or IP number.";
  1625.  
  1626.  
  1627. /* Python interface to getservbyname(name).
  1628.    This only returns the port number, since the other info is already
  1629.    known or not useful (like the list of aliases). */
  1630.  
  1631. /*ARGSUSED*/
  1632. static PyObject *
  1633. BUILD_FUNC_DEF_2(PySocket_getservbyname,PyObject *,self, PyObject *,args)
  1634. {
  1635.     char *name, *proto;
  1636.     struct servent *sp;
  1637.     if (!PyArg_Parse(args, "(ss)", &name, &proto))
  1638.         return NULL;
  1639.     Py_BEGIN_ALLOW_THREADS
  1640.     sp = getservbyname(name, proto);
  1641.     Py_END_ALLOW_THREADS
  1642.     if (sp == NULL) {
  1643.         PyErr_SetString(PySocket_Error, "service/proto not found");
  1644.         return NULL;
  1645.     }
  1646.     return PyInt_FromLong((long) ntohs(sp->s_port));
  1647. }
  1648.  
  1649. static char getservbyname_doc[] =
  1650. "getservbyname(servicename, protocolname) -> integer\n\
  1651. \n\
  1652. Return a port number from a service name and protocol name.\n\
  1653. The protocol name should be 'tcp' or 'udp'.";
  1654.  
  1655.  
  1656. /* Python interface to getprotobyname(name).
  1657.    This only returns the protocol number, since the other info is
  1658.    already known or not useful (like the list of aliases). */
  1659.  
  1660. /*ARGSUSED*/
  1661. static PyObject *
  1662. BUILD_FUNC_DEF_2(PySocket_getprotobyname,PyObject *,self, PyObject *,args)
  1663. {
  1664.     char *name;
  1665.     struct protoent *sp;
  1666. #ifdef __BEOS__
  1667. /* Not available in BeOS yet. - [cjh] */
  1668.     PyErr_SetString( PySocket_Error, "getprotobyname not supported" );
  1669.     return NULL;
  1670. #else
  1671.     if (!PyArg_Parse(args, "s", &name))
  1672.         return NULL;
  1673.     Py_BEGIN_ALLOW_THREADS
  1674.     sp = getprotobyname(name);
  1675.     Py_END_ALLOW_THREADS
  1676.     if (sp == NULL) {
  1677.         PyErr_SetString(PySocket_Error, "protocol not found");
  1678.         return NULL;
  1679.     }
  1680.     return PyInt_FromLong((long) sp->p_proto);
  1681. #endif
  1682. }
  1683.  
  1684. static char getprotobyname_doc[] =
  1685. "getprotobyname(name) -> integer\n\
  1686. \n\
  1687. Return the protocol number for the named protocol.  (Rarely used.)";
  1688.  
  1689.  
  1690. /* Python interface to socket(family, type, proto).
  1691.    The third (protocol) argument is optional.
  1692.    Return a new socket object. */
  1693.  
  1694. /*ARGSUSED*/
  1695. static PyObject *
  1696. BUILD_FUNC_DEF_2(PySocket_socket,PyObject *,self, PyObject *,args)
  1697. {
  1698.     PySocketSockObject *s;
  1699. #ifdef MS_WINDOWS
  1700.     SOCKET fd;
  1701. #else
  1702.     int fd;
  1703. #endif
  1704.     int family, type, proto = 0;
  1705.     if (!PyArg_ParseTuple(args, "ii|i:socket", &family, &type, &proto))
  1706.         return NULL;
  1707.     Py_BEGIN_ALLOW_THREADS
  1708.     fd = socket(family, type, proto);
  1709.     Py_END_ALLOW_THREADS
  1710. #ifdef MS_WINDOWS
  1711.     if (fd == INVALID_SOCKET)
  1712. #else
  1713.     if (fd < 0)
  1714. #endif
  1715.         return PySocket_Err();
  1716.     s = PySocketSock_New(fd, family, type, proto);
  1717.     /* If the object can't be created, don't forget to close the
  1718.        file descriptor again! */
  1719.     if (s == NULL)
  1720.         (void) close(fd);
  1721.     /* From now on, ignore SIGPIPE and let the error checking
  1722.        do the work. */
  1723. #ifdef SIGPIPE      
  1724.     (void) signal(SIGPIPE, SIG_IGN);
  1725. #endif   
  1726.     return (PyObject *) s;
  1727. }
  1728.  
  1729. static char socket_doc[] =
  1730. "socket(family, type[, proto]) -> socket object\n\
  1731. \n\
  1732. Open a socket of the given type.  The family argument specifies the\n\
  1733. address family; it is normally AF_INET, sometimes AF_UNIX.\n\
  1734. The type argument specifies whether this is a stream (SOCK_STREAM)\n\
  1735. or datagram (SOCK_DGRAM) socket.  The protocol argument defaults to 0,\n\
  1736. specifying the default protocol.";
  1737.  
  1738.  
  1739. #ifndef NO_DUP
  1740. /* Create a socket object from a numeric file description.
  1741.    Useful e.g. if stdin is a socket.
  1742.    Additional arguments as for socket(). */
  1743.  
  1744. /*ARGSUSED*/
  1745. static PyObject *
  1746. BUILD_FUNC_DEF_2(PySocket_fromfd,PyObject *,self, PyObject *,args)
  1747. {
  1748.     PySocketSockObject *s;
  1749.     int fd, family, type, proto = 0;
  1750.     if (!PyArg_ParseTuple(args, "iii|i:fromfd", &fd, &family, &type, &proto))
  1751.         return NULL;
  1752.     /* Dup the fd so it and the socket can be closed independently */
  1753.     fd = dup(fd);
  1754.     if (fd < 0)
  1755.         return PySocket_Err();
  1756.     s = PySocketSock_New(fd, family, type, proto);
  1757.     /* From now on, ignore SIGPIPE and let the error checking
  1758.        do the work. */
  1759. #ifdef SIGPIPE      
  1760.     (void) signal(SIGPIPE, SIG_IGN);
  1761. #endif   
  1762.     return (PyObject *) s;
  1763. }
  1764.  
  1765. static char fromfd_doc[] =
  1766. "fromfd(fd, family, type[, proto]) -> socket object\n\
  1767. \n\
  1768. Create a socket object from the given file descriptor.\n\
  1769. The remaining arguments are the same as for socket().";
  1770.  
  1771. #endif /* NO_DUP */
  1772.  
  1773.  
  1774. static PyObject *
  1775. BUILD_FUNC_DEF_2(PySocket_ntohs, PyObject *, self, PyObject *, args)
  1776. {
  1777.     int x1, x2;
  1778.  
  1779.     if (!PyArg_Parse(args, "i", &x1)) {
  1780.         return NULL;
  1781.     }
  1782.     x2 = (int)ntohs((short)x1);
  1783.     return PyInt_FromLong(x2);
  1784. }
  1785.  
  1786. static char ntohs_doc[] =
  1787. "ntohs(integer) -> integer\n\
  1788. \n\
  1789. Convert a 16-bit integer from network to host byte order.";
  1790.  
  1791.  
  1792. static PyObject *
  1793. BUILD_FUNC_DEF_2(PySocket_ntohl, PyObject *, self, PyObject *, args)
  1794. {
  1795.     int x1, x2;
  1796.  
  1797.     if (!PyArg_Parse(args, "i", &x1)) {
  1798.         return NULL;
  1799.     }
  1800.     x2 = ntohl(x1);
  1801.     return PyInt_FromLong(x2);
  1802. }
  1803.  
  1804. static char ntohl_doc[] =
  1805. "ntohl(integer) -> integer\n\
  1806. \n\
  1807. Convert a 32-bit integer from network to host byte order.";
  1808.  
  1809.  
  1810. static PyObject *
  1811. BUILD_FUNC_DEF_2(PySocket_htons, PyObject *, self, PyObject *, args)
  1812. {
  1813.     int x1, x2;
  1814.  
  1815.     if (!PyArg_Parse(args, "i", &x1)) {
  1816.         return NULL;
  1817.     }
  1818.     x2 = (int)htons((short)x1);
  1819.     return PyInt_FromLong(x2);
  1820. }
  1821.  
  1822. static char htons_doc[] =
  1823. "htons(integer) -> integer\n\
  1824. \n\
  1825. Convert a 16-bit integer from host to network byte order.";
  1826.  
  1827.  
  1828. static PyObject *
  1829. BUILD_FUNC_DEF_2(PySocket_htonl, PyObject *, self, PyObject *, args)
  1830. {
  1831.     int x1, x2;
  1832.  
  1833.     if (!PyArg_Parse(args, "i", &x1)) {
  1834.         return NULL;
  1835.     }
  1836.     x2 = htonl(x1);
  1837.     return PyInt_FromLong(x2);
  1838. }
  1839.  
  1840. static char htonl_doc[] =
  1841. "htonl(integer) -> integer\n\
  1842. \n\
  1843. Convert a 32-bit integer from host to network byte order.";
  1844.  
  1845. /*
  1846.  * socket.inet_aton() and socket.inet_ntoa() functions
  1847.  *
  1848.  * written 20 Aug 1999 by Ben Gertzfield <che@debian.org> <- blame him!
  1849.  *
  1850.  */
  1851.  
  1852. static char inet_aton_doc[] = 
  1853. "inet_aton(string) -> packed 32-bit IP representation\n\
  1854. \n\
  1855. Convert an IP address in string format (123.45.67.89) to the 32-bit packed\n\
  1856. binary format used in low-level network functions.";
  1857.  
  1858. static PyObject*
  1859. BUILD_FUNC_DEF_2(PySocket_inet_aton, PyObject *, self, PyObject *, args)
  1860. {
  1861. #ifndef INADDR_NONE
  1862. #define INADDR_NONE (-1)
  1863. #endif
  1864.  
  1865.     /* Have to use inet_addr() instead */
  1866.     char *ip_addr;
  1867.     long packed_addr;
  1868.  
  1869.     if (!PyArg_Parse(args, "s", &ip_addr)) {
  1870.         return NULL;
  1871.     }
  1872. #ifdef macintosh
  1873.     packed_addr = (long)inet_addr(ip_addr).s_addr;
  1874. #else
  1875.     packed_addr = inet_addr(ip_addr);
  1876. #endif
  1877.  
  1878.     if (packed_addr == INADDR_NONE) {    /* invalid address */
  1879.         PyErr_SetString(PySocket_Error,
  1880.             "illegal IP address string passed to inet_aton");
  1881.         return NULL;
  1882.     }
  1883.  
  1884.     return PyString_FromStringAndSize((char *) &packed_addr,
  1885.                       sizeof(packed_addr));
  1886. }
  1887.  
  1888. static char inet_ntoa_doc[] = 
  1889. "inet_ntoa(packed_ip) -> ip_address_string\n\
  1890. \n\
  1891. Convert an IP address from 32-bit packed binary format to string format";
  1892.  
  1893. static PyObject*
  1894. BUILD_FUNC_DEF_2(PySocket_inet_ntoa, PyObject *, self, PyObject *, args)
  1895. {
  1896.     char *packed_str;
  1897.     int addr_len;
  1898.     struct in_addr packed_addr;
  1899.  
  1900.     if (!PyArg_Parse(args, "s#", &packed_str, &addr_len)) {
  1901.         return NULL;
  1902.     }
  1903.     
  1904.     if (addr_len != sizeof(packed_addr)) {
  1905.         PyErr_SetString(PySocket_Error,
  1906.             "packed IP wrong length for inet_ntoa");
  1907.         return NULL;
  1908.     }
  1909.  
  1910.     memcpy(&packed_addr, packed_str, addr_len);
  1911.  
  1912.     return PyString_FromString(inet_ntoa(packed_addr));
  1913. }
  1914.  
  1915.  
  1916. #ifdef USE_SSL
  1917.  
  1918. /* This is a C function to be called for new object initialization */
  1919. static SSLObject *
  1920. BUILD_FUNC_DEF_3(newSSLObject,
  1921.          PySocketSockObject *,Sock, char*,key_file, char*,cert_file)
  1922. {
  1923.     SSLObject *self;
  1924.     char *str;
  1925.  
  1926. #if 0
  1927.     meth=SSLv23_client_method();
  1928.     meth=SSLv3_client_method();
  1929.     meth=SSLv2_client_method();
  1930. #endif
  1931.  
  1932.     self = PyObject_NEW(SSLObject, &SSL_Type); /* Create new object */
  1933.     if (self == NULL){
  1934.         PyErr_SetObject(SSLErrorObject,
  1935.                 PyString_FromString("newSSLObject error"));
  1936.         return NULL;
  1937.     }
  1938.     memset(self->server, NULL, sizeof(char) * 256);
  1939.     memset(self->issuer, NULL, sizeof(char) * 256);  
  1940.   
  1941.     self->x_attr = PyDict_New();
  1942.     self->ctx = SSL_CTX_new(SSLv23_method()); /* Set up context */
  1943.     if (self->ctx == NULL) {
  1944.         PyErr_SetObject(SSLErrorObject,
  1945.                 PyString_FromString("SSL_CTX_new error"));
  1946.         PyMem_DEL(self);
  1947.         return NULL;
  1948.     }
  1949.  
  1950.     if ( (key_file && !cert_file) || (!key_file && cert_file) )
  1951.     {
  1952.         PyErr_SetObject(SSLErrorObject,
  1953.               PyString_FromString(
  1954.             "Both the key & certificate files must be specified"));
  1955.         PyMem_DEL(self);
  1956.         return NULL;
  1957.     }
  1958.  
  1959.     if (key_file && cert_file)
  1960.     {
  1961.         if (SSL_CTX_use_PrivateKey_file(self->ctx, key_file,
  1962.                         SSL_FILETYPE_PEM) < 1)
  1963.         {
  1964.             PyErr_SetObject(SSLErrorObject,
  1965.                 PyString_FromString(
  1966.                   "SSL_CTX_use_PrivateKey_file error"));
  1967.             PyMem_DEL(self);
  1968.             return NULL;
  1969.         }
  1970.  
  1971.         if (SSL_CTX_use_certificate_chain_file(self->ctx,
  1972.                                cert_file) < 1)
  1973.         {
  1974.             PyErr_SetObject(SSLErrorObject,
  1975.                 PyString_FromString(
  1976.                   "SSL_CTX_use_certificate_chain_file error"));
  1977.             PyMem_DEL(self);
  1978.             return NULL;
  1979.         }
  1980.     }
  1981.  
  1982.     SSL_CTX_set_verify(self->ctx,
  1983.                SSL_VERIFY_NONE, NULL); /* set verify lvl */
  1984.     self->ssl = SSL_new(self->ctx); /* New ssl struct */
  1985.     SSL_set_fd(self->ssl, Sock->sock_fd);    /* Set the socket for SSL */
  1986.     SSL_set_connect_state(self->ssl);
  1987.  
  1988.     if ((SSL_connect(self->ssl)) == -1) {
  1989.         /* Actually negotiate SSL connection */
  1990.         PyErr_SetObject(SSLErrorObject,
  1991.                 PyString_FromString("SSL_connect error"));
  1992.         PyMem_DEL(self);
  1993.         return NULL;
  1994.     }
  1995.     self->ssl->debug = 1;
  1996.  
  1997.     if ((self->server_cert = SSL_get_peer_certificate(self->ssl))) {
  1998.         X509_NAME_oneline(X509_get_subject_name(self->server_cert),
  1999.                   self->server, 256);
  2000.         X509_NAME_oneline(X509_get_issuer_name(self->server_cert),
  2001.                   self->issuer, 256);
  2002.     }
  2003.     self->x_attr = NULL;
  2004.     self->Socket = Sock;
  2005.     Py_INCREF(self->Socket);
  2006.     return self;
  2007. }
  2008.  
  2009. /* This is the Python function called for new object initialization */
  2010. static PyObject *
  2011. BUILD_FUNC_DEF_2(PySocket_ssl, PyObject *, self, PyObject *, args)
  2012. {
  2013.     SSLObject *rv;
  2014.     PySocketSockObject *Sock;
  2015.     char *key_file;
  2016.     char *cert_file;
  2017.   
  2018.     if (!PyArg_ParseTuple(args, "O!zz:ssl",
  2019.                   &PySocketSock_Type, (PyObject*)&Sock,
  2020.                   &key_file, &cert_file) )
  2021.         return NULL;
  2022.   
  2023.     rv = newSSLObject(Sock, key_file, cert_file);
  2024.     if ( rv == NULL )
  2025.         return NULL;
  2026.     return (PyObject *)rv;
  2027. }
  2028.  
  2029. static char ssl_doc[] =
  2030. "ssl(socket, keyfile, certfile) -> sslobject";
  2031.  
  2032. static PyObject *
  2033. BUILD_FUNC_DEF_2(SSL_server, SSLObject *, self, PyObject *, args)
  2034. {
  2035.     return PyString_FromString(self->server);
  2036. }
  2037.  
  2038. static PyObject *
  2039. BUILD_FUNC_DEF_2(SSL_issuer, SSLObject *, self, PyObject *, args)
  2040. {
  2041.     return PyString_FromString(self->issuer);
  2042. }
  2043.  
  2044.  
  2045. /* SSL object methods */
  2046.  
  2047. static PyMethodDef SSLMethods[] = {
  2048.     { "write", (PyCFunction)SSL_SSLwrite, 1 },
  2049.     { "read", (PyCFunction)SSL_SSLread, 1 },
  2050.     { "server", (PyCFunction)SSL_server, 1 },
  2051.     { "issuer", (PyCFunction)SSL_issuer, 1 },
  2052.     { NULL, NULL}
  2053. };
  2054.  
  2055. static void SSL_dealloc(SSLObject *self)
  2056. {
  2057.     if (self->server_cert)    /* Possible not to have one? */
  2058.         X509_free (self->server_cert);
  2059.     SSL_CTX_free(self->ctx);
  2060.     SSL_free(self->ssl);
  2061.     Py_XDECREF(self->x_attr);
  2062.     Py_XDECREF(self->Socket);
  2063.     PyMem_DEL(self);
  2064. }
  2065.  
  2066. static PyObject *SSL_getattr(SSLObject *self, char *name)
  2067. {
  2068.     return Py_FindMethod(SSLMethods, (PyObject *)self, name);
  2069. }
  2070.  
  2071. staticforward PyTypeObject SSL_Type = {
  2072.     PyObject_HEAD_INIT(&PyType_Type)
  2073.     0,                /*ob_size*/
  2074.     "SSL",            /*tp_name*/
  2075.     sizeof(SSLObject),        /*tp_basicsize*/
  2076.     0,                /*tp_itemsize*/
  2077.     /* methods */
  2078.     (destructor)SSL_dealloc,    /*tp_dealloc*/
  2079.     0,                /*tp_print*/
  2080.     (getattrfunc)SSL_getattr,    /*tp_getattr*/
  2081.     0,                /*tp_setattr*/
  2082.     0,                /*tp_compare*/
  2083.     0,                /*tp_repr*/
  2084.     0,                /*tp_as_number*/
  2085.     0,                /*tp_as_sequence*/
  2086.     0,                /*tp_as_mapping*/
  2087.     0,                /*tp_hash*/
  2088. };
  2089.  
  2090.  
  2091.  
  2092. static PyObject *SSL_SSLwrite(SSLObject *self, PyObject *args)
  2093. {
  2094.     char *data;
  2095.     int len = 0;
  2096.   
  2097.     if (!PyArg_ParseTuple(args, "s|i:write", &data, &len))
  2098.         return NULL;
  2099.   
  2100.     if (!len)
  2101.         len = strlen(data);
  2102.   
  2103.     len = SSL_write(self->ssl, data, len);
  2104.     return PyInt_FromLong((long)len);
  2105. }
  2106.  
  2107. static PyObject *SSL_SSLread(SSLObject *self, PyObject *args)
  2108. {
  2109.     PyObject *buf;
  2110.     int count = 0;
  2111.     int len = 1024;
  2112.     int res;
  2113.   
  2114.     PyArg_ParseTuple(args, "|i:read", &len);
  2115.   
  2116.     if (!(buf = PyString_FromStringAndSize((char *) 0, len)))
  2117.         return NULL;    /* Error object should already be set */
  2118.   
  2119.     count = SSL_read(self->ssl, PyString_AsString(buf), len);
  2120.     res = SSL_get_error(self->ssl, count);
  2121.  
  2122.     switch (res) {
  2123.     case 0:            /* Good return value! */
  2124.         break;
  2125.     case 6:
  2126.         PyErr_SetString(SSLErrorObject, "EOF");
  2127.         Py_DECREF(buf);
  2128.         return NULL;
  2129.         break;
  2130.     case 5:
  2131.     default:
  2132.         return PyErr_SetFromErrno(SSLErrorObject);
  2133.         break;
  2134.     }
  2135.   
  2136.     fflush(stderr);
  2137.       
  2138.     if (count < 0) {
  2139.         Py_DECREF(buf);
  2140.         return PyErr_SetFromErrno(SSLErrorObject);
  2141.     }
  2142.   
  2143.     if (count != len && _PyString_Resize(&buf, count) < 0)
  2144.         return NULL;
  2145.     return buf;
  2146. }
  2147.  
  2148. #endif /* USE_SSL */
  2149.  
  2150.  
  2151. /* List of functions exported by this module. */
  2152.  
  2153. static PyMethodDef PySocket_methods[] = {
  2154.     {"gethostbyname",    PySocket_gethostbyname, 0, gethostbyname_doc},
  2155.     {"gethostbyname_ex",    PySocket_gethostbyname_ex, 0, ghbn_ex_doc},
  2156.     {"gethostbyaddr",    PySocket_gethostbyaddr, 0, gethostbyaddr_doc},
  2157.     {"gethostname",        PySocket_gethostname, 0, gethostname_doc},
  2158.     {"getservbyname",    PySocket_getservbyname, 0, getservbyname_doc},
  2159.     {"getprotobyname",    PySocket_getprotobyname, 0,getprotobyname_doc},
  2160.     {"socket",        PySocket_socket, 1, socket_doc},
  2161. #ifndef NO_DUP
  2162.     {"fromfd",        PySocket_fromfd, 1, fromfd_doc},
  2163. #endif
  2164.     {"ntohs",        PySocket_ntohs, 0, ntohs_doc},
  2165.     {"ntohl",        PySocket_ntohl, 0, ntohl_doc},
  2166.     {"htons",        PySocket_htons, 0, htons_doc},
  2167.     {"htonl",        PySocket_htonl, 0, htonl_doc},
  2168.     {"inet_aton",        PySocket_inet_aton, 0, inet_aton_doc},
  2169.     {"inet_ntoa",        PySocket_inet_ntoa, 0, inet_ntoa_doc},
  2170. #ifdef USE_SSL
  2171.     {"ssl",            PySocket_ssl, 1, ssl_doc},
  2172. #endif /* USE_SSL */
  2173.     {NULL,            NULL}         /* Sentinel */
  2174. };
  2175.  
  2176.  
  2177. /* Convenience routine to export an integer value.
  2178.  *
  2179.  * Errors are silently ignored, for better or for worse...
  2180.  */
  2181. static void
  2182. BUILD_FUNC_DEF_3(insint,PyObject *,d, char *,name, int,value)
  2183. {
  2184.     PyObject *v = PyInt_FromLong((long) value);
  2185.     if (!v || PyDict_SetItemString(d, name, v))
  2186.         PyErr_Clear();
  2187.  
  2188.     Py_XDECREF(v);
  2189. }
  2190.  
  2191.  
  2192. #ifdef MS_WINDOWS
  2193.  
  2194. /* Additional initialization and cleanup for NT/Windows */
  2195.  
  2196. static void
  2197. NTcleanup()
  2198. {
  2199.     WSACleanup();
  2200. }
  2201.  
  2202. static int
  2203. NTinit()
  2204. {
  2205.     WSADATA WSAData;
  2206.     int ret;
  2207.     char buf[100];
  2208.     ret = WSAStartup(0x0101, &WSAData);
  2209.     switch (ret) {
  2210.     case 0:    /* no error */
  2211.         atexit(NTcleanup);
  2212.         return 1;
  2213.     case WSASYSNOTREADY:
  2214.         PyErr_SetString(PyExc_ImportError,
  2215.                 "WSAStartup failed: network not ready");
  2216.         break;
  2217.     case WSAVERNOTSUPPORTED:
  2218.     case WSAEINVAL:
  2219.         PyErr_SetString(PyExc_ImportError,
  2220.             "WSAStartup failed: requested version not supported");
  2221.         break;
  2222.     default:
  2223.         sprintf(buf, "WSAStartup failed: error code %d", ret);
  2224.         PyErr_SetString(PyExc_ImportError, buf);
  2225.         break;
  2226.     }
  2227.     return 0;
  2228. }
  2229.  
  2230. #endif /* MS_WINDOWS */
  2231.  
  2232. #if defined(PYOS_OS2)
  2233.  
  2234. /* Additional initialization and cleanup for OS/2 */
  2235.  
  2236. static void
  2237. OS2cleanup()
  2238. {
  2239.     /* No cleanup is necessary for OS/2 Sockets */
  2240. }
  2241.  
  2242. static int
  2243. OS2init()
  2244. {
  2245.     char reason[64];
  2246.     int rc = sock_init();
  2247.  
  2248.     if (rc == 0) {
  2249.         atexit(OS2cleanup);
  2250.         return 1; /* Indicate Success */
  2251.     }
  2252.  
  2253.     sprintf(reason, "OS/2 TCP/IP Error# %d", sock_errno());
  2254.     PyErr_SetString(PyExc_ImportError, reason);
  2255.  
  2256.     return 0;  /* Indicate Failure */
  2257. }
  2258.  
  2259. #endif /* PYOS_OS2 */
  2260.  
  2261. /* Initialize this module.
  2262.  *   This is called when the first 'import socket' is done,
  2263.  *   via a table in config.c, if config.c is compiled with USE_SOCKET
  2264.  *   defined.
  2265.  *
  2266.  *   For MS_WINDOWS (which means any Windows variant), this module
  2267.  *   is actually called "_socket", and there's a wrapper "socket.py"
  2268.  *   which implements some missing functionality (such as makefile(),
  2269.  *   dup() and fromfd()).  The import of "_socket" may fail with an
  2270.  *   ImportError exception if initialization of WINSOCK fails.  When
  2271.  *   WINSOCK is initialized succesfully, a call to WSACleanup() is
  2272.  *   scheduled to be made at exit time.
  2273.  *
  2274.  *   For OS/2, this module is also called "_socket" and uses a wrapper
  2275.  *   "socket.py" which implements that functionality that is missing
  2276.  *   when PC operating systems don't put socket descriptors in the
  2277.  *   operating system's filesystem layer.
  2278.  */
  2279.  
  2280. static char module_doc[] =
  2281. "This module provides socket operations and some related functions.\n\
  2282. On Unix, it supports IP (Internet Protocol) and Unix domain sockets.\n\
  2283. On other systems, it only supports IP.\n\
  2284. \n\
  2285. Functions:\n\
  2286. \n\
  2287. socket() -- create a new socket object\n\
  2288. fromfd() -- create a socket object from an open file descriptor (*)\n\
  2289. gethostname() -- return the current hostname\n\
  2290. gethostbyname() -- map a hostname to its IP number\n\
  2291. gethostbyaddr() -- map an IP number or hostname to DNS info\n\
  2292. getservbyname() -- map a service name and a protocol name to a port number\n\
  2293. getprotobyname() -- mape a protocol name (e.g. 'tcp') to a number\n\
  2294. ntohs(), ntohl() -- convert 16, 32 bit int from network to host byte order\n\
  2295. htons(), htonl() -- convert 16, 32 bit int from host to network byte order\n\
  2296. inet_aton() -- convert IP addr string (123.45.67.89) to 32-bit packed format\n\
  2297. inet_ntoa() -- convert 32-bit packed format IP to string (123.45.67.89)\n\
  2298. ssl() -- secure socket layer support (only available if configured)\n\
  2299. \n\
  2300. (*) not available on all platforms!)\n\
  2301. \n\
  2302. Special objects:\n\
  2303. \n\
  2304. SocketType -- type object for socket objects\n\
  2305. error -- exception raised for I/O errors\n\
  2306. \n\
  2307. Integer constants:\n\
  2308. \n\
  2309. AF_INET, AF_UNIX -- socket domains (first argument to socket() call)\n\
  2310. SOCK_STREAM, SOCK_DGRAM, SOCK_RAW -- socket types (second argument)\n\
  2311. \n\
  2312. Many other constants may be defined; these may be used in calls to\n\
  2313. the setsockopt() and getsockopt() methods.\n\
  2314. ";
  2315.  
  2316. static char sockettype_doc[] =
  2317. "A socket represents one endpoint of a network connection.\n\
  2318. \n\
  2319. Methods:\n\
  2320. \n\
  2321. accept() -- accept a connection, returning new socket and client address\n\
  2322. bind() -- bind the socket to a local address\n\
  2323. close() -- close the socket\n\
  2324. connect() -- connect the socket to a remote address\n\
  2325. connect_ex() -- connect, return an error code instead of an exception \n\
  2326. dup() -- return a new socket object identical to the current one (*)\n\
  2327. fileno() -- return underlying file descriptor\n\
  2328. getpeername() -- return remote address (*)\n\
  2329. getsockname() -- return local address\n\
  2330. getsockopt() -- get socket options\n\
  2331. listen() -- start listening for incoming connections\n\
  2332. makefile() -- return a file object corresponding tot the socket (*)\n\
  2333. recv() -- receive data\n\
  2334. recvfrom() -- receive data and sender's address\n\
  2335. send() -- send data\n\
  2336. sendto() -- send data to a given address\n\
  2337. setblocking() -- set or clear the blocking I/O flag\n\
  2338. setsockopt() -- set socket options\n\
  2339. shutdown() -- shut down traffic in one or both directions\n\
  2340. \n\
  2341. (*) not available on all platforms!)";
  2342.  
  2343. DL_EXPORT(void)
  2344. #if defined(MS_WINDOWS) || defined(PYOS_OS2) || defined(__BEOS__)
  2345. init_socket()
  2346. #else
  2347. initsocket()
  2348. #endif
  2349. {
  2350.     PyObject *m, *d;
  2351. #ifdef MS_WINDOWS
  2352.     if (!NTinit())
  2353.         return;
  2354.     m = Py_InitModule3("_socket", PySocket_methods, module_doc);
  2355. #else
  2356. #if defined(__TOS_OS2__)
  2357.     if (!OS2init())
  2358.         return;
  2359.     m = Py_InitModule3("_socket", PySocket_methods, module_doc);
  2360. #else
  2361. #if defined(__BEOS__)
  2362.     m = Py_InitModule3("_socket", PySocket_methods, module_doc);
  2363. #else
  2364.     m = Py_InitModule3("socket", PySocket_methods, module_doc);
  2365. #endif /* __BEOS__ */
  2366. #endif
  2367. #endif
  2368.     d = PyModule_GetDict(m);
  2369.     PySocket_Error = PyErr_NewException("socket.error", NULL, NULL);
  2370.     if (PySocket_Error == NULL)
  2371.         return;
  2372. #ifdef USE_SSL
  2373.     SSL_load_error_strings();
  2374.     SSLeay_add_ssl_algorithms();
  2375.     SSLErrorObject = PyErr_NewException("socket.sslerror", NULL, NULL);
  2376.     if (SSLErrorObject == NULL)
  2377.         return;
  2378.     PyDict_SetItemString(d, "sslerror", SSLErrorObject);
  2379.     Py_INCREF(&SSL_Type);
  2380.     if (PyDict_SetItemString(d, "SSLType",
  2381.                  (PyObject *)&SSL_Type) != 0)
  2382.         return;
  2383. #endif /* USE_SSL */
  2384.     PyDict_SetItemString(d, "error", PySocket_Error);
  2385.     PySocketSock_Type.ob_type = &PyType_Type;
  2386.     PySocketSock_Type.tp_doc = sockettype_doc;
  2387.     Py_INCREF(&PySocketSock_Type);
  2388.     if (PyDict_SetItemString(d, "SocketType",
  2389.                  (PyObject *)&PySocketSock_Type) != 0)
  2390.         return;
  2391.  
  2392.     /* Address families (we only support AF_INET and AF_UNIX) */
  2393. #ifdef AF_UNSPEC
  2394.     insint(d, "AF_UNSPEC", AF_UNSPEC);
  2395. #endif
  2396.     insint(d, "AF_INET", AF_INET);
  2397. #ifdef AF_UNIX
  2398.     insint(d, "AF_UNIX", AF_UNIX);
  2399. #endif /* AF_UNIX */
  2400. #ifdef AF_AX25
  2401.     insint(d, "AF_AX25", AF_AX25); /* Amateur Radio AX.25 */
  2402. #endif
  2403. #ifdef AF_IPX
  2404.     insint(d, "AF_IPX", AF_IPX); /* Novell IPX */
  2405. #endif
  2406. #ifdef AF_APPLETALK
  2407.     insint(d, "AF_APPLETALK", AF_APPLETALK); /* Appletalk DDP */
  2408. #endif
  2409. #ifdef AF_NETROM
  2410.     insint(d, "AF_NETROM", AF_NETROM); /* Amateur radio NetROM */
  2411. #endif
  2412. #ifdef AF_BRIDGE
  2413.     insint(d, "AF_BRIDGE", AF_BRIDGE); /* Multiprotocol bridge */
  2414. #endif
  2415. #ifdef AF_AAL5
  2416.     insint(d, "AF_AAL5", AF_AAL5); /* Reserved for Werner's ATM */
  2417. #endif
  2418. #ifdef AF_X25
  2419.     insint(d, "AF_X25", AF_X25); /* Reserved for X.25 project */
  2420. #endif
  2421. #ifdef AF_INET6
  2422.     insint(d, "AF_INET6", AF_INET6); /* IP version 6 */
  2423. #endif
  2424. #ifdef AF_ROSE
  2425.     insint(d, "AF_ROSE", AF_ROSE); /* Amateur Radio X.25 PLP */
  2426. #endif
  2427.  
  2428.     /* Socket types */
  2429.     insint(d, "SOCK_STREAM", SOCK_STREAM);
  2430.     insint(d, "SOCK_DGRAM", SOCK_DGRAM);
  2431. #ifndef __BEOS__
  2432. /* We have incomplete socket support. */
  2433.     insint(d, "SOCK_RAW", SOCK_RAW);
  2434.     insint(d, "SOCK_SEQPACKET", SOCK_SEQPACKET);
  2435.     insint(d, "SOCK_RDM", SOCK_RDM);
  2436. #endif
  2437.  
  2438. #ifdef    SO_DEBUG
  2439.     insint(d, "SO_DEBUG", SO_DEBUG);
  2440. #endif
  2441. #ifdef    SO_ACCEPTCONN
  2442.     insint(d, "SO_ACCEPTCONN", SO_ACCEPTCONN);
  2443. #endif
  2444. #ifdef    SO_REUSEADDR
  2445.     insint(d, "SO_REUSEADDR", SO_REUSEADDR);
  2446. #endif
  2447. #ifdef    SO_KEEPALIVE
  2448.     insint(d, "SO_KEEPALIVE", SO_KEEPALIVE);
  2449. #endif
  2450. #ifdef    SO_DONTROUTE
  2451.     insint(d, "SO_DONTROUTE", SO_DONTROUTE);
  2452. #endif
  2453. #ifdef    SO_BROADCAST
  2454.     insint(d, "SO_BROADCAST", SO_BROADCAST);
  2455. #endif
  2456. #ifdef    SO_USELOOPBACK
  2457.     insint(d, "SO_USELOOPBACK", SO_USELOOPBACK);
  2458. #endif
  2459. #ifdef    SO_LINGER
  2460.     insint(d, "SO_LINGER", SO_LINGER);
  2461. #endif
  2462. #ifdef    SO_OOBINLINE
  2463.     insint(d, "SO_OOBINLINE", SO_OOBINLINE);
  2464. #endif
  2465. #ifdef    SO_REUSEPORT
  2466.     insint(d, "SO_REUSEPORT", SO_REUSEPORT);
  2467. #endif
  2468. #ifdef    SO_SNDBUF
  2469.     insint(d, "SO_SNDBUF", SO_SNDBUF);
  2470. #endif
  2471. #ifdef    SO_RCVBUF
  2472.     insint(d, "SO_RCVBUF", SO_RCVBUF);
  2473. #endif
  2474. #ifdef    SO_SNDLOWAT
  2475.     insint(d, "SO_SNDLOWAT", SO_SNDLOWAT);
  2476. #endif
  2477. #ifdef    SO_RCVLOWAT
  2478.     insint(d, "SO_RCVLOWAT", SO_RCVLOWAT);
  2479. #endif
  2480. #ifdef    SO_SNDTIMEO
  2481.     insint(d, "SO_SNDTIMEO", SO_SNDTIMEO);
  2482. #endif
  2483. #ifdef    SO_RCVTIMEO
  2484.     insint(d, "SO_RCVTIMEO", SO_RCVTIMEO);
  2485. #endif
  2486. #ifdef    SO_ERROR
  2487.     insint(d, "SO_ERROR", SO_ERROR);
  2488. #endif
  2489. #ifdef    SO_TYPE
  2490.     insint(d, "SO_TYPE", SO_TYPE);
  2491. #endif
  2492.  
  2493.     /* Maximum number of connections for "listen" */
  2494. #ifdef    SOMAXCONN
  2495.     insint(d, "SOMAXCONN", SOMAXCONN);
  2496. #else
  2497.     insint(d, "SOMAXCONN", 5);    /* Common value */
  2498. #endif
  2499.  
  2500.     /* Flags for send, recv */
  2501. #ifdef    MSG_OOB
  2502.     insint(d, "MSG_OOB", MSG_OOB);
  2503. #endif
  2504. #ifdef    MSG_PEEK
  2505.     insint(d, "MSG_PEEK", MSG_PEEK);
  2506. #endif
  2507. #ifdef    MSG_DONTROUTE
  2508.     insint(d, "MSG_DONTROUTE", MSG_DONTROUTE);
  2509. #endif
  2510. #ifdef    MSG_EOR
  2511.     insint(d, "MSG_EOR", MSG_EOR);
  2512. #endif
  2513. #ifdef    MSG_TRUNC
  2514.     insint(d, "MSG_TRUNC", MSG_TRUNC);
  2515. #endif
  2516. #ifdef    MSG_CTRUNC
  2517.     insint(d, "MSG_CTRUNC", MSG_CTRUNC);
  2518. #endif
  2519. #ifdef    MSG_WAITALL
  2520.     insint(d, "MSG_WAITALL", MSG_WAITALL);
  2521. #endif
  2522. #ifdef    MSG_BTAG
  2523.     insint(d, "MSG_BTAG", MSG_BTAG);
  2524. #endif
  2525. #ifdef    MSG_ETAG
  2526.     insint(d, "MSG_ETAG", MSG_ETAG);
  2527. #endif
  2528.  
  2529.     /* Protocol level and numbers, usable for [gs]etsockopt */
  2530. #ifdef    SOL_SOCKET
  2531.     insint(d, "SOL_SOCKET", SOL_SOCKET);
  2532. #endif
  2533. #ifdef    SOL_IP
  2534.     insint(d, "SOL_IP", SOL_IP);
  2535. #else
  2536.     insint(d, "SOL_IP", 0);
  2537. #endif
  2538. #ifdef    SOL_IPX
  2539.     insint(d, "SOL_IPX", SOL_IPX);
  2540. #endif
  2541. #ifdef    SOL_AX25
  2542.     insint(d, "SOL_AX25", SOL_AX25);
  2543. #endif
  2544. #ifdef    SOL_ATALK
  2545.     insint(d, "SOL_ATALK", SOL_ATALK);
  2546. #endif
  2547. #ifdef    SOL_NETROM
  2548.     insint(d, "SOL_NETROM", SOL_NETROM);
  2549. #endif
  2550. #ifdef    SOL_ROSE
  2551.     insint(d, "SOL_ROSE", SOL_ROSE);
  2552. #endif
  2553. #ifdef    SOL_TCP
  2554.     insint(d, "SOL_TCP", SOL_TCP);
  2555. #else
  2556.     insint(d, "SOL_TCP", 6);
  2557. #endif
  2558. #ifdef    SOL_UDP
  2559.     insint(d, "SOL_UDP", SOL_UDP);
  2560. #else
  2561.     insint(d, "SOL_UDP", 17);
  2562. #endif
  2563. #ifdef    IPPROTO_IP
  2564.     insint(d, "IPPROTO_IP", IPPROTO_IP);
  2565. #else
  2566.     insint(d, "IPPROTO_IP", 0);
  2567. #endif
  2568. #ifdef    IPPROTO_ICMP
  2569.     insint(d, "IPPROTO_ICMP", IPPROTO_ICMP);
  2570. #else
  2571.     insint(d, "IPPROTO_ICMP", 1);
  2572. #endif
  2573. #ifdef    IPPROTO_IGMP
  2574.     insint(d, "IPPROTO_IGMP", IPPROTO_IGMP);
  2575. #endif
  2576. #ifdef    IPPROTO_GGP
  2577.     insint(d, "IPPROTO_GGP", IPPROTO_GGP);
  2578. #endif
  2579. #ifdef    IPPROTO_TCP
  2580.     insint(d, "IPPROTO_TCP", IPPROTO_TCP);
  2581. #else
  2582.     insint(d, "IPPROTO_TCP", 6);
  2583. #endif
  2584. #ifdef    IPPROTO_EGP
  2585.     insint(d, "IPPROTO_EGP", IPPROTO_EGP);
  2586. #endif
  2587. #ifdef    IPPROTO_PUP
  2588.     insint(d, "IPPROTO_PUP", IPPROTO_PUP);
  2589. #endif
  2590. #ifdef    IPPROTO_UDP
  2591.     insint(d, "IPPROTO_UDP", IPPROTO_UDP);
  2592. #else
  2593.     insint(d, "IPPROTO_UDP", 17);
  2594. #endif
  2595. #ifdef    IPPROTO_IDP
  2596.     insint(d, "IPPROTO_IDP", IPPROTO_IDP);
  2597. #endif
  2598. #ifdef    IPPROTO_HELLO
  2599.     insint(d, "IPPROTO_HELLO", IPPROTO_HELLO);
  2600. #endif
  2601. #ifdef    IPPROTO_ND
  2602.     insint(d, "IPPROTO_ND", IPPROTO_ND);
  2603. #endif
  2604. #ifdef    IPPROTO_TP
  2605.     insint(d, "IPPROTO_TP", IPPROTO_TP);
  2606. #endif
  2607. #ifdef    IPPROTO_XTP
  2608.     insint(d, "IPPROTO_XTP", IPPROTO_XTP);
  2609. #endif
  2610. #ifdef    IPPROTO_EON
  2611.     insint(d, "IPPROTO_EON", IPPROTO_EON);
  2612. #endif
  2613. #ifdef    IPPROTO_BIP
  2614.     insint(d, "IPPROTO_BIP", IPPROTO_BIP);
  2615. #endif
  2616. /**/
  2617. #ifdef    IPPROTO_RAW
  2618.     insint(d, "IPPROTO_RAW", IPPROTO_RAW);
  2619. #else
  2620.     insint(d, "IPPROTO_RAW", 255);
  2621. #endif
  2622. #ifdef    IPPROTO_MAX
  2623.     insint(d, "IPPROTO_MAX", IPPROTO_MAX);
  2624. #endif
  2625.  
  2626.     /* Some port configuration */
  2627. #ifdef    IPPORT_RESERVED
  2628.     insint(d, "IPPORT_RESERVED", IPPORT_RESERVED);
  2629. #else
  2630.     insint(d, "IPPORT_RESERVED", 1024);
  2631. #endif
  2632. #ifdef    IPPORT_USERRESERVED
  2633.     insint(d, "IPPORT_USERRESERVED", IPPORT_USERRESERVED);
  2634. #else
  2635.     insint(d, "IPPORT_USERRESERVED", 5000);
  2636. #endif
  2637.  
  2638.     /* Some reserved IP v.4 addresses */
  2639. #ifdef    INADDR_ANY
  2640.     insint(d, "INADDR_ANY", INADDR_ANY);
  2641. #else
  2642.     insint(d, "INADDR_ANY", 0x00000000);
  2643. #endif
  2644. #ifdef    INADDR_BROADCAST
  2645.     insint(d, "INADDR_BROADCAST", INADDR_BROADCAST);
  2646. #else
  2647.     insint(d, "INADDR_BROADCAST", 0xffffffff);
  2648. #endif
  2649. #ifdef    INADDR_LOOPBACK
  2650.     insint(d, "INADDR_LOOPBACK", INADDR_LOOPBACK);
  2651. #else
  2652.     insint(d, "INADDR_LOOPBACK", 0x7F000001);
  2653. #endif
  2654. #ifdef    INADDR_UNSPEC_GROUP
  2655.     insint(d, "INADDR_UNSPEC_GROUP", INADDR_UNSPEC_GROUP);
  2656. #else
  2657.     insint(d, "INADDR_UNSPEC_GROUP", 0xe0000000);
  2658. #endif
  2659. #ifdef    INADDR_ALLHOSTS_GROUP
  2660.     insint(d, "INADDR_ALLHOSTS_GROUP", INADDR_ALLHOSTS_GROUP);
  2661. #else
  2662.     insint(d, "INADDR_ALLHOSTS_GROUP", 0xe0000001);
  2663. #endif
  2664. #ifdef    INADDR_MAX_LOCAL_GROUP
  2665.     insint(d, "INADDR_MAX_LOCAL_GROUP", INADDR_MAX_LOCAL_GROUP);
  2666. #else
  2667.     insint(d, "INADDR_MAX_LOCAL_GROUP", 0xe00000ff);
  2668. #endif
  2669. #ifdef    INADDR_NONE
  2670.     insint(d, "INADDR_NONE", INADDR_NONE);
  2671. #else
  2672.     insint(d, "INADDR_NONE", 0xffffffff);
  2673. #endif
  2674.  
  2675.     /* IP [gs]etsockopt options */
  2676. #ifdef    IP_OPTIONS
  2677.     insint(d, "IP_OPTIONS", IP_OPTIONS);
  2678. #endif
  2679. #ifdef    IP_HDRINCL
  2680.     insint(d, "IP_HDRINCL", IP_HDRINCL);
  2681. #endif
  2682. #ifdef    IP_TOS
  2683.     insint(d, "IP_TOS", IP_TOS);
  2684. #endif
  2685. #ifdef    IP_TTL
  2686.     insint(d, "IP_TTL", IP_TTL);
  2687. #endif
  2688. #ifdef    IP_RECVOPTS
  2689.     insint(d, "IP_RECVOPTS", IP_RECVOPTS);
  2690. #endif
  2691. #ifdef    IP_RECVRETOPTS
  2692.     insint(d, "IP_RECVRETOPTS", IP_RECVRETOPTS);
  2693. #endif
  2694. #ifdef    IP_RECVDSTADDR
  2695.     insint(d, "IP_RECVDSTADDR", IP_RECVDSTADDR);
  2696. #endif
  2697. #ifdef    IP_RETOPTS
  2698.     insint(d, "IP_RETOPTS", IP_RETOPTS);
  2699. #endif
  2700. #ifdef    IP_MULTICAST_IF
  2701.     insint(d, "IP_MULTICAST_IF", IP_MULTICAST_IF);
  2702. #endif
  2703. #ifdef    IP_MULTICAST_TTL
  2704.     insint(d, "IP_MULTICAST_TTL", IP_MULTICAST_TTL);
  2705. #endif
  2706. #ifdef    IP_MULTICAST_LOOP
  2707.     insint(d, "IP_MULTICAST_LOOP", IP_MULTICAST_LOOP);
  2708. #endif
  2709. #ifdef    IP_ADD_MEMBERSHIP
  2710.     insint(d, "IP_ADD_MEMBERSHIP", IP_ADD_MEMBERSHIP);
  2711. #endif
  2712. #ifdef    IP_DROP_MEMBERSHIP
  2713.     insint(d, "IP_DROP_MEMBERSHIP", IP_DROP_MEMBERSHIP);
  2714. #endif
  2715. #ifdef    IP_DEFAULT_MULTICAST_TTL
  2716.     insint(d, "IP_DEFAULT_MULTICAST_TTL", IP_DEFAULT_MULTICAST_TTL);
  2717. #endif
  2718. #ifdef    IP_DEFAULT_MULTICAST_LOOP
  2719.     insint(d, "IP_DEFAULT_MULTICAST_LOOP", IP_DEFAULT_MULTICAST_LOOP);
  2720. #endif
  2721. #ifdef    IP_MAX_MEMBERSHIPS
  2722.     insint(d, "IP_MAX_MEMBERSHIPS", IP_MAX_MEMBERSHIPS);
  2723. #endif
  2724.  
  2725.     /* TCP options */
  2726. #ifdef    TCP_NODELAY
  2727.     insint(d, "TCP_NODELAY", TCP_NODELAY);
  2728. #endif
  2729. #ifdef    TCP_MAXSEG
  2730.     insint(d, "TCP_MAXSEG", TCP_MAXSEG);
  2731. #endif
  2732.  
  2733.     /* IPX options */
  2734. #ifdef    IPX_TYPE
  2735.     insint(d, "IPX_TYPE", IPX_TYPE);
  2736. #endif
  2737.  
  2738.     /* Initialize gethostbyname lock */
  2739. #ifdef USE_GETHOSTBYNAME_LOCK
  2740.     gethostbyname_lock = PyThread_allocate_lock();
  2741. #endif
  2742. }
  2743.