forked from ken48/LuaProjectHelper
-
Notifications
You must be signed in to change notification settings - Fork 0
/
luaProjectHelper.py
263 lines (207 loc) · 9.44 KB
/
luaProjectHelper.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
import os, re, logging, threading, string
import sublime, sublime_plugin
####################################################################################################
class GotoLuaDefinition(sublime_plugin.TextCommand):
defList = []
def run(self, edit):
wordRegion = self.view.word(self.view.sel()[0].end())
word = self.view.substr(wordRegion)
if word is None or word == '':
return
if len(LuaProject.autoCompletionList) == 0:
ProjectDBGenerator.update()
self.defList = []
defShowList = []
for module, obj in LuaProject.projectDictionary.items():
for name, data in obj.items():
# name = func, data[0] - line, data[1] - args, data[2] - table
if word == name:
defShowList.append(module + ' : ' + str(data[0]))
self.defList.append(LuaProject.projectFileDic[module] + ':' + str(data[0]))
window = sublime.active_window()
listSize = len(self.defList)
if listSize == 1:
window.open_file(self.defList[0], sublime.ENCODED_POSITION)
elif listSize > 0:
window.show_quick_panel(defShowList, self.onChoice)
else:
sublime.status_message('Unable to find definition for \'' + word + '\'')
def onChoice(self, value):
if value >= 0 and value < len(self.defList):
sublime.active_window().open_file(self.defList[value], sublime.ENCODED_POSITION)
####################################################################################################
# Auto complet event
class LuaProjectAutoCompletion(sublime_plugin.EventListener):
tableNameFindProg = re.compile('\w+:\w*$')
tableNameFindDotProg = re.compile('\w+.\w*$')
# Invoked when user toggles a side_bar or removes folder.
# Unfortunately there is no command on "add folder" event :(
def on_window_command(self, window, command_name, args):
if command_name == "toggle_side_bar" or command_name == "remove_folder":
ProjectDBGenerator.update()
# Invoked when user saves a file
def on_post_save(self, view):
ProjectDBGenerator.update()
# Change autocomplete suggestions
def on_query_completions(self, view, prefix, locations):
curFile = view.file_name()
defCompletions = [(item, item) for sublist in [view.extract_completions(prefix)]
for item in sublist if len(item) > 3]
complFlags = sublime.INHIBIT_WORD_COMPLETIONS | sublime.INHIBIT_EXPLICIT_COMPLETIONS
if ProjectDBGenerator.testFileExt(curFile):
if len(LuaProject.autoCompletionList) == 0:
ProjectDBGenerator.update()
else:
caretPos = view.sel()[0].end()
linePos = view.line(caretPos)
curline = view.substr(linePos)
curline = curline[:view.rowcol(caretPos)[1]]
matchTable = self.tableNameFindProg.search(curline)
sep = ':'
if matchTable is None:
matchTable = self.tableNameFindDotProg.search(curline)
sep = '.'
if matchTable:
tableCompls = LuaProject.getTableCompletionList(matchTable.group().split(sep, 1)[0])
if tableCompls is not None and len(tableCompls) > 0:
return(tableCompls, complFlags)
ret = []
ret.extend(LuaProject.autoCompletionList)
# Remove default completions, to avoid duplicate local variables
# ret.extend(defCompletions)
return (ret, complFlags)
return (defCompletions, complFlags)
####################################################################################################
class LuaProject:
projectFileDic = {}
projectDictionary = {}
autoCompletionList = []
def clear():
LuaProject.projectFileDic = {}
LuaProject.projectDictionary = {}
LuaProject.autoCompletionList = []
def getTableCompletionList(tableName):
tableList = []
if tableName == '':
return tableList
for module, obj in LuaProject.projectDictionary.items():
for name, data in obj.items():
if tableName == data[2]:
tableList.append((name + '\t' + module, name + data[1]))
return tableList
####################################################################################################
# Added support for Fields and args.parse options
class ProjectDBGenerator:
funcFindProg = re.compile('function\s+(.+?)\s*\)')
wsProg = re.compile(r'\s+')
reMethodArgs = re.compile("\((.*)\)")
reSelfField = re.compile("\s*self\.(\w+?)\s*=")
reArgsParseStart = re.compile("\s*local\s(\w+?)\s*=\s*args.parse.*")
reArgsParseIntoStart = re.compile("\s*args.parse(?:Lenient)?Into\((\w+?),.*")
reArgsDictOption = re.compile("\s*\{\'(\w+?)\',.*args.*\}")
reArgsParseEnd = re.compile("\s*(\)$)|(.*\}\)$)")
def update():
LuaProject.clear()
fileDic = {}
if len(sublime.active_window().folders()) > 0:
projectFolderList = sublime.active_window().folders()
for path in projectFolderList:
if os.path.isdir(path):
fileDic.update(ProjectDBGenerator.getFileDic(path))
LuaProject.projectFileDic = fileDic
LuaProject.projectDictionary = ProjectDBGenerator.genProjectDictionary(fileDic)
for module, obj in LuaProject.projectDictionary.items():
for name, data in obj.items():
LuaProject.autoCompletionList.append((name + '\t' + module, name + data[1]))
LuaProject.autoCompletionList.sort()
#-----------------------------------------------------------------------------------------------
def getFileDic(path):
fileDic = {}
for root, dirs, files in os.walk(path):
for name in files:
if ProjectDBGenerator.testFileExt(name):
fileDic[name.split('.', 1)[0]] = os.path.join(root, name)
return fileDic
#-----------------------------------------------------------------------------------------------
def parseLuaFile(buf, fileName):
fileDic = {}
lineList = buf.splitlines()
lineCounter = 0
argsCurrState = 0
for line in lineList:
lineCounter = lineCounter + 1
funcs = ProjectDBGenerator.funcFindProg.findall(line)
if len(funcs) > 0:
for func in funcs:
tableName = ''
tableFuncList = func.split(':', 1)
if len(tableFuncList) > 1:
tableName = tableFuncList[0]
fileDic[tableFuncList[0]] = [1, '', '']
funcAndArgs = tableFuncList[1]
else:
dottedTableFunc = func.split('.', 1)
if len(dottedTableFunc) > 1:
tableName = dottedTableFunc[0]
fileDic[dottedTableFunc[0]] = [1, '', '']
funcAndArgs = dottedTableFunc[1]
else:
funcAndArgs = tableFuncList[0]
#split func signature & argument list
funcAndArgsList = funcAndArgs.split('(', 1)
funcName = ProjectDBGenerator.wsProg.sub('', funcAndArgsList[0])
if len(funcName) > 0:
try:
if funcAndArgsList[1] is None or funcAndArgsList[1] == '':
selectedArgsList = '()'
else:
selectedArgsList = re.sub( ProjectDBGenerator.reMethodArgs , '(${1:\\1})' , '(' + funcAndArgsList[1] + ')' )
fileDic[funcName] = [lineCounter, selectedArgsList, tableName]
except IndexError:
fileDic[funcName] = [lineCounter, '', tableName]
# Treat args, first check that args.parse is going on
if argsCurrState == 0:
argsParseStart = ProjectDBGenerator.reArgsParseStart.match(line)
if argsParseStart:
argsTarget = argsParseStart.group(1)
# print("Args parse starting: %s '%s' %s %s" % (argsTarget, line, argsCurrState, tableName))
argsCurrState = 1
argsParseIntoStart = ProjectDBGenerator.reArgsParseIntoStart.match(line)
if argsParseIntoStart:
argsTarget = argsParseIntoStart.group(1)
# print("Args parse into starting: %s '%s' %s %s" % (argsTarget, line, argsCurrState, tableName))
argsCurrState = 1
# Then look for all tables defining arguments
if argsCurrState == 1:
argsDictOptions = ProjectDBGenerator.reArgsDictOption.match(line)
if argsDictOptions:
# print("args Options '%s' '%s'" %(line, argsDictOptions.group(1)))
# print(argsTarget + '.' + argsDictOptions.group(1))
fileDic[argsTarget + '.' + argsDictOptions.group(1)] = [lineCounter, '', funcName]
# Finally close the current args.parse call
argsParseEnd = ProjectDBGenerator.reArgsParseEnd.match(line)
if argsParseEnd:
# print("Args parse end: %s '%s' %s %s" % (argsParseEnd.group(), line, argsCurrState, tableName))
argsCurrState = 0
# Now add the fields
fields = ProjectDBGenerator.reSelfField.findall(line)
if len(fields) > 0:
# Be unsafe, reuse tableName, which was found before. Should kinda work as we're in an _init() anyway if a field matches
for field in fields:
# print(fileName, tableName, field)
fileDic['self.' + field] = [lineCounter, '', tableName]
return fileDic
#-----------------------------------------------------------------------------------------------
def genProjectDictionary(fDic):
projDic = {}
for name, path in fDic.items():
with open(path, 'r') as fileContent:
try:
buf = fileContent.read()
except:
buf = ''
projDic[name] = ProjectDBGenerator.parseLuaFile(buf, name)
return projDic
#-----------------------------------------------------------------------------------------------
def testFileExt(file):
return file.endswith('.lua')