forked from pandas-dev/pandas
-
Notifications
You must be signed in to change notification settings - Fork 2
/
find_commits_touching_func.py
executable file
·244 lines (204 loc) · 6.47 KB
/
find_commits_touching_func.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
#!/usr/bin/env python
# copyright 2013, y-p @ github
"""
Search the git history for all commits touching a named method
You need the sh module to run this
WARNING: this script uses git clean -f, running it on a repo with untracked
files will probably erase them.
Usage::
$ ./find_commits_touching_func.py (see arguments below)
"""
import logging
import re
import os
import argparse
from collections import namedtuple
from dateutil.parser import parse
try:
import sh
except ImportError:
raise ImportError("The 'sh' package is required to run this script.")
desc = """
Find all commits touching a specified function across the codebase.
""".strip()
argparser = argparse.ArgumentParser(description=desc)
argparser.add_argument(
"funcname",
metavar="FUNCNAME",
help="Name of function/method to search for changes on",
)
argparser.add_argument(
"-f",
"--file-masks",
metavar="f_re(,f_re)*",
default=[r"\.py.?$"],
help="comma separated list of regexes to match "
"filenames against\ndefaults all .py? files",
)
argparser.add_argument(
"-d",
"--dir-masks",
metavar="d_re(,d_re)*",
default=[],
help="comma separated list of regexes to match base " "path against",
)
argparser.add_argument(
"-p",
"--path-masks",
metavar="p_re(,p_re)*",
default=[],
help="comma separated list of regexes to match full " "file path against",
)
argparser.add_argument(
"-y",
"--saw-the-warning",
action="store_true",
default=False,
help="must specify this to run, acknowledge you "
"realize this will erase untracked files",
)
argparser.add_argument(
"--debug-level",
default="CRITICAL",
help="debug level of messages (DEBUG, INFO, etc...)",
)
args = argparser.parse_args()
lfmt = logging.Formatter(fmt="%(levelname)-8s %(message)s", datefmt="%m-%d %H:%M:%S")
shh = logging.StreamHandler()
shh.setFormatter(lfmt)
logger = logging.getLogger("findit")
logger.addHandler(shh)
Hit = namedtuple("Hit", "commit path")
HASH_LEN = 8
def clean_checkout(comm):
h, s, d = get_commit_vitals(comm)
if len(s) > 60:
s = s[:60] + "..."
s = s.split("\n")[0]
logger.info("CO: %s %s" % (comm, s))
sh.git("checkout", comm, _tty_out=False)
sh.git("clean", "-f")
def get_hits(defname, files=()):
cs = set()
for f in files:
try:
r = sh.git(
"blame",
"-L",
r"/def\s*{start}/,/def/".format(start=defname),
f,
_tty_out=False,
)
except sh.ErrorReturnCode_128:
logger.debug("no matches in %s" % f)
continue
lines = r.strip().splitlines()[:-1]
# remove comment lines
lines = [x for x in lines if not re.search(r"^\w+\s*\(.+\)\s*#", x)]
hits = set(map(lambda x: x.split(" ")[0], lines))
cs.update({Hit(commit=c, path=f) for c in hits})
return cs
def get_commit_info(c, fmt, sep="\t"):
r = sh.git(
"log",
"--format={}".format(fmt),
"{}^..{}".format(c, c),
"-n",
"1",
_tty_out=False,
)
return str(r).split(sep)
def get_commit_vitals(c, hlen=HASH_LEN):
h, s, d = get_commit_info(c, "%H\t%s\t%ci", "\t")
return h[:hlen], s, parse(d)
def file_filter(state, dirname, fnames):
if args.dir_masks and not any(re.search(x, dirname) for x in args.dir_masks):
return
for f in fnames:
p = os.path.abspath(os.path.join(os.path.realpath(dirname), f))
if any(re.search(x, f) for x in args.file_masks) or any(
re.search(x, p) for x in args.path_masks
):
if os.path.isfile(p):
state["files"].append(p)
def search(defname, head_commit="HEAD"):
HEAD, s = get_commit_vitals("HEAD")[:2]
logger.info("HEAD at %s: %s" % (HEAD, s))
done_commits = set()
# allhits = set()
files = []
state = dict(files=files)
os.walk(".", file_filter, state)
# files now holds a list of paths to files
# seed with hits from q
allhits = set(get_hits(defname, files=files))
q = {HEAD}
try:
while q:
h = q.pop()
clean_checkout(h)
hits = get_hits(defname, files=files)
for x in hits:
prevc = get_commit_vitals(x.commit + "^")[0]
if prevc not in done_commits:
q.add(prevc)
allhits.update(hits)
done_commits.add(h)
logger.debug("Remaining: %s" % q)
finally:
logger.info("Restoring HEAD to %s" % HEAD)
clean_checkout(HEAD)
return allhits
def pprint_hits(hits):
SUBJ_LEN = 50
PATH_LEN = 20
hits = list(hits)
max_p = 0
for hit in hits:
p = hit.path.split(os.path.realpath(os.curdir) + os.path.sep)[-1]
max_p = max(max_p, len(p))
if max_p < PATH_LEN:
SUBJ_LEN += PATH_LEN - max_p
PATH_LEN = max_p
def sorter(i):
h, s, d = get_commit_vitals(hits[i].commit)
return hits[i].path, d
print(
("\nThese commits touched the %s method in these files " "on these dates:\n")
% args.funcname
)
for i in sorted(range(len(hits)), key=sorter):
hit = hits[i]
h, s, d = get_commit_vitals(hit.commit)
p = hit.path.split(os.path.realpath(os.curdir) + os.path.sep)[-1]
fmt = "{:%d} {:10} {:<%d} {:<%d}" % (HASH_LEN, SUBJ_LEN, PATH_LEN)
if len(s) > SUBJ_LEN:
s = s[: SUBJ_LEN - 5] + " ..."
print(fmt.format(h[:HASH_LEN], d.isoformat()[:10], s, p[-20:]))
print("\n")
def main():
if not args.saw_the_warning:
argparser.print_help()
print(
"""
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
WARNING:
this script uses git clean -f, running it on a repo with untracked files.
It's recommended that you make a fresh clone and run from its root directory.
You must specify the -y argument to ignore this warning.
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
"""
)
return
if isinstance(args.file_masks, str):
args.file_masks = args.file_masks.split(",")
if isinstance(args.path_masks, str):
args.path_masks = args.path_masks.split(",")
if isinstance(args.dir_masks, str):
args.dir_masks = args.dir_masks.split(",")
logger.setLevel(getattr(logging, args.debug_level))
hits = search(args.funcname)
pprint_hits(hits)
if __name__ == "__main__":
import sys
sys.exit(main())