forked from dbp/sublime-rust
-
Notifications
You must be signed in to change notification settings - Fork 106
/
Copy pathopanel.py
182 lines (159 loc) · 7.14 KB
/
opanel.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
"""Module displaying build output in a Sublime output panel."""
import sublime
import os
import re
from . import rust_proc, messages, util, semver, levels, log
# Use the same panel name that Sublime's build system uses so that "Show Build
# Results" will open the same panel. I don't see any particular reason why
# this would be a problem. If it is, it's a simple matter of changing this.
PANEL_NAME = 'exec'
# Pattern used for finding location of panics in test output.
#
# Rust 1.73 changed the formatting of a panic message.
# Older versions looked like:
# thread 'basic_error1' panicked at 'assertion failed: false', tests/test_test_output.rs:9:5
# 1.73 changed it to look like:
# thread 'basic_error1' panicked at tests/test_test_output.rs:9:5:
# assertion failed: false
PANIC_PATTERN = r'(?:, |panicked at )([^,<\n]*\.[A-z]{2}):([0-9]+)'
def create_output_panel(window, base_dir):
output_view = window.create_output_panel(PANEL_NAME)
s = output_view.settings()
if util.get_setting('show_errors_inline', True):
# FILENAME:LINE: MESSAGE
# Two dots to handle Windows DRIVE:
s.set('result_file_regex', '^[^:]+: (..[^:]*):([0-9]+): (.*)$')
else:
build_pattern = '^[ \\t]*-->[ \\t]*([^<\n]*):([0-9]+):([0-9]+)'
pattern = '(?|%s|%s)' % (build_pattern, PANIC_PATTERN)
s.set('result_file_regex', pattern)
# Used for resolving relative paths.
s.set('result_base_dir', base_dir)
s.set('word_wrap', True) # XXX Or False?
s.set('line_numbers', False)
s.set('gutter', False)
s.set('scroll_past_end', False)
output_view.assign_syntax('Cargo.sublime-syntax')
# 'color_scheme'?
# XXX: Is this necessary?
# self.window.create_output_panel(PANEL_NAME)
if util.get_setting('show_panel_on_build', True):
window.run_command('show_panel', {'panel': 'output.' + PANEL_NAME})
return output_view
def display_message(window, msg):
"""Utility function for displaying a one-off message (typically an error)
in a new output panel."""
v = create_output_panel(window, '')
_append(v, msg)
def _append(view, text):
view.run_command('append', {'characters': text,
'scroll_to_end': True})
class OutputListener(rust_proc.ProcListener):
"""Listener used for displaying results to a Sublime output panel."""
# Sublime view used for output.
output_view = None
def __init__(self, window, base_path, command_name, rustc_version):
self.window = window
self.base_path = base_path
self.command_name = command_name
self.rustc_version = rustc_version
self.rendered = []
def on_begin(self, proc):
self.output_view = create_output_panel(self.window, self.base_path)
self._append('[Running: %s]' % (' '.join(proc.cmd),))
def on_data(self, proc, data):
region_start = self.output_view.size()
self._append(data, nl=False)
# Check for test errors.
if self.command_name == 'test':
# Re-fetch the data to handle things like \t expansion.
appended = self.output_view.substr(
sublime.Region(region_start, self.output_view.size()))
# This pattern also includes column numbers (which Sublime's
# result_file_regex doesn't support).
m = re.search(PANIC_PATTERN + r':([0-9]+)', appended)
if m:
path = os.path.join(self.base_path, m.group(1))
if not os.path.exists(path):
# Panics outside of the crate display a path to that
# crate's source file (such as libcore), which is probably
# not available.
return
message = messages.Message()
lineno = int(m.group(2)) - 1
# Region columns appear to the left, so this is +1.
col = int(m.group(3))
# Rust 1.24 changed column numbering to be 1-based.
if semver.match(self.rustc_version, '>=1.24.0-beta'):
col -= 1
message.span = ((lineno, col), (lineno, col))
# +2 to skip ", "
build_region = sublime.Region(region_start + m.start() + 2,
region_start + m.end())
message.output_panel_region = build_region
message.path = path
message.level = levels.level_from_str('error')
messages.add_message(self.window, message)
def on_error(self, proc, message):
self._append(message)
def on_json(self, proc, obj):
try:
message = obj['message']
except KeyError:
return
messages.add_rust_messages(self.window, self.base_path, message,
None, self.msg_cb)
try:
self.rendered.append(message['rendered'])
except KeyError:
pass
def msg_cb(self, message):
"""Display the message in the output panel. Also marks the message
with the output panel region where the message is shown. This allows
us to scroll the output panel to the correct region when cycling
through messages.
"""
if not message.text:
# Region-only messages can be ignored.
return
region_start = self.output_view.size() + len(message.level.name) + 2
path = message.path
if path:
if self.base_path and path.startswith(self.base_path):
path = os.path.relpath(path, self.base_path)
if message.span:
highlight_text = '%s:%d' % (path, message.span[0][0] + 1)
else:
highlight_text = path
self._append('%s: %s: %s' % (message.level, highlight_text, message.text))
region = sublime.Region(region_start,
region_start + len(highlight_text))
else:
self._append('%s: %s' % (message.level, message.text))
region = sublime.Region(region_start)
message.output_panel_region = region
def on_finished(self, proc, rc):
if rc:
self._append('[Finished in %.1fs with exit code %d]' % (
proc.elapsed, rc))
self._display_debug(proc)
else:
self._append('[Finished in %.1fs]' % proc.elapsed)
messages.messages_finished(self.window)
# Tell Sublime to find all of the lines with pattern from
# result_file_regex.
self.output_view.find_all_results()
win_info = messages.get_or_init_window_info(self.window)
win_info['rendered'] = ''.join(self.rendered)
def on_terminated(self, proc):
self._append('[Build interrupted]')
def _append(self, message, nl=True):
if nl:
message += '\n'
_append(self.output_view, message)
self.rendered.append(message)
def _display_debug(self, proc):
# Display some information to help the user debug any build problems.
log.log(self.window, 'cwd: %s', proc.cwd)
# TODO: Fix this when adding PATH/env support.
log.log(self.window, 'path: %s', proc.env.get('PATH'))