Add 'apps/arv-web/' from commit 'f9732ad8460d013c2f28363655d0d1b91894dca5'
[arvados.git] / sdk / python / arvados / events.py
1 from ws4py.client.threadedclient import WebSocketClient
2 import threading
3 import json
4 import os
5 import time
6 import ssl
7 import re
8 import config
9 import logging
10 import arvados
11
12 _logger = logging.getLogger('arvados.events')
13
14 class EventClient(WebSocketClient):
15     def __init__(self, url, filters, on_event):
16         ssl_options = None
17         if re.match(r'(?i)^(true|1|yes)$',
18                     config.get('ARVADOS_API_HOST_INSECURE', 'no')):
19             ssl_options={'cert_reqs': ssl.CERT_NONE}
20         else:
21             ssl_options={'cert_reqs': ssl.CERT_REQUIRED}
22         super(EventClient, self).__init__(url, ssl_options=ssl_options)
23         self.filters = filters
24         self.on_event = on_event
25
26     def opened(self):
27         self.subscribe(self.filters)
28
29     def received_message(self, m):
30         self.on_event(json.loads(str(m)))
31
32     def close_connection(self):
33         try:
34             self.sock.shutdown(socket.SHUT_RDWR)
35             self.sock.close()
36         except:
37             pass
38
39     def subscribe(self, filters, last_log_id=None):
40         m = {"method": "subscribe", "filters": filters}
41         if last_log_id is not None:
42             m["last_log_id"] = last_log_id
43         self.send(json.dumps(m))
44
45     def unsubscribe(self, filters):
46         self.send(json.dumps({"method": "unsubscribe", "filters": filters}))
47
48 class PollClient(threading.Thread):
49     def __init__(self, api, filters, on_event, poll_time):
50         super(PollClient, self).__init__()
51         self.api = api
52         if filters:
53             self.filters = [filters]
54         else:
55             self.filters = [[]]
56         self.on_event = on_event
57         self.poll_time = poll_time
58         self.stop = threading.Event()
59
60     def run(self):
61         self.id = 0
62         for f in self.filters:
63             items = self.api.logs().list(limit=1, order="id desc", filters=f).execute()['items']
64             if items:
65                 if items[0]['id'] > self.id:
66                     self.id = items[0]['id']
67
68         self.on_event({'status': 200})
69
70         while not self.stop.isSet():
71             max_id = self.id
72             for f in self.filters:
73                 items = self.api.logs().list(order="id asc", filters=f+[["id", ">", str(self.id)]]).execute()['items']
74                 for i in items:
75                     if i['id'] > max_id:
76                         max_id = i['id']
77                     self.on_event(i)
78             self.id = max_id
79             self.stop.wait(self.poll_time)
80
81     def run_forever(self):
82         self.stop.wait()
83
84     def close(self):
85         self.stop.set()
86         try:
87             self.join()
88         except RuntimeError:
89             # "join() raises a RuntimeError if an attempt is made to join the
90             # current thread as that would cause a deadlock. It is also an
91             # error to join() a thread before it has been started and attempts
92             # to do so raises the same exception."
93             pass
94
95     def subscribe(self, filters):
96         self.on_event({'status': 200})
97         self.filters.append(filters)
98
99     def unsubscribe(self, filters):
100         del self.filters[self.filters.index(filters)]
101
102
103 def subscribe(api, filters, on_event, poll_fallback=15):
104     '''
105     api: Must be a newly created from arvados.api(cache=False), not shared with the caller, as it may be used by a background thread.
106     filters: Initial subscription filters.
107     on_event: The callback when a message is received
108     poll_fallback: If websockets are not available, fall back to polling every N seconds.  If poll_fallback=False, this will return None if websockets are not available.
109     '''
110     ws = None
111     if 'websocketUrl' in api._rootDesc:
112         try:
113             url = "{}?api_token={}".format(api._rootDesc['websocketUrl'], api.api_token)
114             ws = EventClient(url, filters, on_event)
115             ws.connect()
116             return ws
117         except Exception as e:
118             _logger.warn("Got exception %s trying to connect to websockets at %s" % (e, api._rootDesc['websocketUrl']))
119             if ws:
120                 ws.close_connection()
121     if poll_fallback:
122         _logger.warn("Websockets not available, falling back to log table polling")
123         p = PollClient(api, filters, on_event, poll_fallback)
124         p.start()
125         return p
126     else:
127         _logger.error("Websockets not available")
128         return None