This repository has been archived by the owner on May 31, 2024. It is now read-only.
forked from SublimeText/LaTeXTools
-
Notifications
You must be signed in to change notification settings - Fork 0
/
latex_cite_completions.py
403 lines (332 loc) · 14.4 KB
/
latex_cite_completions.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
import sublime, sublime_plugin
import os, os.path
import re
import getTeXRoot
def match(rex, str):
m = rex.match(str)
if m:
return m.group(0)
else:
return None
# recursively search all linked tex files to find all
# included bibliography tags in the document and extract
# the absolute filepaths of the bib files
def find_bib_files(rootdir, src, bibfiles):
if src[-4:].lower() != ".tex":
src = src + ".tex"
file_path = os.path.normpath(os.path.join(rootdir,src))
print "Searching file: " + repr(file_path)
dir_name = os.path.dirname(file_path)
# read src file and extract all bibliography tags
try:
src_file = open(file_path, "r")
except IOError:
print "WARNING! I can't find it! Check your \\include's and \\input's."
return
src_content = re.sub("%.*","",src_file.read())
bibtags = re.findall(r'\\bibliography\{[^\}]+\}', src_content)
# extract absolute filepath for each bib file
for tag in bibtags:
bfiles = re.search(r'\{([^\}]+)', tag).group(1).split(',')
for bf in bfiles:
if bf[-4:] != '.bib':
bf = bf + '.bib'
bf = os.path.normpath(os.path.join(dir_name,bf))
bibfiles.append(bf)
# search through input tex files recursively
for f in re.findall(r'\\(?:input|include)\{[^\}]+\}',src_content):
input_f = re.search(r'\{([^\}]+)', f).group(1)
find_bib_files(dir_name, input_f, bibfiles)
# Based on html_completions.py
# see also latex_ref_completions.py
#
# It expands citations; activated by
# cite<tab>
# citep<tab> and friends
#
# Furthermore, you can "pre-filter" the completions: e.g. use
#
# cite_sec
#
# to select all citation keywords starting with "sec".
#
# There is only one problem: if you have a keyword "sec:intro", for instance,
# doing "cite_intro:" will find it correctly, but when you insert it, this will be done
# right after the ":", so the "cite_intro:" won't go away. The problem is that ":" is a
# word boundary. Then again, TextMate has similar limitations :-)
#
# There is also another problem: * is also a word boundary :-( So, use e.g. citeX if
# what you want is \cite*{...}; the plugin handles the substitution
class LatexCiteCompletions(sublime_plugin.EventListener):
def on_query_completions(self, view, prefix, locations):
# Only trigger within LaTeX
if not view.match_selector(locations[0],
"text.tex.latex"):
return []
# Get the contents of line 0, from the beginning of the line to
# the current point
l = locations[0]
line = view.substr(sublime.Region(view.line(l).a, l))
# Reverse, to simulate having the regex
# match backwards (cool trick jps btw!)
line = line[::-1]
#print line
# Check the first location looks like a ref, but backward
# NOTE: use lazy match for the fancy cite part!!!
# NOTE2: restrict what to match for fancy cite
rex = re.compile("([^_]*_)?([a-zX]*?)etic")
expr = match(rex, line)
#print expr
# See first if we have a cite_ trigger
if expr:
# Return the completions
prefix, fancy_cite = rex.match(expr).groups()
preformatted = False
post_brace = "}"
if prefix:
prefix = prefix[::-1] # reverse
prefix = prefix[1:] # chop off #
if fancy_cite:
fancy_cite = fancy_cite[::-1]
# fancy_cite = fancy_cite[1:] # no need to chop off?
if fancy_cite[-1] == "X":
fancy_cite = fancy_cite[:-1] + "*"
print prefix, fancy_cite
# Otherwise, see if we have a preformatted \cite{}
else:
rex = re.compile(r"([^{}]*)\{?([a-zX*]*?)etic\\")
expr = match(rex, line)
if not expr:
return []
preformatted = True
post_brace = ""
prefix, fancy_cite = rex.match(expr).groups()
if prefix:
prefix = prefix[::-1]
else:
prefix = ""
if fancy_cite:
fancy_cite = fancy_cite[::-1]
if fancy_cite[-1] == "X":
fancy_cite = fancy_cite[:-1] + "*"
else:
fancy_cite = ""
print prefix, fancy_cite
# Reverse back expr
expr = expr[::-1]
if not preformatted:
# Replace cite expression with "C" to save space in drop-down menu
expr_region = sublime.Region(l-len(expr),l)
#print expr, view.substr(expr_region)
ed = view.begin_edit()
expr = "\cite" + fancy_cite + "{" + prefix
view.replace(ed, expr_region, expr)
view.end_edit(ed)
completions = ["TEST"]
#### GET COMPLETIONS HERE #####
root = getTeXRoot.get_tex_root(view)
print "TEX root: " + repr(root)
bib_files = []
find_bib_files(os.path.dirname(root),root,bib_files)
# remove duplicate bib files
bib_files = list(set(bib_files))
print "Bib files found: ",
print repr(bib_files)
if not bib_files:
print "Error!"
return []
bib_files = ([x.strip() for x in bib_files])
print "Files:"
print repr(bib_files)
completions = []
kp = re.compile(r'@[^\{]+\{(.+),')
# new and improved regex
# we must have "title" then "=", possibly with spaces
# then either {, maybe repeated twice, or "
# then spaces and finally the title
# We capture till the end of the line as maybe entry is broken over several lines
# and in the end we MAY but need not have }'s and "s
tp = re.compile(r'\btitle\s*=\s*(?:\{+|")\s*(.+)', re.IGNORECASE) # note no comma!
kp2 = re.compile(r'([^\t]+)\t*')
for bibfname in bib_files:
if bibfname[-4:] != ".bib":
bibfname = bibfname + ".bib"
texfiledir = os.path.dirname(view.file_name())
# fix from Tobias Schmidt to allow for absolute paths
bibfname = os.path.normpath(os.path.join(texfiledir, bibfname))
print repr(bibfname)
try:
bibf = open(bibfname)
except IOError:
sublime.error_message("Cannot open bibliography file %s !" % (bibfname,))
return []
else:
bib = bibf.readlines()
bibf.close()
print "%s has %s lines" % (repr(bibfname), len(bib))
# note Unicode trickery
keywords = [kp.search(line).group(1).decode('ascii','ignore') for line in bib if line[0] == '@']
titles = [tp.search(line).group(1).decode('ascii','ignore') for line in bib if tp.search(line)]
if len(keywords) != len(titles):
print "Bibliography " + repr(bibfname) + " is broken!"
# Filter out }'s and ,'s at the end. Ugly!
nobraces = re.compile(r'\s*,*\}*(.+)')
titles = [nobraces.search(t[::-1]).group(1)[::-1] for t in titles]
completions += zip(keywords, titles)
#### END COMPLETIONS HERE ####
print "Found %d completions" % (len(completions),)
if prefix:
completions = [comp for comp in completions if prefix.lower() in "%s %s" % (comp[0].lower(),comp[1].lower())]
# popup is 40chars wide...
t_end = 80 - len(expr)
r = [(prefix + " "+title[:t_end], keyword + post_brace)
for (keyword, title) in completions]
print "%d bib entries matching %s" % (len(r), prefix)
# def on_done(i):
# print "latex_cite_completion called with index %d" % (i,)
# print "selected" + r[i][1]
# print view.window()
return r
class LatexCiteCommand(sublime_plugin.TextCommand):
# Remember that this gets passed an edit object
def run(self, edit):
# get view and location of first selection, which we expect to be just the cursor position
view = self.view
point = view.sel()[0].b
print point
# Only trigger within LaTeX
# Note using score_selector rather than match_selector
if not view.score_selector(point,
"text.tex.latex"):
return
# Get the contents of the current line, from the beginning of the line to
# the current point
line = view.substr(sublime.Region(view.line(point).a, point))
print line
# Reverse, to simulate having the regex
# match backwards (cool trick jps btw!)
line = line[::-1]
#print line
# Check the first location looks like a cite_, but backward
# NOTE: use lazy match for the fancy cite part!!!
# NOTE2: restrict what to match for fancy cite
rex = re.compile("([^_]*_)?([a-zX]*?)etic")
expr = match(rex, line)
# See first if we have a cite_ trigger
if expr:
# Return the completions
prefix, fancy_cite = rex.match(expr).groups()
preformatted = False
post_brace = "}"
if prefix:
prefix = prefix[::-1] # reverse
prefix = prefix[1:] # chop off #
if fancy_cite:
fancy_cite = fancy_cite[::-1]
# fancy_cite = fancy_cite[1:] # no need to chop off?
if fancy_cite[-1] == "X":
fancy_cite = fancy_cite[:-1] + "*"
print prefix, fancy_cite
# Otherwise, see if we have a preformatted \cite{}
else:
rex = re.compile(r"([^{}]*)\{?([a-zX*]*?)etic\\")
expr = match(rex, line)
if not expr:
return []
preformatted = True
post_brace = ""
prefix, fancy_cite = rex.match(expr).groups()
if prefix:
prefix = prefix[::-1]
else:
prefix = ""
if fancy_cite:
fancy_cite = fancy_cite[::-1]
if fancy_cite[-1] == "X":
fancy_cite = fancy_cite[:-1] + "*"
else:
fancy_cite = ""
print prefix, fancy_cite
# Reverse back expr
expr = expr[::-1]
#### GET COMPLETIONS HERE #####
root = getTeXRoot.get_tex_root(view)
print "TEX root: " + repr(root)
bib_files = []
find_bib_files(os.path.dirname(root),root,bib_files)
# remove duplicate bib files
bib_files = list(set(bib_files))
print "Bib files found: ",
print repr(bib_files)
if not bib_files:
print "Error!"
return []
bib_files = ([x.strip() for x in bib_files])
print "Files:"
print repr(bib_files)
completions = []
kp = re.compile(r'@[^\{]+\{(.+),')
# new and improved regex
# we must have "title" then "=", possibly with spaces
# then either {, maybe repeated twice, or "
# then spaces and finally the title
# We capture till the end of the line as maybe entry is broken over several lines
# and in the end we MAY but need not have }'s and "s
tp = re.compile(r'\btitle\s*=\s*(?:\{+|")\s*(.+)', re.IGNORECASE) # note no comma!
# Tentatively do the same for author
ap = re.compile(r'\bauthor\s*=\s*(?:\{+|")\s*(.+)', re.IGNORECASE)
kp2 = re.compile(r'([^\t]+)\t*')
for bibfname in bib_files:
if bibfname[-4:] != ".bib":
bibfname = bibfname + ".bib"
texfiledir = os.path.dirname(view.file_name())
# fix from Tobias Schmidt to allow for absolute paths
bibfname = os.path.normpath(os.path.join(texfiledir, bibfname))
print repr(bibfname)
try:
bibf = open(bibfname)
except IOError:
sublime.error_message("Cannot open bibliography file %s !" % (bibfname,))
return []
else:
bib = bibf.readlines()
bibf.close()
print "%s has %s lines" % (repr(bibfname), len(bib))
# note Unicode trickery
keywords = [kp.search(line).group(1).decode('ascii','ignore') for line in bib if line[0] == '@']
titles = [tp.search(line).group(1).decode('ascii','ignore') for line in bib if tp.search(line)]
authors = [ap.search(line).group(1).decode('ascii','ignore') for line in bib if ap.search(line)]
# print zip(keywords,titles,authors)
if len(keywords) != len(titles):
print "Bibliography " + repr(bibfname) + " is broken!"
return
# if len(keywords) != len(authors):
# print "Bibliography " + bibfname + " is broken (authors)!"
# return
print "Found %d total bib entries" % (len(keywords),)
# Filter out }'s and ,'s at the end. Ugly!
nobraces = re.compile(r'\s*,*\}*(.+)')
titles = [nobraces.search(t[::-1]).group(1)[::-1] for t in titles]
authors = [nobraces.search(a[::-1]).group(1)[::-1] for a in authors]
completions += zip(keywords, titles, authors)
#### END COMPLETIONS HERE ####
# filter against keyword, title, or author
if prefix:
completions = [comp for comp in completions if prefix.lower() in "%s %s %s" \
% (comp[0].lower(),comp[1].lower(), comp[2].lower())]
# Note we now generate citation on the fly. Less copying of vectors! Win!
def on_done(i):
print "latex_cite_completion called with index %d" % (i,)
# Allow user to cancel
if i<0:
return
last_brace = "}" if not preformatted else ""
cite = "\\cite" + fancy_cite + "{" + completions[i][0] + last_brace
print "selected %s:%s by %s" % completions[i]
# Replace cite expression with citation
expr_region = sublime.Region(point-len(expr),point)
ed = view.begin_edit()
view.replace(ed, expr_region, cite)
view.end_edit(ed)
view.window().show_quick_panel([[title + " (" + keyword+ ")", author] \
for (keyword,title, author) in completions], on_done)