/greennet/__init__.py

https://github.com/dhain/greennet · Python · 360 lines · 316 code · 23 blank · 21 comment · 7 complexity · 1f9051bd1fccf850e5bb0e26fad8ac0a MD5 · raw file

  1. import os
  2. import sys
  3. import time
  4. import errno
  5. import socket
  6. from py.magic import greenlet
  7. from greennet.hub import Hub, Timeout
  8. from greennet.util import prefixes
  9. try:
  10. from greennet import ssl
  11. except ImportError:
  12. ssl = None
  13. class ConnectionLost(Exception):
  14. """Connection was terminated."""
  15. pass
  16. try:
  17. import threading
  18. _hubs = threading.local()
  19. def get_hub():
  20. """Return the Hub instance for this thread."""
  21. global _hubs
  22. try:
  23. return _hubs.hub
  24. except AttributeError:
  25. _hubs.hub = Hub()
  26. return _hubs.hub
  27. except ImportError:
  28. _hub = None
  29. def get_hub():
  30. """Return the global Hub instance."""
  31. global _hub
  32. if _hub is None:
  33. _hub = Hub()
  34. return _hub
  35. def schedule(task, *args, **kwargs):
  36. """Schedule a task to be run during the next iteration of the loop."""
  37. get_hub().schedule(task, *args, **kwargs)
  38. def switch():
  39. """Reschedule the current task, and run the event-loop."""
  40. get_hub().switch()
  41. def run():
  42. """Run the event loop.
  43. This will only return when there is nothing more scheduled to run.
  44. """
  45. get_hub().run()
  46. def sleep(timeout):
  47. """Suspend the current task for the specified number of seconds."""
  48. get_hub().sleep(timeout)
  49. def call_later(task, timeout, *args, **kwargs):
  50. """Run the task after the specified number of seconds."""
  51. get_hub().call_later(task, timeout, *args, **kwargs)
  52. def readable(obj, timeout=None):
  53. """Suspend the current task until the selectable-object is readable."""
  54. get_hub().poll(obj, read=True, timeout=timeout)
  55. def writeable(obj, timeout=None):
  56. """Suspend the current task until the selectable-object is writable."""
  57. get_hub().poll(obj, write=True, timeout=timeout)
  58. def connect(sock, addr, timeout=None):
  59. """Connect a socket to the specified address.
  60. Suspends the current task until the connection is established.
  61. >>> import socket
  62. >>> s1 = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
  63. >>> s2 = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
  64. >>> s2.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
  65. >>> s2.bind(('127.0.0.1', 12345))
  66. >>> s2.listen(1)
  67. >>> connect(s1, ('127.0.0.1', 12345))
  68. >>> s3 = s2.accept()[0]
  69. >>> s1.send('some data')
  70. 9
  71. >>> s3.recv(9)
  72. 'some data'
  73. >>> s3.close()
  74. >>> s1.close()
  75. >>> s2.close()
  76. """
  77. sock_timeout = sock.gettimeout()
  78. if sock_timeout != 0.0:
  79. sock.setblocking(False)
  80. try:
  81. while True:
  82. try:
  83. sock.connect(addr)
  84. return
  85. except socket.error, err:
  86. if ((err.args[0] == errno.EINPROGRESS) or
  87. ((sys.platform == 'win32') and
  88. (err.args[0] == errno.WSAEWOULDBLOCK))):
  89. break
  90. elif err.args[0] != errno.EINTR:
  91. raise
  92. if sys.platform == 'win32':
  93. get_hub().poll(sock, write=True, exc=True, timeout=timeout)
  94. else:
  95. writeable(sock, timeout=timeout)
  96. err = sock.getsockopt(socket.SOL_SOCKET, socket.SO_ERROR)
  97. if err != 0:
  98. raise socket.error(err, os.strerror(err))
  99. finally:
  100. if sock_timeout != 0.0:
  101. sock.settimeout(sock_timeout)
  102. def accept(sock, timeout=None):
  103. """Accept a connection on the given socket.
  104. >>> import socket
  105. >>> s1 = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
  106. >>> s2 = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
  107. >>> s2.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
  108. >>> s2.bind(('127.0.0.1', 12345))
  109. >>> s2.listen(1)
  110. >>> accept(s2, 0)
  111. Traceback (most recent call last):
  112. ...
  113. Timeout
  114. >>> connect(s1, ('127.0.0.1', 12345))
  115. >>> s3 = accept(s2)[0]
  116. >>> s1.send('some data')
  117. 9
  118. >>> s3.recv(9)
  119. 'some data'
  120. >>> s3.close()
  121. >>> s1.close()
  122. >>> s2.close()
  123. """
  124. readable(sock, timeout=timeout)
  125. return sock.accept()
  126. def send(sock, data, timeout=None):
  127. """Send some data on the given socket.
  128. >>> import socket
  129. >>> s1, s2 = socket.socketpair()
  130. >>> send(s1, 'some data')
  131. 9
  132. >>> s2.recv(9)
  133. 'some data'
  134. >>> s1.close()
  135. >>> s2.close()
  136. """
  137. writeable(sock, timeout=timeout)
  138. return sock.send(data)
  139. def recv(sock, bufsize, flags=0, timeout=None):
  140. """Receive some data from the given socket.
  141. >>> import socket
  142. >>> s1, s2 = socket.socketpair()
  143. >>> recv(s2, 1, timeout=0)
  144. Traceback (most recent call last):
  145. ...
  146. Timeout
  147. >>> s1.send('some data')
  148. 9
  149. >>> recv(s2, 4, socket.MSG_PEEK)
  150. 'some'
  151. >>> recv(s2, 9)
  152. 'some data'
  153. >>> s1.close()
  154. >>> s2.close()
  155. """
  156. readable(sock, timeout=timeout)
  157. return sock.recv(bufsize, flags)
  158. def sendall(sock, data, timeout=None):
  159. """Send all data on the given socket.
  160. >>> import socket
  161. >>> s1, s2 = socket.socketpair()
  162. >>> sendall(s1, 'some data')
  163. >>> s2.recv(9)
  164. 'some data'
  165. >>> s1.close()
  166. >>> s2.close()
  167. """
  168. if ssl and isinstance(sock, ssl.peekable):
  169. _send = ssl.send
  170. else:
  171. _send = send
  172. if timeout is not None:
  173. end = time.time() + timeout
  174. while data:
  175. data = data[_send(sock, data, timeout):]
  176. if timeout is not None:
  177. timeout = end - time.time()
  178. def recv_bytes(sock, n, bufsize=None, timeout=None):
  179. """Receive specified number of bytes from socket.
  180. Generator yields data as it becomes available.
  181. Raises ConnectionLost if the connection is terminated before the
  182. specified number of bytes is read.
  183. >>> import socket
  184. >>> s1, s2 = socket.socketpair()
  185. >>> list(recv_bytes(s1, 9, timeout=0))
  186. Traceback (most recent call last):
  187. ...
  188. Timeout
  189. >>> s2.send('some data')
  190. 9
  191. >>> list(recv_bytes(s1, 9))
  192. ['some data']
  193. >>> s2.send('some data')
  194. 9
  195. >>> list(recv_bytes(s1, 9, 4))
  196. ['some', ' dat', 'a']
  197. >>> s1.close()
  198. >>> s2.close()
  199. """
  200. if ssl and isinstance(sock, ssl.peekable):
  201. _recv = ssl.recv
  202. else:
  203. _recv = recv
  204. if bufsize is None:
  205. bufsize = sock.getsockopt(socket.SOL_SOCKET, socket.SO_RCVBUF)
  206. if timeout is not None:
  207. end = time.time() + timeout
  208. while n:
  209. data = _recv(sock, min(n, bufsize), timeout=timeout)
  210. if not data:
  211. raise ConnectionLost()
  212. yield data
  213. n -= len(data)
  214. if timeout is not None:
  215. timeout = end - time.time()
  216. def recv_until(sock, term, bufsize=None, timeout=None):
  217. """Receive from socket until the specified terminator.
  218. Generator yields data as it becomes available.
  219. Raises ConnectionLost if the connection is terminated before the
  220. terminator is encountered.
  221. >>> import socket
  222. >>> s1, s2 = socket.socketpair()
  223. >>> list(recv_until(s1, 'at', timeout=0))
  224. Traceback (most recent call last):
  225. ...
  226. Timeout
  227. >>> s2.send('some data')
  228. 9
  229. >>> list(recv_until(s1, 'at'))
  230. ['some dat']
  231. >>> s1.recv(1)
  232. 'a'
  233. >>> s2.send('some data')
  234. 9
  235. >>> list(recv_until(s1, 'at', 4))
  236. ['some', ' dat']
  237. >>> s1.recv(1)
  238. 'a'
  239. >>> s1.close()
  240. >>> s2.close()
  241. """
  242. if ssl and isinstance(sock, ssl.peekable):
  243. _recv = ssl.recv
  244. else:
  245. _recv = recv
  246. if bufsize is None:
  247. bufsize = sock.getsockopt(socket.SOL_SOCKET, socket.SO_RCVBUF)
  248. if timeout is not None:
  249. end = time.time() + timeout
  250. assert bufsize >= len(term)
  251. while True:
  252. data = _recv(sock, bufsize, socket.MSG_PEEK, timeout=timeout)
  253. if not data:
  254. raise ConnectionLost()
  255. test = data.find(term)
  256. if test > -1:
  257. data = sock.recv(test + len(term))
  258. yield data
  259. break
  260. for p in prefixes(term):
  261. if data.endswith(p):
  262. seen = len(data) - len(p)
  263. if seen:
  264. data = sock.recv(seen)
  265. yield data
  266. break
  267. else:
  268. data = sock.recv(len(data))
  269. yield data
  270. if timeout is not None:
  271. timeout = end - time.time()
  272. def recv_until_maxlen(sock, term, maxlen, exc_type,
  273. bufsize=None, timeout=None):
  274. """Like recv_until, but if the terminator is not encountered within a
  275. given number of bytes, raises the given exception.
  276. >>> import socket
  277. >>> s1, s2 = socket.socketpair()
  278. >>> list(recv_until_maxlen(s1, 'at', 9, RuntimeError, timeout=0))
  279. Traceback (most recent call last):
  280. ...
  281. Timeout
  282. >>> s2.send('some data')
  283. 9
  284. >>> list(recv_until_maxlen(s1, 'at', 9, RuntimeError))
  285. ['some dat']
  286. >>> s1.recv(1)
  287. 'a'
  288. >>> s2.send('some data')
  289. 9
  290. >>> list(recv_until_maxlen(s1, 'at', 9, RuntimeError, 4))
  291. ['some', ' dat']
  292. >>> s1.recv(1)
  293. 'a'
  294. >>> s2.send('some data')
  295. 9
  296. >>> list(recv_until_maxlen(s1, 'at', 4, RuntimeError))
  297. Traceback (most recent call last):
  298. ...
  299. RuntimeError
  300. >>> s1.close()
  301. >>> s2.close()
  302. """
  303. sofar = 0
  304. for data in recv_until(sock, term, bufsize, timeout):
  305. sofar += len(data)
  306. if sofar > maxlen:
  307. raise exc_type()
  308. yield data