forked from DisposaBoy/GoSublime
-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathgscommands.py
262 lines (213 loc) · 7.3 KB
/
gscommands.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
from gosubl import gs
from gosubl import gspatch
from gosubl import mg9
import datetime
import subprocess
import os
import sublime
import sublime_plugin
DOMAIN = 'GoSublime'
class GsCommentForwardCommand(sublime_plugin.TextCommand):
def run(self, edit):
self.view.run_command("toggle_comment", {"block": False})
self.view.run_command("move", {"by": "lines", "forward": True})
class GsStartNextLineCommentCommand(sublime_plugin.TextCommand):
def run(self, edit):
self.view.run_command("run_macro_file", {"file": "Packages/Default/Add Line.sublime-macro"})
self.view.run_command("toggle_comment", {"block": False})
class GsFmtCommand(sublime_plugin.TextCommand):
def is_enabled(self):
fn = self.view.file_name()
if fn:
scope_ok = fn.lower().endswith('.go')
else:
scope_ok = gs.is_go_source_view(self.view)
return scope_ok and gs.setting('fmt_enabled') is True
def run(self, edit):
vsize = self.view.size()
src = self.view.substr(sublime.Region(0, vsize))
if not src.strip():
return
src, err = mg9.fmt(self.view.file_name(), src)
if err:
gs.println(DOMAIN, "cannot fmt file. error: `%s'" % err)
return
if not src.strip():
gs.println(DOMAIN, "cannot fmt file. it appears to be empty")
return
_, err = gspatch.merge(self.view, vsize, src, edit)
if err:
msg = 'PANIC: Cannot fmt file. Check your source for errors (and maybe undo any changes).'
sublime.error_message("%s: %s: Merge failure: `%s'" % (DOMAIN, msg, err))
class GsFmtSaveCommand(sublime_plugin.TextCommand):
def is_enabled(self):
return gs.is_go_source_view(self.view)
def run(self, edit):
self.view.run_command("gs_fmt")
sublime.set_timeout(lambda: self.view.run_command("save"), 0)
class GsFmtPromptSaveAsCommand(sublime_plugin.TextCommand):
def is_enabled(self):
return gs.is_go_source_view(self.view)
def run(self, edit):
self.view.run_command("gs_fmt")
sublime.set_timeout(lambda: self.view.run_command("prompt_save_as"), 0)
class GsGotoRowColCommand(sublime_plugin.TextCommand):
def run(self, edit, row, col=0):
pt = self.view.text_point(row, col)
r = sublime.Region(pt, pt)
self.view.sel().clear()
self.view.sel().add(r)
self.view.show(pt)
dmn = 'gs.focus.%s:%s:%s' % (gs.view_fn(self.view), row, col)
flags = sublime.DRAW_EMPTY_AS_OVERWRITE
show = lambda: self.view.add_regions(dmn, [r], 'comment', 'bookmark', flags)
hide = lambda: self.view.erase_regions(dmn)
for i in range(3):
m = 300
s = i * m * 2
h = s + m
sublime.set_timeout(show, s)
sublime.set_timeout(hide, h)
class GsNewGoFileCommand(sublime_plugin.WindowCommand):
def run(self):
pkg_name = 'main'
view = gs.active_valid_go_view()
try:
basedir = gs.basedir_or_cwd(view and view.file_name())
for fn in os.listdir(basedir):
if fn.endswith('.go'):
name, _ = mg9.pkg_name(os.path.join(basedir, fn), '')
if name:
pkg_name = name
break
except Exception:
gs.error_traceback('GsNewGoFile')
self.window.new_file().run_command('gs_create_new_go_file', {
'pkg_name': pkg_name,
'file_name': 'main.go',
})
class GsCreateNewGoFileCommand(sublime_plugin.TextCommand):
def run(self, edit, pkg_name, file_name):
view = self.view
view.set_name(file_name)
view.set_syntax_file(gs.tm_path('go'))
view.replace(edit, sublime.Region(0, view.size()), 'package %s\n' % pkg_name)
view.sel().clear()
view.sel().add(view.find(pkg_name, 0, sublime.LITERAL))
class GsShowTasksCommand(sublime_plugin.WindowCommand):
def run(self):
ents = []
now = datetime.datetime.now()
m = {}
try:
tasks = gs.task_list()
ents.insert(0, ['', '%d active task(s)' % len(tasks)])
for tid, t in tasks:
cancel_text = ''
if t['cancel']:
cancel_text = ' (cancel task)'
m[len(ents)] = tid
ents.append([
'#%s %s%s' % (tid, t['domain'], cancel_text),
t['message'],
'started: %s' % t['start'],
'elapsed: %s' % (now - t['start']),
])
except:
ents = [['', 'Failed to gather active tasks']]
def cb(i, _):
gs.cancel_task(m.get(i, ''))
gs.show_quick_panel(ents, cb)
class GsOpenHomePathCommand(sublime_plugin.WindowCommand):
def run(self, fn):
self.window.open_file(gs.home_path(fn))
class GsOpenDistPathCommand(sublime_plugin.WindowCommand):
def run(self, fn):
self.window.open_file(gs.dist_path(fn))
class GsSanityCheckCommand(sublime_plugin.WindowCommand):
def run(self):
s = 'GoSublime Sanity Check\n\n%s' % '\n'.join(mg9.sanity_check_sl(mg9.sanity_check({}, True)))
gs.show_output('GoSublime', s)
class GsSetOutputPanelContentCommand(sublime_plugin.TextCommand):
def run(self, edit, content, syntax_file, scroll_end, replace):
panel = self.view
panel.set_read_only(False)
if replace:
panel.replace(edit, sublime.Region(0, panel.size()), content)
else:
panel.insert(edit, panel.size(), content+'\n')
panel.sel().clear()
pst = panel.settings()
pst.set("rulers", [])
pst.set("fold_buttons", True)
pst.set("fade_fold_buttons", False)
pst.set("gutter", False)
pst.set("line_numbers", False)
if syntax_file:
if syntax_file == 'GsDoc':
panel.set_syntax_file(gs.tm_path('doc'))
panel.run_command("fold_by_level", { "level": 1 })
else:
panel.set_syntax_file(syntax_file)
panel.set_read_only(True)
if scroll_end:
panel.show(panel.size())
class GsInsertContentCommand(sublime_plugin.TextCommand):
def run(self, edit, pos, content):
pos = int(pos) # un-fucking-believable
self.view.insert(edit, pos, content)
class GsPatchImportsCommand(sublime_plugin.TextCommand):
def run(self, edit, pos, content, added_path=''):
pos = int(pos) # un-fucking-believable
view = self.view
dirty, err = gspatch.merge(view, pos, content, edit)
if err:
gs.notice_undo(DOMAIN, err, view, dirty)
elif dirty:
k = 'last_import_path.%s' % gs.view_fn(self.view)
if added_path:
gs.set_attr(k, added_path)
else:
gs.del_attr(k)
class GsGorenameCommand(sublime_plugin.TextCommand):
def is_enabled(self):
fn = self.view.file_name()
if fn:
scope_ok = fn.lower().endswith('.go')
else:
scope_ok = gs.is_go_source_view(self.view)
return scope_ok
def run(self, edit):
view = self.view
# if view.is_dirty():
# sublime.error_message("{0}: GoRename failure: Unsaved file".format(DOMAIN))
# return
region = view.sel()[0]
# If the current selection is empty, try to expand
# it to the word under the cursor
if region.empty():
region = view.word(region)
if region.empty():
sublime.message_dialog('Select an identifier you would like to rename and try again.')
return
current_selection = view.substr(region)
filename = view.file_name()
def on_done(new_name):
if new_name == current_selection:
return
gs.println(DOMAIN, 'Requested New Name: {0}'.format(new_name))
offset = '{0}:#{1}'.format(filename, region.begin())
command = ['gorename', '-offset', offset, '-to', new_name]
gs.println(DOMAIN, 'CMD: {0}'.format(' '.join(command)))
out = ""
try:
p = gs.popen(command, stderr=subprocess.STDOUT)
out = p.communicate()[0]
if p.returncode != 0:
raise OSError("GoRename failed")
except Exception as e:
msg = gs.tbck.format_exc()
if out:
msg = '{0}\n{1}'.format(msg, gs.ustr(out))
gs.show_output('GsGorename', msg, replace=False, merge_domain=False)
view.window().show_input_panel("New name:", current_selection, on_done, None, None)