forked from iphelix/pack
-
Notifications
You must be signed in to change notification settings - Fork 15
/
statsgen.py
executable file
·302 lines (242 loc) · 11.7 KB
/
statsgen.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
#!/usr/bin/env python3
# StatsGen - Password Statistical Analysis tool
#
# This tool is part of PACK (Password Analysis and Cracking Kit)
#
# VERSION 0.0.3
#
# Copyright (C) 2013 Peter Kacherginsky
# All rights reserved.
#
# Please see the attached LICENSE file for additional licensing information.
import operator
import string
from optparse import OptionParser, OptionGroup
VERSION = "0.0.3"
class StatsGen:
def __init__(self):
self.output_file = None
# Filters
self.minlength = None
self.maxlength = None
self.simplemasks = None
self.charsets = None
self.quiet = False
self.debug = True
# Stats dictionaries
self.stats_length = dict()
self.stats_simplemasks = dict()
self.stats_advancedmasks = dict()
self.stats_charactersets = dict()
# Ignore stats with less than 1% coverage
self.hiderare = False
self.filter_counter = 0
self.total_counter = 0
# Minimum password complexity counters
self.mindigit = None
self.minupper = None
self.minlower = None
self.minspecial = None
self.maxdigit = None
self.maxupper = None
self.maxlower = None
self.maxspecial = None
@staticmethod
def analyze_password(password):
# Password length
pass_length = len(password)
# Character-set and policy counters
digit = 0
lower = 0
upper = 0
special = 0
simplemask = list()
advancedmask_string = ""
# Detect simple and advanced masks
for letter in password:
if letter in string.digits:
digit += 1
advancedmask_string += "?d"
if not simplemask or not simplemask[-1] == 'digit':
simplemask.append('digit')
elif letter in string.ascii_lowercase:
lower += 1
advancedmask_string += "?l"
if not simplemask or not simplemask[-1] == 'string':
simplemask.append('string')
elif letter in string.ascii_uppercase:
upper += 1
advancedmask_string += "?u"
if not simplemask or not simplemask[-1] == 'string':
simplemask.append('string')
else:
special += 1
advancedmask_string += "?s"
if not simplemask or not simplemask[-1] == 'special':
simplemask.append('special')
# String representation of masks
simplemask_string = ''.join(simplemask) if len(simplemask) <= 3 else 'othermask'
# Policy
policy = (digit, lower, upper, special)
# Determine character-set
if digit and not lower and not upper and not special:
charset = 'numeric'
elif not digit and lower and not upper and not special:
charset = 'loweralpha'
elif not digit and not lower and upper and not special:
charset = 'upperalpha'
elif not digit and not lower and not upper and special:
charset = 'special'
elif not digit and lower and upper and not special:
charset = 'mixedalpha'
elif digit and lower and not upper and not special:
charset = 'loweralphanum'
elif digit and not lower and upper and not special:
charset = 'upperalphanum'
elif not digit and lower and not upper and special:
charset = 'loweralphaspecial'
elif not digit and not lower and upper and special:
charset = 'upperalphaspecial'
elif digit and not lower and not upper and special:
charset = 'specialnum'
elif not digit and lower and upper and special:
charset = 'mixedalphaspecial'
elif digit and not lower and upper and special:
charset = 'upperalphaspecialnum'
elif digit and lower and not upper and special:
charset = 'loweralphaspecialnum'
elif digit and lower and upper and not special:
charset = 'mixedalphanum'
else:
charset = 'all'
return pass_length, charset, simplemask_string, advancedmask_string, policy
def generate_stats(self, filename):
""" Generate password statistics. """
f = open(filename, 'r', encoding="latin-1", errors='ignore')
for password in f:
password = password.rstrip('\r\n')
# if the password is empty, continue
if not password:
continue
self.total_counter += 1
(pass_length, characterset, simplemask, advancedmask, policy) = self.analyze_password(password)
(digit, lower, upper, special) = policy
if (self.charsets is None or characterset in self.charsets) and \
(self.simplemasks is None or simplemask in self.simplemasks) and \
(self.maxlength is None or pass_length <= self.maxlength) and \
(self.minlength is None or pass_length >= self.minlength):
self.filter_counter += 1
if self.mindigit is None or digit < self.mindigit:
self.mindigit = digit
if self.maxdigit is None or digit > self.maxdigit:
self.maxdigit = digit
if self.minupper is None or upper < self.minupper:
self.minupper = upper
if self.maxupper is None or upper > self.maxupper:
self.maxupper = upper
if self.minlower is None or lower < self.minlower:
self.minlower = lower
if self.maxlower is None or lower > self.maxlower:
self.maxlower = lower
if self.minspecial is None or special < self.minspecial:
self.minspecial = special
if self.maxspecial is None or special > self.maxspecial:
self.maxspecial = special
if pass_length in self.stats_length:
self.stats_length[pass_length] += 1
else:
self.stats_length[pass_length] = 1
if characterset in self.stats_charactersets:
self.stats_charactersets[characterset] += 1
else:
self.stats_charactersets[characterset] = 1
if simplemask in self.stats_simplemasks:
self.stats_simplemasks[simplemask] += 1
else:
self.stats_simplemasks[simplemask] = 1
if advancedmask in self.stats_advancedmasks:
self.stats_advancedmasks[advancedmask] += 1
else:
self.stats_advancedmasks[advancedmask] = 1
f.close()
def print_stats(self):
""" Print password statistics. """
print("[+] Analyzing %d%% (%d/%d) of passwords" % (self.filter_counter*100//self.total_counter,
self.filter_counter, self.total_counter))
print("[*] Statistics below is relative to the number of analyzed passwords, not total number of passwords")
print("\n[*] Length:")
for (length, count) in sorted(iter(self.stats_length.items()), key=operator.itemgetter(1), reverse=True):
if self.hiderare and not count*100//self.filter_counter > 0:
continue
print("[+] %25d: %02d%% (%d)" % (length, count*100/self.filter_counter, count))
print("\n[*] Character-set:")
for (char, count) in sorted(iter(self.stats_charactersets.items()), key=operator.itemgetter(1), reverse=True):
if self.hiderare and not count*100//self.filter_counter > 0:
continue
print("[+] %25s: %02d%% (%d)" % (char, count*100/self.filter_counter, count))
print("\n[*] Password complexity:")
print("[+] digit: min(%s) max(%s)" % (self.mindigit, self.maxdigit))
print("[+] lower: min(%s) max(%s)" % (self.minlower, self.maxlower))
print("[+] upper: min(%s) max(%s)" % (self.minupper, self.maxupper))
print("[+] special: min(%s) max(%s)" % (self.minspecial, self.maxspecial))
print("\n[*] Simple Masks:")
for (simplemask, count) in sorted(iter(self.stats_simplemasks.items()), key=operator.itemgetter(1),
reverse=True):
if self.hiderare and not count*100//self.filter_counter > 0:
continue
print("[+] %25s: %02d%% (%d)" % (simplemask, count*100//self.filter_counter, count))
print("\n[*] Advanced Masks:")
for (advancedmask, count) in sorted(iter(self.stats_advancedmasks.items()), key=operator.itemgetter(1),
reverse=True):
if count*100//self.filter_counter > 0:
print("[+] %25s: %02d%% (%d)" % (advancedmask, count*100//self.filter_counter, count))
if self.output_file:
self.output_file.write("%s,%d\n" % (advancedmask, count))
if __name__ == "__main__":
header = " _ \n"
header += " StatsGen %s | |\n" % VERSION
header += " _ __ __ _ ___| | _\n"
header += " | '_ \ / _` |/ __| |/ /\n"
header += " | |_) | (_| | (__| < \n"
header += " | .__/ \__,_|\___|_|\_\\\n"
header += " | | \n"
header += " |_| [email protected]\n"
header += "\n"
parser = OptionParser("%prog [options] passwords.txt\n\nType --help for more options", version="%prog "+VERSION)
filters = OptionGroup(parser, "Password Filters")
filters.add_option("--minlength", dest="minlength", type="int", metavar="8", help="Minimum password length")
filters.add_option("--maxlength", dest="maxlength", type="int", metavar="8", help="Maximum password length")
filters.add_option("--charset", dest="charsets", help="Password charset filter (comma separated)",
metavar="loweralpha,numeric")
filters.add_option("--simplemask", dest="simplemasks", help="Password mask filter (comma separated)",
metavar="stringdigit,allspecial")
parser.add_option_group(filters)
parser.add_option("-o", "--output", dest="output_file", help="Save masks and stats to a file",
metavar="password.masks")
parser.add_option("--hiderare", action="store_true", dest="hiderare", default=False,
help="Hide statistics covering less than 1% of the sample")
parser.add_option("-q", "--quiet", action="store_true", dest="quiet", default=False, help="Don't show headers.")
(options, args) = parser.parse_args()
# Print program header
if not options.quiet:
print(header)
if len(args) != 1:
parser.error("no passwords file specified")
exit(1)
print("[*] Analyzing passwords in [%s]" % args[0])
statsgen = StatsGen()
if options.minlength is not None:
statsgen.minlength = options.minlength
if options.maxlength is not None:
statsgen.maxlength = options.maxlength
if options.charsets is not None:
statsgen.charsets = [x.strip() for x in options.charsets.split(',')]
if options.simplemasks is not None:
statsgen.simplemasks = [x.strip() for x in options.simplemasks.split(',')]
if options.hiderare:
statsgen.hiderare = options.hiderare
if options.output_file:
print("[*] Saving advanced masks and occurrences to [%s]" % options.output_file)
statsgen.output_file = open(options.output_file, 'w')
statsgen.generate_stats(args[0])
statsgen.print_stats()