-
Notifications
You must be signed in to change notification settings - Fork 1.7k
/
Copy pathAutofocusV2.py
1925 lines (1675 loc) · 72.2 KB
/
AutofocusV2.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
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
from CommonServerPython import *
''' IMPORTS '''
import re
import json
import requests
import socket
import traceback
import urllib3
from typing import Callable, Tuple
# Disable insecure warnings
urllib3.disable_warnings()
''' GLOBALS/PARAMS '''
PARAMS = demisto.params()
API_KEY = AutoFocusKeyRetriever(PARAMS.get('credentials', {}).get('password') or PARAMS.get('api_key')).key
# Remove trailing slash to prevent wrong URL path to service
SERVER = 'https://autofocus.paloaltonetworks.com'
# Should we use SSL
USE_SSL = not PARAMS.get('insecure', False)
# Service base URL
BASE_URL = SERVER + '/api/v1.0'
VENDOR_NAME = 'AutoFocus V2'
# Headers to be sent in requests
HEADERS = {
'Content-Type': 'application/json'
}
RELATIONSHIP_TYPE_BY_TAG_CLASS_ID = {
1: {'entity_b_type': 'STIX Threat Actor',
'name': 'indicator-of'},
2: {'entity_b_type': 'Campaign',
'name': 'indicator-of'},
3: {'entity_b_type': 'STIX Malware',
'name': 'indicator-of'},
5: {'entity_b_type': 'STIX Attack Pattern',
'name': 'indicator-of'}
}
API_PARAM_DICT = {
'scope': {
'Private': 'private',
'Public': 'public',
'Global': 'global'
},
'order': {
'Ascending': 'asc',
'Descending': 'desc'
},
'artifact': 'artifactSource',
'sort': {
'App Name': 'app_name',
'App Packagename': 'app_packagename',
'File type': 'filetype',
'Size': 'size',
'Finish Date': 'finish_date',
'First Seen (Create Date)': 'create_date',
'Last Updated (Update Date)': 'update_date',
'MD5': 'md5',
'SHA1': 'sha1',
'SHA256': 'sha256',
'Ssdeep Fuzzy Hash': 'ssdeep',
'Application': 'app',
'Device Country': 'device_country',
'Device Country Code': 'device_countrycode',
'Device Hostname': 'device_hostname',
'Device Serial': 'device_serial',
'Device vsys': 'vsys',
'Destination Country': 'dst_country',
'Destination Country Code': 'dst_countrycode',
'Destination IP': 'dst_ip',
'Destination Port': 'dst_port',
'Email Charset': 'emailsbjcharset',
'Industry': 'device_industry',
'Source Country': 'src_country',
'Source Country Code': 'src_countrycode',
'Source IP': 'src_ip',
'Source Port': 'src_port',
'Time': 'tstamp',
'Upload source': 'upload_srcPossible'
},
'tag_class': {
'Actor': 'actor',
'Campaign': 'campaign',
'Exploit': 'exploit',
'Malicious Behavior': 'malicious_behavior',
'Malware Family': 'malware_family'
},
'search_arguments': {
'file_hash': {
'api_name': 'alias.hash_lookup',
'operator': 'is'
},
'domain': {
'api_name': 'alias.domain',
'operator': 'contains'
},
'ip': {
'api_name': 'alias.ip_address',
'operator': 'contains'
},
'url': {
'api_name': 'alias.url',
'operator': 'contains'
},
'wildfire_verdict': {
'api_name': 'sample.malware',
'operator': 'is',
'translate': {
'Malware': 1,
'Grayware': 2,
'Benign': 3,
'Phishing': 4,
}
},
'first_seen': {
'api_name': 'sample.create_date',
'operator': 'is in the range'
},
'last_updated': {
'api_name': 'sample.update_date',
'operator': 'is in the range'
},
'time_range': {
'api_name': 'session.tstamp',
'operator': 'is in the range'
},
'time_after': {
'api_name': 'session.tstamp',
'operator': 'is after'
},
'time_before': {
'api_name': 'session.tstamp',
'operator': 'is before'
}
},
'file_indicators': {
'Size': 'Size',
'SHA1': 'SHA1',
'SHA256': 'SHA256',
'FileType': 'Type',
'Tags': 'Tags',
'FileName': 'Name'
},
'search_results': {
'sha1': 'SHA1',
'sha256': 'SHA256',
'filetype': 'FileType',
'malware': 'Verdict',
'size': 'Size',
'create_date': 'Created',
'finish_date': 'Finished',
'md5': 'MD5',
'region': 'Region',
'tag': 'Tags',
'_id': 'ID',
'tstamp': 'Seen',
'filename': 'FileName',
'device_industry': 'Industry',
'upload_src': 'UploadSource',
'fileurl': 'FileURL',
'artifact': 'Artifact',
}
}
SAMPLE_ANALYSIS_LINE_KEYS = {
'behavior': {
'display_name': 'behavior',
'indexes': {
'risk': 0,
'behavior': -1
}
},
'process': {
'display_name': 'processes',
'indexes': {
'parent_process': 0,
'action': 1
}
},
'file': {
'display_name': 'files',
'indexes': {
'parent_process': 0,
'action': 1
}
},
'registry': {
'display_name': 'registry',
'indexes': {
'action': 1,
'parameters': 2
}
},
'dns': {
'display_name': 'DNS',
'indexes': {
'query': 0,
'response': 1
}
},
'http': {
'display_name': 'HTTP',
'indexes': {
'host': 0,
'method': 1,
'url': 2
}
},
'connection': {
'display_name': 'connections',
'indexes': {
'destination': 2
}
},
'mutex': {
'display_name': 'mutex',
'indexes': {
'process': 0,
'action': 1,
'parameters': 2
}
}
}
SAMPLE_ANALYSIS_COVERAGE_KEYS = {
'wf_av_sig': {
'display_name': 'wildfire_signatures',
'fields': ['name', 'create_date']
},
'fileurl_sig': {
'display_name': 'fileurl_signatures',
'fields': ['name', 'create_date']
},
'dns_sig': {
'display_name': 'dns_signatures',
'fields': ['name', 'create_date']
},
'url_cat': {
'display_name': 'url_categories',
'fields': ['url', 'cat']
}
}
VERDICTS_TO_DBOTSCORE = {
'benign': 1,
'malware': 3,
'grayware': 2,
'phishing': 3,
'c2': 3
}
ERROR_DICT = {
'404': 'Invalid URL.',
'408': 'Invalid URL.',
'409': 'Invalid message or missing parameters.',
'500': 'Internal error.',
'503': 'Rate limit exceeded.'
}
if PARAMS.get('mark_as_malicious'):
verdicts = argToList(PARAMS.get('mark_as_malicious'))
for verdict in verdicts:
VERDICTS_TO_DBOTSCORE[verdict] = 3
''' HELPER FUNCTIONS '''
def run_polling_command(args: dict, cmd: str, search_function: Callable, results_function: Callable):
ScheduledCommand.raise_error_if_not_supported()
interval_in_secs = int(args.get('interval_in_seconds', 60))
if 'af_cookie' not in args:
# create new search
command_results = search_function(args)
outputs = command_results.outputs
af_cookie = outputs.get('AFCookie')
if outputs.get('Status') != 'complete':
polling_args = {
'af_cookie': af_cookie,
'interval_in_seconds': interval_in_secs,
'polling': True,
**args
}
scheduled_command = ScheduledCommand(
command=cmd,
next_run_in_seconds=interval_in_secs,
args=polling_args,
timeout_in_seconds=600)
command_results.scheduled_command = scheduled_command
return command_results
else:
# continue to look for search results
args['af_cookie'] = af_cookie
# get search status
command_results, status = results_function(args)
if status != 'complete':
# schedule next poll
polling_args = {
'af_cookie': args.get('af_cookie'),
'interval_in_seconds': interval_in_secs,
'polling': True,
**args
}
scheduled_command = ScheduledCommand(
command=cmd,
next_run_in_seconds=interval_in_secs,
args=polling_args,
timeout_in_seconds=600)
# result with scheduled_command only - no update to the war room
command_results = CommandResults(scheduled_command=scheduled_command)
return command_results
def parse_response(resp, err_operation):
try:
# Handle error responses gracefully
if demisto.params().get('handle_error', True) and resp.status_code == 409:
raise Exception("Response status code: 409 \nRequested sample not found")
res_json = resp.json()
resp.raise_for_status()
if 'x-trace-id' in resp.headers:
# this debug log was request by autofocus team for debugging on their end purposes
demisto.debug(f'x-trace-id: {resp.headers["x-trace-id"]}')
return res_json
# Errors returned from AutoFocus
except requests.exceptions.HTTPError:
err_msg = f'{err_operation}: {res_json.get("message")}'
if res_json.get("message").find('Requested sample not found') != -1:
demisto.results(err_msg)
sys.exit(0)
elif res_json.get("message").find("AF Cookie Not Found") != -1:
demisto.results(err_msg)
sys.exit(0)
elif err_operation == 'Tag details operation failed' and \
res_json.get("message").find("Tag") != -1 and res_json.get("message").find("not found") != -1:
demisto.results(err_msg)
sys.exit(0)
else:
return return_error(err_msg)
# Unexpected errors (where no json object was received)
except Exception as err:
demisto.results(f'{err_operation}: {err}')
sys.exit(0)
def http_request(url_suffix, method='POST', data={}, err_operation=None):
# A wrapper for requests lib to send our requests and handle requests and responses better
data.update({'apiKey': API_KEY})
try:
res = requests.request(
method=method,
url=BASE_URL + url_suffix,
verify=USE_SSL,
data=json.dumps(data),
headers=HEADERS
)
# Handle with connection error
except requests.exceptions.ConnectionError as err:
err_message = f'Error connecting to server. Check your URL/Proxy/Certificate settings: {err}'
return_error(err_message)
return parse_response(res, err_operation)
def validate_sort_and_order_and_artifact(sort: Optional[str] = None, order: Optional[str] = None,
artifact_source: Optional[str] = None) -> bool:
"""
Function that validates the arguments combination.
sort and order arguments must be defined together.
Sort and order can't appear with artifact.
Args:
sort: variable to sort by.
order: the order which the results is ordered by.
artifact_source: true if artifacts are needed and false otherwise.
Returns:
true if arguments are valid for the request, false otherwise.
"""
if artifact_source == 'true' and sort:
raise Exception('Please remove or disable one of sort or artifact,'
' As they are not supported in the api together.')
elif sort and not order:
raise Exception('Please specify the order of sorting (Ascending or Descending).')
elif order and not sort:
raise Exception('Please specify a field to sort by.')
elif sort and order:
return True
return False
def do_search(search_object: str, query: dict, scope: Optional[str], size: Optional[str] = None,
sort: Optional[str] = None, order: Optional[str] = None, err_operation: Optional[str] = None,
artifact_source: Optional[str] = None) -> dict:
"""
This function created the data to be sent in http request and sends it.
Args:
search_object: Type of search sessions or samples.
query: Query based on conditions specified within this object.
scope: Scope of the search. Only available and required for: samples. e.g. Public, Global, Private.
size: Number of results to provide.
sort: Sort based on the provided artifact.
order: How to display sort results in ascending or descending order.
err_operation: String error which specificed which command failed.
artifact_source: Whether artifacts are wanted or not.
Returns:
raw response of the http request.
"""
path = '/samples/search' if search_object == 'samples' else '/sessions/search'
data = {
'query': query,
'size': size
}
if scope:
data.update({'scope': API_PARAM_DICT['scope'][scope]}) # type: ignore
if validate_sort_and_order_and_artifact(sort, order, artifact_source):
data.update({'sort': {API_PARAM_DICT['sort'][sort]: {'order': API_PARAM_DICT['order'][order]}}}) # type: ignore
if artifact_source == 'true':
data.update({'artifactSource': 'af'})
data.update({'type': 'scan'})
# Remove nulls
data = createContext(data, removeNull=True)
result = http_request(path, data=data, err_operation=err_operation)
return result
def run_search(search_object: str, query: str, scope: Optional[str] = None, size: str = None, sort: str = None,
order: str = None, artifact_source: str = None) -> dict:
"""
This function searches the relevent search and returns search info for result command.
Args:
search_object: Type of search sessions or samples.
query: Query based on conditions specified within this object.
scope: Scope of the search. Only available and required for: samples. e.g. Public, Global, Private.
size: Number of results to provide.
sort: Sort based on the provided artifact.
order: How to display sort results in ascending or descending order.
artifact_source: Whether artifacts are wanted or not.
Returns:
dict of response for result commands.
"""
result = do_search(search_object, query=json.loads(query), scope=scope, size=size, sort=sort, order=order,
artifact_source=artifact_source, err_operation='Search operation failed')
in_progress = result.get('af_in_progress')
status = 'in progress' if in_progress else 'complete'
search_info = {
'AFCookie': result.get('af_cookie'),
'Status': status,
'SessionStart': datetime.now().strftime("%Y-%m-%dT%H:%M:%S")
}
return search_info
def run_get_search_results(search_object, af_cookie):
path = f'/samples/results/{af_cookie}' if search_object == 'samples' else f'/sessions/results/{af_cookie}'
results = http_request(path, err_operation='Fetching search results failed')
return results
def get_fields_from_hit_object(result_object, response_dict_name):
new_object = {}
af_params_dict = API_PARAM_DICT.get(response_dict_name)
for key, value in result_object.items():
if key in af_params_dict: # type: ignore
new_key = af_params_dict.get(key) # type: ignore
new_object[new_key] = value
else:
new_object[key] = value
return new_object
def parse_hits_response(hits, response_dict_name):
parsed_objects = [] # type: ignore
if not hits:
return parsed_objects
else:
for hit in hits:
flattened_obj = {} # type: ignore
flattened_obj.update(hit.get('_source'))
flattened_obj['_id'] = hit.get('_id')
parsed_obj = get_fields_from_hit_object(flattened_obj, response_dict_name)
parsed_objects.append(parsed_obj)
return parsed_objects
def get_search_results(search_object, af_cookie):
results = run_get_search_results(search_object, af_cookie)
retry_count = 0
# Checking if the query has no results because the server has not fetched them yet.
# In this case, the complete percentage would be 0 (or lower than 100).
# In a case where there really aren't results (hits), the af_complete_percentage would be 100.
while (not results.get('hits') and (results.get('af_complete_percentage', 0) != 100)) and retry_count < 10:
time.sleep(5)
results = run_get_search_results(search_object, af_cookie)
retry_count += 1
parsed_results = parse_hits_response(results.get('hits'), 'search_results')
in_progress = results.get('af_in_progress')
status = 'in progress' if in_progress else 'complete'
return parsed_results, status
def get_session_details(session_id):
path = f'/session/{session_id}'
result = http_request(path, err_operation='Get session failed')
parsed_result = parse_hits_response(result.get('hits'), 'search_results')
return parsed_result
def validate_if_line_needed(category, info_line):
line = info_line.get('line')
line_values = line.split(',')
category_indexes = SAMPLE_ANALYSIS_LINE_KEYS.get(category).get('indexes') # type: ignore
if category == 'behavior':
risk_index = category_indexes.get('risk') # type: ignore
risk = line_values[risk_index].strip()
# only lines with risk higher the informational are considered
return not risk == 'informational'
elif category == 'registry':
action_index = category_indexes.get('action') # type: ignore
action = line_values[action_index].strip()
# Only lines with actions SetValueKey, CreateKey or RegSetValueEx are considered
return action == 'SetValueKey' or action == 'CreateKey' or action == 'RegSetValueEx'
elif category == 'file':
action_index = category_indexes.get('action') # type: ignore
action = line_values[action_index].strip()
benign_count = info_line.get('b') if info_line.get('b') else 0
malicious_count = info_line.get('m') if info_line.get('m') else 0
# Only lines with actions Create or CreateFileW where malicious count is grater than benign count are considered
return (action == 'Create' or action == 'CreateFileW') and malicious_count > benign_count
elif category == 'process':
action_index = category_indexes.get('action') # type: ignore
action = line_values[action_index].strip()
# Only lines with actions created, CreateKey or CreateProcessInternalW are considered
return action == 'created' or action == 'CreateProcessInternalW'
else:
return True
def get_data_from_line(line, category_name):
category_indexes = SAMPLE_ANALYSIS_LINE_KEYS.get(category_name).get('indexes') # type: ignore
values = line.split(',')
sub_categories = {} # type: ignore
if not category_indexes:
return sub_categories
else:
for sub_category in category_indexes: # type: ignore
sub_category_index = category_indexes.get(sub_category) # type: ignore
sub_categories.update({
sub_category: values[sub_category_index]
})
return sub_categories
def get_data_from_coverage_sub_category(sub_category_name, sub_category_data):
sub_categories_list = []
for item in sub_category_data:
new_sub_category = {}
fields_to_extract = SAMPLE_ANALYSIS_COVERAGE_KEYS.get(sub_category_name).get('fields') # type: ignore
for field in fields_to_extract: # type: ignore
new_sub_category[field] = item.get(field) # type: ignore
sub_categories_list.append(new_sub_category)
return sub_categories_list
def parse_coverage_sub_categories(coverage_data):
new_coverage = {}
for sub_category_name, sub_category_data in coverage_data.items():
if sub_category_name in SAMPLE_ANALYSIS_COVERAGE_KEYS and isinstance(sub_category_data, dict):
new_sub_category_data = get_data_from_coverage_sub_category(sub_category_name, sub_category_data)
new_sub_category_name = SAMPLE_ANALYSIS_COVERAGE_KEYS.get(sub_category_name).get( # type: ignore
'display_name') # type: ignore
new_coverage[new_sub_category_name] = new_sub_category_data
return {'coverage': new_coverage}
def parse_lines_from_os(category_name, data, filter_data_flag):
new_lines = []
for info_line in data:
if not filter_data_flag or validate_if_line_needed(category_name, info_line):
new_sub_categories = get_data_from_line(info_line.get('line'), category_name)
new_lines.append(new_sub_categories)
return new_lines
def parse_sample_analysis_response(resp, filter_data_flag):
analysis = {}
for category_name, category_data in resp.items():
if category_name in SAMPLE_ANALYSIS_LINE_KEYS:
new_category = {}
for os_name, os_data in category_data.items():
os_sanitized_data = parse_lines_from_os(category_name, os_data, filter_data_flag)
new_category[os_name] = os_sanitized_data
category_dict = SAMPLE_ANALYSIS_LINE_KEYS.get(category_name)
analysis.update({category_dict['display_name']: new_category}) # type: ignore
elif category_name == 'coverage':
new_category = parse_coverage_sub_categories(category_data)
analysis.update(new_category)
return analysis
def sample_analysis(sample_id, os, filter_data_flag):
path = f'/sample/{sample_id}/analysis'
data = {
'coverage': 'true'
}
if os:
data['platforms'] = [os] # type: ignore
result = http_request(path, data=data, err_operation='Sample analysis failed')
if 'error' in result:
return demisto.results(result['error'])
analysis_obj = parse_sample_analysis_response(result, filter_data_flag)
return analysis_obj
def parse_tag_details_response(resp):
tag_details = resp.get('tag')
fields_to_extract_from_tag_details = [
'public_tag_name',
'tag_name',
'customer_name',
'source',
'tag_definition_scope',
'tag_definition_status',
'tag_class',
'count',
'lasthit',
'description'
]
new_tag_info = {}
for field in fields_to_extract_from_tag_details:
new_tag_info[field] = tag_details.get(field)
tag_group_details = resp.get('tag_groups')
if tag_group_details:
new_tag_info['tag_group'] = tag_group_details
return new_tag_info
def autofocus_tag_details(tag_name):
path = f'/tag/{tag_name}'
resp = http_request(path, err_operation='Tag details operation failed')
tag_info = parse_tag_details_response(resp)
return tag_info
def validate_tag_scopes(private, public, commodity, unit42):
if not private and not public and not commodity and not unit42:
return_error('Add at least one Tag scope by setting `commodity`, `private`, `public` or `unit42` to True')
def autofocus_top_tags_search(scope, tag_class_display, private, public, commodity, unit42):
validate_tag_scopes(private, public, commodity, unit42)
tag_class = API_PARAM_DICT['tag_class'][tag_class_display] # type: ignore
query = {
"operator": "all",
"children": [
{
"field": "sample.tag_class",
"operator": "is",
"value": tag_class
}
]
}
tag_scopes = list()
if private:
tag_scopes.append('private')
if public:
tag_scopes.append('public')
if commodity:
tag_scopes.append('commodity')
if unit42:
tag_scopes.append('unit42')
data = {
'query': query,
'scope': scope,
'tagScopes': tag_scopes
}
path = '/top-tags/search/'
resp = http_request(path, data=data, err_operation='Top tags operation failed')
in_progress = resp.get('af_in_progress')
status = 'in progress' if in_progress else 'complete'
search_info = {
'AFCookie': resp.get('af_cookie'),
'Status': status
}
return search_info
def parse_top_tags_response(response):
top_tags_list = [] # type: ignore
top_tags = response.get('top_tags')
if not top_tags:
return top_tags_list
else:
for tag in top_tags:
fields_to_extract_from_top_tags = ['tag_name', 'public_tag_name', 'count', 'lasthit']
new_tag = {}
for field in fields_to_extract_from_top_tags:
new_tag[field] = tag[field]
top_tags_list.append(new_tag)
return top_tags_list
def get_top_tags_results(af_cookie):
path = f'/top-tags/results/{af_cookie}'
results = http_request(path, err_operation='Fetching top tags results failed')
top_tags = parse_top_tags_response(results)
in_progress = results.get('af_in_progress')
status = 'in progress' if in_progress else 'complete'
return top_tags, status
def print_hr_by_category(category_name, category_data):
hr = content = f'### {string_to_table_header(category_name)}:\nNo entries'
if category_name == 'coverage':
content = category_data
if category_data:
hr = tableToMarkdown(f'{string_to_table_header(category_name)}:', category_data,
headerTransform=string_to_table_header)
else:
hr = f'### {string_to_table_header(category_name)}:\nNo entries'
demisto.results({
'Type': entryTypes['note'],
'ContentsFormat': formats['text'],
'Contents': content,
'HumanReadable': hr
})
else:
for os_name, os_data in category_data.items():
content = os_data
table_header = f'{category_name}_{os_name}'
if os_data:
hr = tableToMarkdown(f'{string_to_table_header(table_header)}:', os_data,
headerTransform=string_to_table_header)
else:
hr = f'### {string_to_table_header(table_header)}:\nNo entries'
demisto.results({
'Type': entryTypes['note'],
'ContentsFormat': formats['text'],
'Contents': content,
'HumanReadable': hr
})
def get_files_data_from_results(results):
"""
Gets a list of results and for each result returns a file object includes all relevant file indicators exists
in that result
:param results: a list of dictionaries
:return: a list of file objects
"""
files = []
if results:
for result in results:
raw_file = get_fields_from_hit_object(result, 'file_indicators')
file_data = filter_object_entries_by_dict_values(raw_file, 'file_indicators')
files.append(file_data)
return files
def filter_object_entries_by_dict_values(result_object, response_dict_name):
"""
Gets a dictionary (result_object) and filters it's keys by the values of another
dictionary (response_dict_name)
input: response_dict_name = 'file_indicators' - see API_PARAM_DICT above
result_object = {
"app": "web-browsing",
"vsys": 1,
"SHA256": "18c9acd34a3aea09121f027857e0004a3ea33a372b213a8361e8a978330f0dc8",
"UploadSource": "Firewall",
"src_port": 80,
"device_serial": "007051000050926",
"Seen": "2019-07-24T09:37:04",
"Name": "wildfire-test-pe-file.exe",
"user_id": "unknown",
"src_country": "United States",
"src_countrycode": "US",
"dst_port": 65168,
"device_countrycode": "US",
"Industry": "High Tech",
"Region": "us",
"device_country": "United States",
"ID": "179972200903"
}
output: {
"SHA256": "18c9acd34a3aea09121f027857e0004a3ea33a372b213a8361e8a978330f0dc8",
"Name": "wildfire-test-pe-file.exe"
}
:param result_object: a dictionary representing an object
:param response_dict_name: a dictionary which it's values are the relevant fields (filters)
:return: the result_object filtered by the relevant fields
"""
af_params_dict = API_PARAM_DICT.get(response_dict_name)
result_object_filtered = {}
if af_params_dict and isinstance(result_object, dict) and isinstance(af_params_dict, dict):
for key in result_object.keys():
if key in af_params_dict.values(): # type: ignore
result_object_filtered[key] = result_object.get(key)
return result_object_filtered
def search_samples(query=None, scope=None, size=None, sort=None, order=None, file_hash=None, domain=None, ip=None,
url=None, wildfire_verdict=None, first_seen=None, last_updated=None, artifact_source=None):
validate_no_query_and_indicators(query, [file_hash, domain, ip, url, wildfire_verdict, first_seen, last_updated])
if not query:
indicator_args_for_query = {
'file_hash': file_hash,
'domain': domain,
'ip': ip,
'url': url
}
used_indicator = validate_no_multiple_indicators_for_search(indicator_args_for_query)
search_result = []
for _batch in batch(indicator_args_for_query[used_indicator], batch_size=100):
query = build_sample_search_query(used_indicator, _batch, wildfire_verdict, first_seen, last_updated)
search_result.append(run_search('samples', query=query, scope=scope, size=size, sort=sort, order=order,
artifact_source=artifact_source))
return search_result
return run_search('samples', query=query, scope=scope, size=size, sort=sort, order=order,
artifact_source=artifact_source)
def build_sample_search_query(used_indicator, indicators_values, wildfire_verdict, first_seen, last_updated):
indicator_list = build_indicator_children_query(used_indicator, indicators_values)
indicator_query = build_logic_query('OR', indicator_list)
filtering_args_for_search = {} # type: ignore
if wildfire_verdict:
filtering_args_for_search['wildfire_verdict'] = \
demisto.get(API_PARAM_DICT, f'search_arguments.wildfire_verdict.translate.{wildfire_verdict}')
if first_seen:
filtering_args_for_search['first_seen'] = first_seen
if last_updated:
filtering_args_for_search['last_updated'] = last_updated
filters_list = build_children_query(filtering_args_for_search)
filters_list.append(indicator_query)
logic_query = build_logic_query('AND', filters_list)
return json.dumps(logic_query)
def search_sessions(query=None, size=None, sort=None, order=None, file_hash=None, domain=None, ip=None, url=None,
from_time=None, to_time=None):
validate_no_query_and_indicators(query, [file_hash, domain, ip, url, from_time, to_time])
if not query:
indicator_args_for_query = {
'file_hash': file_hash,
'domain': domain,
'ip': ip,
'url': url
}
used_indicator = validate_no_multiple_indicators_for_search(indicator_args_for_query)
search_result = []
for _batch in batch(indicator_args_for_query[used_indicator], batch_size=100):
query = build_session_search_query(used_indicator, _batch, from_time, to_time)
search_result.append(run_search('sessions', query=query, size=size, sort=sort, order=order))
return search_result
return run_search('sessions', query=query, size=size, sort=sort, order=order)
def build_session_search_query(used_indicator, indicators_batch, from_time, to_time):
indicator_list = build_indicator_children_query(used_indicator, indicators_batch)
indicator_query = build_logic_query('OR', indicator_list)
time_filters_for_search = {} # type: ignore
if from_time and to_time:
time_filters_for_search = {'time_range': [from_time, to_time]}
elif from_time:
time_filters_for_search = {'time_after': [from_time]}
elif to_time:
time_filters_for_search = {'time_before': [to_time]}
filters_list = build_children_query(time_filters_for_search)
filters_list.append(indicator_query)
logic_query = build_logic_query('AND', filters_list)
return json.dumps(logic_query)
def build_logic_query(logic_operator, condition_list):
operator = None
if logic_operator == 'AND':
operator = 'all'
elif logic_operator == 'OR':
operator = 'any'
return {
'operator': operator,
'children': condition_list
}
def build_children_query(args_for_query):
children_list = [] # type: ignore
for key, val in args_for_query.items():
field_api_name = API_PARAM_DICT['search_arguments'][key]['api_name'] # type: ignore
operator = API_PARAM_DICT['search_arguments'][key]['operator'] # type: ignore
children_list += children_list_generator(field_api_name, operator, [val])
return children_list
def build_indicator_children_query(used_indicator, indicators_values):
if indicators_values:
field_api_name = API_PARAM_DICT['search_arguments'][used_indicator]['api_name'] # type: ignore
operator = API_PARAM_DICT['search_arguments'][used_indicator]['operator'] # type: ignore
children_list = children_list_generator(field_api_name, operator, indicators_values)
return children_list
def children_list_generator(field_name, operator, val_list):
query_list = []
for value in val_list:
query_list.append({
'field': field_name,
'operator': operator,
'value': value
})
return query_list
def validate_no_query_and_indicators(query, arg_list):
if query:
for arg in arg_list:
if arg:
return_error('The search command can either run a search using a custom query '
'or use the builtin arguments, but not both')
def validate_no_multiple_indicators_for_search(arg_dict):
used_arg = None
for arg, val in arg_dict.items():
if val and used_arg:
return_error(f'The search command can receive one indicator type at a time, two were given: {used_arg}, '
f'{arg}. For multiple indicator types use the custom query')
elif val:
used_arg = arg
if not used_arg:
return_error('In order to perform a samples/sessions search, a query or an indicator must be given.')
return used_arg
def search_indicator(indicator_type, indicator_value):
headers = HEADERS
headers['apiKey'] = API_KEY
params = {
'indicatorType': indicator_type,
'indicatorValue': indicator_value,
'includeTags': 'true',
}
try:
result = requests.request(
method='GET',
url=f'{BASE_URL}/tic',
verify=USE_SSL,
headers=headers,
params=params
)
# Handle error responses gracefully
result.raise_for_status()
result_json = result.json()
# Handle with connection error
except requests.exceptions.ConnectionError as err:
err_message = f'Error connecting to server. Check your URL/Proxy/Certificate settings: {err}'
return_error(err_message)
# Unexpected errors (where no json object was received)
except Exception as err:
try:
if demisto.params().get('handle_error', True) and result.status_code == 404:
return {
'indicator': {
'indicatorType': indicator_type,
'indicatorValue': indicator_value,
'latestPanVerdicts': {'PAN_DB': 'UNKNOWN'},
}
}
text_error = result.json()
except ValueError:
text_error = {}
error_message = text_error.get('message')
if error_message:
return_error(f'Request Failed with status: {result.status_code}.\n'
f'Reason is: {str(error_message)}.')
elif str(result.status_code) in ERROR_DICT:
return_error(f'Request Failed with status: {result.status_code}.\n'
f'Reason is: {ERROR_DICT[str(result.status_code)]}.')
else:
err_msg = f'Request Failed with message: {err}.'
return_error(err_msg)
return result_json