forked from akkana/scripts
-
Notifications
You must be signed in to change notification settings - Fork 0
/
langgrep
executable file
·251 lines (201 loc) · 7.23 KB
/
langgrep
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
#! /usr/bin/env python3
# langgrep: grep for a pattern but only in files written in the
# specified language (as specified by the shebang line).
#
# Copyright 2009, 2019 by Akkana Peck.
# Please share, modify and enjoy under the terms of the GPL v2
# or, at your option, any later GPL version.
#
# Bugs: it isn't smart about parsing the grep flags.
# Anything beginning with a - will be considered a flag
# and passed on to grep; the first argument not starting with -
# is taken to be the search pattern, and everything after that
# is the file list.
#
import string, os, sys
import subprocess
import shlex
# Use XDG for the config and cache directories if it's available:
try:
import xdg.BaseDirectory
except:
pass
def Usage():
print("langgrep [-f] lang [grepflags] pattern [files]")
print(" e.g. langgrep python -w find")
print("-f: print full path of files")
print()
print("If no files are specified, will search in ~/bin")
print("plus any directory specified in ~/.config/langgrep/$LANGUAGE.conf")
sys.exit(0)
def extra_dirs_by_lang(lang):
"""See if there's a lang.conf file that lists extra files by language.
It should have absolute paths to directories, one per line.
Return a list of extra dirs.
"""
#
# Read the config file
#
if 'XDG_CONFIG_HOME' in os.environ:
confighome = os.environ['XDG_CONFIG_HOME']
elif 'xdg.BaseDirectory' in sys.modules:
confighome = xdg.BaseDirectory.xdg_config_home
else:
confighome = os.path.join(os.environ['HOME'], '.config')
confdir = os.path.join(confighome, 'langgrep')
configfile = os.path.join(confdir, '%s.conf' % lang)
# print("configfile:", configfile)
extradirs = []
try:
with open(configfile) as cf:
for line in cf:
# Allow $HOME or ~ in specifiers
if '$HOME' in line:
line = line.replace('$HOME', '~')
line = os.path.expanduser(line.strip())
if line and not line.startswith('#') and os.path.exists(line):
extradirs.append(line)
except:
pass
# print(extradirs)
return extradirs
file_endings = {
'python' : [ '.py', 'py3' ],
'javascript' : [ '.js' ],
'js' : [ '.js' ],
'php' : [ '.php' ],
'c' : [ '.c', '.h' ],
'c++' : [ '.cpp', '.c++', '.h' ],
'java' : [ '.java' ],
'ruby' : [ '.rb' ],
'perl' : [ '.pl', 'perl' ],
'sh' : [ '.sh' ],
'bash' : [ '.bash' ],
'zsh' : [ '.zsh' ],
'csh' : [ '.csh' ],
}
languages_with_shebang = [ 'python', 'perl', 'sh', 'ruby', 'perl',
'bash', 'zsh', 'csh', 'tcsh' ]
def check_file_lang(filename, lang):
"""Try to guess whether a file is a given programming language.
Use file extensions, shebangs.
"""
if os.path.isdir(filename) or not os.path.exists(filename):
return False
if lang in file_endings:
for ending in file_endings[lang]:
if filename.endswith(ending):
return True
# Don't waste time looking for shebangs in every file
# for languages where that's not relevant:
if lang in languages_with_shebang:
try:
f = open(filename, 'r')
firstline = f.readline()
f.close()
except IOError as e:
print("IOError", e)
# print "exc_info is", sys.exc_info()
sys.exit(1)
return False
except UnicodeDecodeError as e:
# print(filename, "seems to be a binary file")
return False
if firstline[0:2] == "#!" and lang in firstline:
return True
return False
# Keep track of filepaths already seen, so as not to repeat them.
filepaths = set()
def find_files_in_dir(lang, direc):
"""Generator: iterate over a set of files that are the right language
under the given dir.
"""
for root, dirs, fs in os.walk(direc, followlinks=True):
for f in fs:
filename = os.path.join(root, f)
if check_file_lang(filename, lang):
filepath = os.path.join(root, filename)
if filepath not in filepaths:
filepaths.add(filepath)
yield filepath
def langgrep(lang, pattern, grepargs, fil, flags):
arglist = ['grep', '-H']
arglist.extend(grepargs)
arglist.append(pattern)
arglist.append(fil)
proc = subprocess.Popen(arglist,
shell=False, stdout=subprocess.PIPE)
pout = proc.communicate()[0]
# Go through the output removing all but the last dir of the path.
# Otherwise lines are so long they're confusing.
if not pout:
return
# for line in pout.decode("utf-8").split('\n'):
for line in pout.decode().split('\n'):
# For some reason the split is giving us every other line empty
if not line:
continue
# If there's a super long line, it's not part of my code
# and won't be easy to read, so omit it:
if len(line) > 160:
continue
colon = line.find(":")
pathparts = line[:colon].split('/')
if len(pathparts) < 2 or pathparts[-2] == "bin":
path = pathparts[-1]
else:
path = '/'.join(pathparts[-2:])
if 'fullpath' in flags and flags['fullpath']:
s = "%s%s" % (path, line[colon:])
else:
s = "%s%s" % (os.path.basename(path), line[colon:])
# print(s.encode('utf-8', "backslashreplace"))
print(s)
def parse_args():
"""Usage: langgrep lang [grepflags] pattern files
Returns: (lang, pattern, grepargs, files)
"""
if len(sys.argv) < 3:
Usage()
flags = {}
if sys.argv[1] == '-f':
flags['fullpath'] = True
sys.argv = sys.argv[1:]
elif sys.argv[1].startswith('-'):
Usage()
lang = sys.argv[1]
# After the language, any flag argument plus the grep pattern
# gets appended to args -- these will be the grep args.
patindex = 0
grepargs = []
pattern = None
files = []
for arg in sys.argv[2:]:
if not pattern:
if arg.startswith('-'):
grepargs.append(arg)
else:
pattern = arg
continue
files.append(arg)
return (lang, pattern, grepargs, files, flags)
if __name__ == '__main__':
try:
lang, pattern, grepargs, files, flags = parse_args()
if not files:
for filepath in find_files_in_dir(lang,
os.path.join(os.getenv("HOME"),
"bin")):
langgrep(lang, pattern, grepargs, filepath, flags)
for d in extra_dirs_by_lang(lang):
for filepath in find_files_in_dir(lang, d):
langgrep(lang, pattern, grepargs, filepath, flags)
# print("files:", '\n'.join(files))
for fil in files:
langgrep(lang, pattern, grepargs, fil, ('fullpath') in flags)
# Try to catch ctrl-C and print a nicer message.
# This doesn't work, though:
# subprocess.call just terminates the whole process.
except KeyboardInterrupt as e:
print("Interrupt!")
sys.exit(1)