-
Notifications
You must be signed in to change notification settings - Fork 2
/
pyfalcon.py
executable file
·317 lines (288 loc) · 13.2 KB
/
pyfalcon.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
#!/bin/python2
# -*- coding: utf-8 -*-
import requests
import json
import time
import calendar
import datetime
import hashlib
import hmac
import base64
import collections
import socket
import ssl
import threading
import traceback
import logging
import sys
from requests import Request, Session
class FalconAuth:
def __init__(self,client_id,client_secret):
self.client_id=client_id
self.client_secret=client_secret
with open("OAuth2.json","w+") as f:
f.write("")
def newtoken(self):
response=requests.post("https://api.crowdstrike.com/oauth2/token",data={"client_id":self.client_id,"client_secret":self.client_secret},
headers={"Content-Type":"application/x-www-form-urlencoded","Accept":"application/json"})
if not response.status_code==201:
return None
json_data=response.json()
json_data["expires"]=time.time()+json_data["expires_in"]
return json_data
def getToken(self):
tokendata=''
with open("OAuth2.json","r") as f:
try:
tokendata=json.loads(f.read())
if tokendata['expires'] < time.time()+1.0:
tokendata=self.newtoken()
except Exception:
#print("Error loading oauth2 data")
#traceback.print_exc()
tokendata= self.newtoken()
with open("OAuth2.json","w+") as f:
f.write(json.dumps(tokendata))
return tokendata['access_token']
class ES:
def __init__(self, config, logger):
import elasticsearch
self.es = elasticsearch.Elasticsearch(hosts=config['hosts'])
self.index_name = config['index']
self.lh = logger
self.doctype = config['doctype']
def index(self, data, id, ts):
try:
self.es.create(index=self.index_name,
doc_type=self.doctype, id=id, body=data, timestamp=ts)
except Exception as e:
self.lh.exception('Elasticsearch index error:' + str(e))
class StreamProcessor(threading.Thread):
def __init__(self, stream, stream_resource, processor, logger, offsets_file='./offsets.json', es=None):
threading.Thread.__init__(self)
self.stream = stream
self.stream_resource = stream_resource
self.processor = processor
self.lh = logger
self.running = True
self.offsets = {}
self.offsets_file = offsets_file
try:
with open(offsets_file, 'w+') as of:
data = of.read()
if data and data.strip():
offsets = json.loads()
else:
self.offsets[self.stream_resource['dataFeedURL']] = 0
of.write(json.dumps(self.offsets))
self.es = es
except:
self.lh.exception('offset file error')
def run(self):
self.lh.debug('Started a StreamProcessor thread')
try:
while self.running:
for stream_data in self.stream.iter_lines():
if stream_data.strip():
try:
json_data = json.loads(stream_data)
offset = json_data['metadata']['offset']
if offset > self.offsets[self.stream_resource['dataFeedURL']] + 100:
self.offsets[self.stream_resource['dataFeedURL']] = offset
with open(self.offsets_file, 'w+') as of:
of.write(json.dumps(self.offsets))
self.processor(json_data)
if self.es:
if 'eventCreationTime' in json_data['metadata']:
json_data['metadata']['eventCreationTime'] = json_data['metadata']['eventCreationTime'] / 1000
ts = datetime.datetime.utcfromtimestamp(
json_data['metadata']['eventCreationTime']).strftime('%Y-%m-%dT%H:%M:%S%z')
json_data['ts'] = ts
self.es.index(json_data, offset, ts)
except ValueError:
self.lh.exception("Can't decode:\n" + stream_data)
continue
except Exception as e:
self.lh.exception(str(e))
traceback.print_exc()
continue
except Exception as e:
self.lh.exception('Stream processor thread exception:' + str(e))
self.lh.debug('StreamProcessor exiting for stream:\n' +
self.stream_resource['dataFeedURL'])
class FalconStreamingAPI:
def __init__(self, config, processor, logger=None):
if not logger:
self.lh = logging.getLogger('PyFalcon')
self.lh.setLevel(logging.DEBUG)
logging.basicConfig(format='PyFalcon: %(asctime)-15s %(message)s')
self.lh.info('Starting Falcon streaming api script...')
else:
self.lh = logger
self.config = config
if self.config['Elasticsearch_logging']:
self.es = ES(self.config['Elasticsearch'], self.lh)
else:
self.es = None
self.key = config['falcon_api_key']
self._id = config['falcon_api_id']
self.auth = FalconAuth(self._id,self.key)
self.Method = 'GET'
self.md5 = ''
self.url = config['falcon_data_feed_url'] + \
'?appId=' + config['client_name']
self.RequestUri_Host = config['falcon_hose_domain']
self.RequestUri_AbsolutePath = '/sensors/entities/datafeed/v2'
self.RequestUri_Query = '?appId=' + config['client_name']
self.Headers = {}
self.processor = processor
self.reconnect = True
self.sleeptime = 300
if 'offsets_file' in config:
self.offsets_file = config['offsets_file']
else:
self.offsets_file = './offsets_file.json'
def calculateHMAC(self, _key, _requestString):
digest = hmac.new(str(_key), msg=str(_requestString),
digestmod=hashlib.sha256).digest()
return base64.b64encode(digest)
def CanonicalQueryString(self, qstr):
return qstr.split('?')[1]
def connect(self):
try:
self.date = datetime.datetime.utcnow().strftime('%a, %d %b %Y %X GMT')
self.lh.debug(
'Connecting to the streaming api with date stamp:' + self.date)
requestString = self.Method + '\n' + self.md5 + '\n' + self.date + '\n' + self.RequestUri_Host + \
self.RequestUri_AbsolutePath + '\n' + \
self.CanonicalQueryString(self.RequestUri_Query)
signature = self.calculateHMAC(self.key, requestString)
self.Headers['X-CS-Date'] = self.date
self.Headers['Authorization'] = "Bearer {}".format(self.auth.getToken())
s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
context = ssl.create_default_context()
c = context.wrap_socket(socket.socket(
socket.AF_INET), server_hostname=self.config['falcon_hose_domain'])
self.lh.debug('Connecting to Falcon streaming API using TLS.')
c.connect((self.config['falcon_hose_domain'], 443))
rs = 'GET /sensors/entities/datafeed/v2?appId=' + \
self.config['client_name'] + ' HTTP/1.1\n'
rs += 'X-CS-Date: ' + self.date + '\n'
rs += 'Authorization: ' + self.Headers['Authorization'] + '\n'
rs += 'Host: ' + self.config['falcon_hose_domain'] + '\n'
rs += 'Connection: Keep-Alive\r\n\r\n'
rs = rs.encode('utf-8')
c.sendall(rs)
data = c.recv(10000)
c.close()
body = data.split('\r\n\r\n')[1]
self.data_stream = json.loads(body)
if 'errors' in self.data_stream:
self.lh.debug('Errors in data stream response:\n' +
json.dumps(self.data_stream, indent=4, sort_keys=True))
self.reconnect = True
raise
elif self.data_stream['meta']['pagination'] and 'total' in self.data_stream['meta']['pagination'] and self.data_stream['meta']['pagination']['total'] > 0:
if 'resources' in self.data_stream:
self.stream_resources = self.data_stream['resources']
self.lh.info(
'Discovered ' + str(len(self.stream_resources)) + ' stream resources.')
self.reconnect = False
else:
self.lh.debug(
'No resrouces:\n' + json.dumps(str(body), indent=4, sort_keys=True))
self.reconnect = False
return False
until = 300
for stream in self.stream_resources:
expiration = stream['sessionToken']['expiration']
expires = calendar.timegm(time.strptime(
expiration[:len(expiration) - 4] + 'Z', '%Y-%m-%dT%H:%M:%S.%fZ'))
now = time.time()
if expires - now < until:
until = expires - now
self.expires = expires
self.lh.debug('Rediscovering streams in:' + str(until))
if until > 295:
self.sleeptime = until
else:
self.lh.debug('Short token expiry!:' + str(until))
self.sleeptime = 300
self.lh.debug('New Expiration:' + expiration)
else:
if self.data_stream['meta']['pagination'] and 'total' in self.data_stream['meta']['pagination'] and self.data_stream['meta']['pagination']['total'] == 0:
self.lh.debug('Discover attempt resulted in 0 resources')
self.reconnect = False
return False
self.lh.debug('Unknown response:\n' + str(self.data_stream))
raise
self.expires = time.time() + 60
self.reconnect = False
except Exception as e:
traceback.print_exc()
self.lh.exception(str(e))
self.reconnect = True
return False
return True
def streamData(self):
offsets = None
try:
try:
with open(self.offsets_file) as of:
offsets = json.loads(of.read())
except:
pass
for i in range(len(self.stream_resources)):
ds_headers = {'Authorization': 'Token ' + self.stream_resources[i]['sessionToken']['token'],
'Accepts': 'appication/json'}
self.lh.info('Opening stream for data feed:' +
self.stream_resources[i]['dataFeedURL'])
offset = 0
if offsets and self.stream_resources[i]['dataFeedURL'] in offsets:
offset = offsets[self.stream_resources[i]['dataFeedURL']]
request_url = self.stream_resources[i]['dataFeedURL'] + \
'&offset=' + str(offset)
self.lh.debug('DS request URL:' + request_url)
response = requests.get(
request_url, headers=ds_headers, stream=True)
if response.status_code == 200:
stream_processor = StreamProcessor(
response, self.stream_resources[i], self.processor, self.lh, offsets_file=self.offsets_file, es=self.es)
stream_processor.setDaemon(True)
stream_processor.start()
time.sleep(3)
if stream_processor.isAlive():
self.lh.debug('Started a new stream processor thread')
else:
self.lh.debug('Stream processor thread is not alive.')
else:
self.lh.error(
"Error opening stream '" + self.stream_resources[i]['dataFeedURL'] + "':\n" + response.text)
continue
self.stream_resources = []
except Exception as e:
self.lh.exception(str(e))
def processor(stream_data):
print stream_data
def main():
config = {}
with open(sys.argv[1]) as f:
config = json.loads(f.read())
r = FalconStreamingAPI(config, processor)
while True:
try:
sleeptime = 300
if r.connect():
r.streamData()
print 'sleeping for ' + str(sleeptime) + ' seconds.'
time.sleep(sleeptime)
if not r.reconnect:
time.sleep(sleeptime)
except Exception:
traceback.print_exc()
time.sleep(3)
continue
if __name__ == '__main__':
reload(sys)
sys.setdefaultencoding('utf-8')
main()