3 # Description: Utility to scan a file path for encrypted and obfuscated files
4 # Authors: Ben Hagen (ben.hagen@neohapsis.com)
5 # Scott Behrens (scott.behrens@neohapsis.com)
9 # pep-0008 - Is stupid. TABS FO'EVER!
11 # Try catch regular expressions/bad path/bad filename/bad regex/
21 from collections
import defaultdict
22 from optparse
import OptionParser
25 """Class that calculates a file's Index of Coincidence as
26 as well as a a subset of files average Index of Coincidence.
29 """Initialize results arrays as well as character counters."""
30 self
.char_count
= defaultdict(int)
31 self
.total_char_count
= 0
33 self
.ic_total_results
= ""
35 def calculate_char_count(self
,data
):
36 """Method to calculate character counts for a particular data file."""
41 charcount
= data
.count(char
)
42 self
.char_count
[char
] += charcount
43 self
.total_char_count
+= charcount
46 def calculate_IC(self
):
47 """Calculate the Index of Coincidence for the self variables"""
49 for val
in self
.char_count
.values():
53 total
+= val
* (val
-1)
56 ic_total
= float(total
)/(self
.total_char_count
* (self
.total_char_count
- 1))
59 self
.ic_total_results
= ic_total
62 def calculate(self
,data
,filename
):
63 """Calculate the Index of Coincidence for a file and append to self.ic_results array"""
71 charcount
= data
.count(char
)
72 char_count
+= charcount
* (charcount
- 1)
73 total_char_count
+= charcount
75 ic
= float(char_count
)/(total_char_count
* (total_char_count
- 1))
76 self
.results
.append({"filename":filename
, "value":ic
})
77 # Call method to calculate_char_count and append to total_char_count
78 self
.calculate_char_count(data
)
82 self
.results
.sort(key
=lambda item
: item
["value"])
83 self
.results
= resultsAddRank(self
.results
)
85 def printer(self
, count
):
86 """Print the top signature count match files for a given search"""
87 # Calculate the Total IC for a Search
89 print "\n[[ Average IC for Search ]]"
90 print self
.ic_total_results
91 print "\n[[ Top %i lowest IC files ]]" % (count
)
92 if (count
> len(self
.results
)): count
= len(self
.results
)
93 for x
in range(count
):
94 print ' {0:>7.4f} {1}'.format(self
.results
[x
]["value"], self
.results
[x
]["filename"])
98 """Class that calculates a file's Entropy."""
101 """Instantiate the entropy_results array."""
104 def calculate(self
,data
,filename
):
105 """Calculate the entropy for 'data' and append result to entropy_results array."""
110 self
.stripped_data
=data
.replace(' ', '')
112 p_x
= float(self
.stripped_data
.count(chr(x
)))/len(self
.stripped_data
)
114 entropy
+= - p_x
* math
.log(p_x
, 2)
115 self
.results
.append({"filename":filename
, "value":entropy
})
119 self
.results
.sort(key
=lambda item
: item
["value"])
120 self
.results
.reverse()
121 self
.results
= resultsAddRank(self
.results
)
123 def printer(self
, count
):
124 """Print the top signature count match files for a given search"""
125 print "\n[[ Top %i entropic files for a given search ]]" % (count
)
126 if (count
> len(self
.results
)): count
= len(self
.results
)
127 for x
in range(count
):
128 print ' {0:>7.4f} {1}'.format(self
.results
[x
]["value"], self
.results
[x
]["filename"])
132 """Class that determines the longest word for a particular file."""
134 """Instantiate the longestword_results array."""
137 def calculate(self
,data
,filename
):
138 """Find the longest word in a string and append to longestword_results array"""
143 words
= re
.split("[\s,\n,\r]", data
)
150 self
.results
.append({"filename":filename
, "value":longest
})
154 self
.results
.sort(key
=lambda item
: item
["value"])
155 self
.results
.reverse()
156 self
.results
= resultsAddRank(self
.results
)
158 def printer(self
, count
):
159 """Print the top signature count match files for a given search"""
160 print "\n[[ Top %i longest word files ]]" % (count
)
161 if (count
> len(self
.results
)): count
= len(self
.results
)
162 for x
in range(count
):
163 print ' {0:>7} {1}'.format(self
.results
[x
]["value"], self
.results
[x
]["filename"])
166 class SignatureNasty
:
167 """Generator that searches a given file for nasty expressions"""
170 """Instantiate the results array."""
173 def calculate(self
, data
, filename
):
176 # Lots taken from the wonderful post at http://stackoverflow.com/questions/3115559/exploitable-php-functions
177 valid_regex
= re
.compile('(eval\(|file_put_contents|base64_decode|python_eval|exec\(|passthru|popen|proc_open|pcntl|assert\(|system\(|shell)', re
.I
)
178 matches
= re
.findall(valid_regex
, data
)
179 self
.results
.append({"filename":filename
, "value":len(matches
)})
183 self
.results
.sort(key
=lambda item
: item
["value"])
184 self
.results
.reverse()
185 self
.results
= resultsAddRank(self
.results
)
187 def printer(self
, count
):
188 """Print the top signature count match files for a given search"""
189 print "\n[[ Top %i signature match counts ]]" % (count
)
190 if (count
> len(self
.results
)): count
= len(self
.results
)
191 for x
in range(count
):
192 print ' {0:>7} {1}'.format(self
.results
[x
]["value"], self
.results
[x
]["filename"])
195 class SignatureSuperNasty
:
196 """Generator that searches a given file for SUPER-nasty expressions (These are almost always bad!)"""
199 """Instantiate the results array."""
202 def calculate(self
, data
, filename
):
205 valid_regex
= re
.compile('(@\$_\[\]=|\$_=@\$_GET|\$_\[\+""\]=)', re
.I
)
206 matches
= re
.findall(valid_regex
, data
)
207 self
.results
.append({"filename":filename
, "value":len(matches
)})
211 self
.results
.sort(key
=lambda item
: item
["value"])
212 self
.results
.reverse()
213 self
.results
= resultsAddRank(self
.results
)
215 def printer(self
, count
):
216 """Print the top signature count match files for a given search"""
217 print "\n[[ Top %i SUPER-signature match counts (These are usually bad!) ]]" % (count
)
218 if (count
> len(self
.results
)): count
= len(self
.results
)
219 for x
in range(count
):
220 print ' {0:>7} {1}'.format(self
.results
[x
]["value"], self
.results
[x
]["filename"])
224 """Generator that searches a given file for nasty eval with variable"""
227 """Instantiate the eval_results array."""
230 def calculate(self
, data
, filename
):
233 # Lots taken from the wonderful post at http://stackoverflow.com/questions/3115559/exploitable-php-functions
234 valid_regex
= re
.compile('(eval\(\$(\w|\d))', re
.I
)
235 matches
= re
.findall(valid_regex
, data
)
236 self
.results
.append({"filename":filename
, "value":len(matches
)})
240 self
.results
.sort(key
=lambda item
: item
["value"])
241 self
.results
.reverse()
242 self
.results
= resultsAddRank(self
.results
)
244 def printer(self
, count
):
245 """Print the files that use eval"""
246 print "\n[[ Top %i eval match counts ]]" % (count
)
247 if (count
> len(self
.results
)): count
= len(self
.results
)
248 for x
in range(count
):
249 print ' {0:>7} {1}'.format(self
.results
[x
]["value"], self
.results
[x
]["filename"])
254 """Generator finds compression ratio"""
257 """Instantiate the results array."""
260 def calculate(self
, data
, filename
):
263 compressed
= zlib
.compress(data
)
264 ratio
= float(len(compressed
)) / float(len(data
))
265 self
.results
.append({"filename":filename
, "value":ratio
})
269 self
.results
.sort(key
=lambda item
: item
["value"])
270 self
.results
.reverse()
271 self
.results
= resultsAddRank(self
.results
)
273 def printer(self
, count
):
274 """Print the top files for a given search"""
275 print "\n[[ Top %i compression match counts ]]" % (count
)
276 if (count
> len(self
.results
)): count
= len(self
.results
)
277 for x
in range(count
):
278 print ' {0:>7.4f} {1}'.format(self
.results
[x
]["value"], self
.results
[x
]["filename"])
281 def resultsAddRank(results
):
284 previousValue
= False
287 if (previousValue
and previousValue
!= file["value"]):
291 previousValue
= file["value"]
296 """Generator that searches a given filepath with an optional regular
297 expression and returns the filepath and filename"""
298 def search_file_path(self
, args
, valid_regex
):
299 for root
, dirs
, files
in os
.walk(args
[0]):
301 filename
= os
.path
.join(root
, file)
302 if (valid_regex
.search(file) and os
.path
.getsize(filename
) > 60):
304 data
= open(root
+ "/" + file, 'rb').read()
307 print "Could not read file :: %s/%s" % (root
, file)
310 if __name__
== "__main__":
311 """Parse all the options"""
313 timeStart
= time
.clock()
319 ((_)\ ))\ ( /(_))(_))
321 | \| (_)) ((_) _ \_ _|
323 |_|\_\___\___/_| |___| Ver. *.USEGIT
326 parser
= OptionParser(usage
="usage: %prog [options] <start directory> <OPTIONAL: filename regex>",
328 parser
.add_option("-c", "--csv",
332 help="generate CSV outfile",
334 parser
.add_option("-a", "--all",
338 help="Run all (useful) tests [Entropy, Longest Word, IC, Signature]",)
339 parser
.add_option("-z", "--zlib",
343 help="Run compression Test",)
344 parser
.add_option("-e", "--entropy",
348 help="Run entropy Test",)
349 parser
.add_option("-E", "--eval",
353 help="Run signiture test for the eval",)
354 parser
.add_option("-l", "--longestword",
358 help="Run longest word test",)
359 parser
.add_option("-i", "--ic",
364 parser
.add_option("-s", "--signature",
368 help="Run signature test",)
369 parser
.add_option("-S", "--supersignature",
371 dest
="is_supersignature",
373 help="Run SUPER-signature test",)
374 parser
.add_option("-A", "--auto",
378 help="Run auto file extension tests",)
379 parser
.add_option("-u", "--unicode",
381 dest
="ignore_unicode",
383 help="Skip over unicode-y/UTF'y files",)
385 (options
, args
) = parser
.parse_args()
387 # Error on invalid number of arguements
393 # Error on an invalid path
394 if os
.path
.exists(args
[0]) == False:
395 parser
.error("Invalid path")
398 if (len(args
) == 2 and options
.is_auto
is False):
400 valid_regex
= re
.compile(args
[1])
402 parser
.error("Invalid regular expression")
404 valid_regex
= re
.compile('.*')
408 valid_regex
= re
.compile('(\.php|\.asp|\.aspx|\.scath|\.bash|\.zsh|\.csh|\.tsch|\.pl|\.py|\.txt|\.cgi|\.cfm|\.htaccess)$')
411 tests
.append(LanguageIC())
412 tests
.append(Entropy())
413 tests
.append(LongestWord())
414 tests
.append(SignatureNasty())
415 tests
.append(SignatureSuperNasty())
417 if options
.is_entropy
:
418 tests
.append(Entropy())
419 if options
.is_longest
:
420 tests
.append(LongestWord())
422 tests
.append(LanguageIC())
423 if options
.is_signature
:
424 tests
.append(SignatureNasty())
425 if options
.is_supersignature
:
426 tests
.append(SignatureSuperNasty())
428 tests
.append(UsesEval())
430 tests
.append(Compression())
432 # Instantiate the Generator Class used for searching, opening, and reading files
433 locator
= SearchFile()
435 # CSV file output array
437 csv_header
= ["filename"]
439 # Grab the file and calculate each test against file
442 for data
, filename
in locator
.search_file_path(args
, valid_regex
):
444 # a row array for the CSV
446 csv_row
.append(filename
)
448 if options
.ignore_unicode
:
450 for character
in data
:
451 if ord(character
) > 127:
452 asciiHighCount
= asciiHighCount
+ 1
454 fileAsciiHighRatio
= float(asciiHighCount
) / float(len(data
))
456 if (options
.ignore_unicode
== False or fileAsciiHighRatio
< .1):
458 calculated_value
= test
.calculate(data
, filename
)
459 # Make the header row if it hasn't been fully populated, +1 here to account for filename column
460 if len(csv_header
) < len(tests
) + 1:
461 csv_header
.append(test
.__class
__.__name
__)
462 csv_row
.append(calculated_value
)
463 fileCount
= fileCount
+ 1
464 csv_array
.append(csv_row
)
466 fileIgnoreCount
= fileIgnoreCount
+ 1
469 csv_array
.insert(0,csv_header
)
470 fileOutput
= csv
.writer(open(options
.is_csv
, "wb"))
471 fileOutput
.writerows(csv_array
)
473 timeFinish
= time
.clock()
476 print "\n[[ Total files scanned: %i ]]" % (fileCount
)
477 print "[[ Total files ignored: %i ]]" % (fileIgnoreCount
)
478 print "[[ Scan Time: %f seconds ]]" % (timeFinish
- timeStart
)
480 # Print top rank lists
485 for file in test
.results
:
486 rank_list
[file["filename"]] = rank_list
.setdefault(file["filename"], 0) + file["rank"]
488 rank_sorted
= sorted(rank_list
.items(), key
=lambda x
: x
[1])
490 print "\n[[ Top cumulative ranked files ]]"
492 if (count
> len(rank_sorted
)): count
= len(rank_sorted
)
493 for x
in range(count
):
494 print ' {0:>7} {1}'.format(rank_sorted
[x
][1], rank_sorted
[x
][0])