/usr/lib/gedit/plugins/sourcecodebrowser/plugin.py is in gedit-source-code-browser-plugin 3.0.3-5.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 | import os
import sys
import logging
import tempfile
from . import ctags
from gi.repository import GObject, GdkPixbuf, Gedit, Gtk, PeasGtk, Gio
logging.basicConfig()
LOG_LEVEL = logging.WARN
SETTINGS_SCHEMA = "org.gnome.gedit.plugins.sourcecodebrowser"
DATA_DIR = "/usr/share/gedit/plugins/sourcecodebrowser"
ICON_DIR = os.path.join(DATA_DIR, 'icons', '16x16')
class SourceTree(Gtk.VBox):
"""
Source Tree Widget
A treeview storing the heirarchy of source code symbols within a particular
document. Requries exhuberant-ctags.
"""
__gsignals__ = {
"tag-activated": (GObject.SIGNAL_RUN_FIRST, GObject.TYPE_NONE, (GObject.TYPE_PYOBJECT,)),
}
def __init__(self):
Gtk.VBox.__init__(self)
self._log = logging.getLogger(self.__class__.__name__)
self._log.setLevel(LOG_LEVEL)
self._pixbufs = {}
self._current_uri = None
self.expanded_rows = {}
# preferences (should be set by plugin)
self.show_line_numbers = True
self.ctags_executable = 'ctags'
self.expand_rows = True
self.sort_list = True
self.create_ui()
self.show_all()
def get_missing_pixbuf(self):
""" Used for symbols that do not have a known image. """
if not 'missing' in self._pixbufs:
filename = os.path.join(ICON_DIR, "missing-image.png")
self._pixbufs['missing'] = GdkPixbuf.Pixbuf.new_from_file(filename)
return self._pixbufs['missing']
def get_pixbuf(self, icon_name):
"""
Get the pixbuf for a specific icon name fron an internal dictionary of
pixbufs. If the icon is not already in the dictionary, it will be loaded
from an external file.
"""
if icon_name not in self._pixbufs:
filename = os.path.join(ICON_DIR, icon_name + ".png")
if os.path.exists(filename):
try:
self._pixbufs[icon_name] = GdkPixbuf.Pixbuf.new_from_file(filename)
except Exception as e:
self._log.warn("Could not load pixbuf for icon '%s': %s",
icon_name,
str(e))
self._pixbufs[icon_name] = self.get_missing_pixbuf()
else:
self._pixbufs[icon_name] = self.get_missing_pixbuf()
return self._pixbufs[icon_name]
def clear(self):
""" Clear the tree view so that new data can be loaded. """
if self.expand_rows:
self._save_expanded_rows()
self._store.clear()
def create_ui(self):
""" Craete the main user interface and pack into box. """
self._store = Gtk.TreeStore(GdkPixbuf.Pixbuf, # icon
GObject.TYPE_STRING, # name
GObject.TYPE_STRING, # kind
GObject.TYPE_STRING, # uri
GObject.TYPE_STRING, # line
GObject.TYPE_STRING) # markup
self._treeview = Gtk.TreeView.new_with_model(self._store)
self._treeview.set_headers_visible(False)
column = Gtk.TreeViewColumn("Symbol")
cell = Gtk.CellRendererPixbuf()
column.pack_start(cell, False)
column.add_attribute(cell, 'pixbuf', 0)
cell = Gtk.CellRendererText()
column.pack_start(cell, True)
column.add_attribute(cell, 'markup', 5)
self._treeview.append_column(column)
self._treeview.connect("row-activated", self.on_row_activated)
sw = Gtk.ScrolledWindow()
sw.set_policy(Gtk.PolicyType.AUTOMATIC, Gtk.PolicyType.AUTOMATIC)
sw.add(self._treeview)
self.pack_start(sw, True, True, 0)
def _get_tag_iter(self, tag, parent_iter=None):
"""
Get the tree iter for the specified tag, or None if the tag cannot
be found.
"""
tag_iter = self._store.iter_children(parent_iter)
while tag_iter:
if self._store.get_value(tag_iter, 1) == tag.name:
return tag_iter
tag_iter = self._store.iter_next(tag_iter)
return None
def _get_kind_iter(self, kind, uri, parent_iter=None):
"""
Get the iter for the specified kind. Creates a new node if the iter
is not found under the specirfied parent_iter.
"""
kind_iter = self._store.iter_children(parent_iter)
while kind_iter:
if self._store.get_value(kind_iter, 2) == kind.name:
return kind_iter
kind_iter = self._store.iter_next(kind_iter)
# Kind node not found, so we'll create it.
pixbuf = self.get_pixbuf(kind.icon_name())
markup = "<i>%s</i>" % kind.group_name()
kind_iter = self._store.append(parent_iter, (pixbuf,
kind.group_name(),
kind.name,
uri,
None,
markup))
return kind_iter
def load(self, kinds, tags, uri):
"""
Load the tags into the treeview and restore the expanded rows if
applicable.
"""
self._current_uri = uri
# load root-level tags first
for i, tag in enumerate(tags):
if "class" not in tag.fields:
parent_iter = None
pixbuf = self.get_pixbuf(tag.kind.icon_name())
if 'line' in tag.fields and self.show_line_numbers:
markup = "%s [%s]" % (tag.name, tag.fields['line'])
else:
markup = tag.name
kind_iter = self._get_kind_iter(tag.kind, uri, parent_iter)
new_iter = self._store.append(kind_iter, (pixbuf,
tag.name,
tag.kind.name,
uri,
tag.fields['line'],
markup))
# second level tags
for tag in tags:
if "class" in tag.fields and "." not in tag.fields['class']:
pixbuf = self.get_pixbuf(tag.kind.icon_name())
if 'line' in tag.fields and self.show_line_numbers:
markup = "%s [%s]" % (tag.name, tag.fields['line'])
else:
markup = tag.name
for parent_tag in tags:
if parent_tag.name == tag.fields['class']:
break
kind_iter = self._get_kind_iter(parent_tag.kind, uri, None)
parent_iter = self._get_tag_iter(parent_tag, kind_iter)
kind_iter = self._get_kind_iter(tag.kind, uri, parent_iter) # for sub-kind nodes
new_iter = self._store.append(kind_iter, (pixbuf,
tag.name,
tag.kind.name,
uri,
tag.fields['line'],
markup))
# TODO: We need to go at least one more level to deal with the inline
# classes used in many python projects (eg. Models in Django)
# Recursion would be even better.
# sort
if self.sort_list:
self._store.set_sort_column_id(1, Gtk.SortType.ASCENDING)
# expand
if uri in self.expanded_rows:
for strpath in self.expanded_rows[uri]:
path = Gtk.TreePath.new_from_string(strpath)
if path:
self._treeview.expand_row(path, False)
elif uri not in self.expanded_rows and self.expand_rows:
self._treeview.expand_all()
"""
curiter = self._store.get_iter_first()
while curiter:
path = self._store.get_path(curiter)
self._treeview.expand_row(path, False)
curiter = self._store.iter_next(iter)
"""
def on_row_activated(self, treeview, path, column, data=None):
"""
If the row has uri and line number information, emits the tag-activated
signal so that the editor can jump to the tag's location.
"""
model = treeview.get_model()
iter = model.get_iter(path)
uri = model.get_value(iter, 3)
line = model.get_value(iter, 4)
if uri and line:
self.emit("tag-activated", (uri, line))
def parse_file(self, path, uri):
"""
Parse symbols out of a file using exhuberant ctags. The path is the local
filename to pass to ctags, and the uri is the actual URI as known by
Gedit. They would be different for remote files.
"""
command = "ctags -nu --fields=fiKlmnsSzt -f - '%s'" % path
#self._log.debug(command)
try:
parser = ctags.Parser()
parser.parse(command, self.ctags_executable)
except Exception as e:
self._log.warn("Could not execute ctags: %s (executable=%s)",
str(e),
self.ctags_executable)
self.load(parser.kinds, parser.tags, uri)
def _save_expanded_rows(self):
self.expanded_rows[self._current_uri] = []
self._treeview.map_expanded_rows(self._save_expanded_rows_mapping_func,
self._current_uri)
def _save_expanded_rows_mapping_func(self, treeview, path, uri):
self.expanded_rows[uri].append(str(path))
class Config(object):
def __init__(self):
self._log = logging.getLogger(self.__class__.__name__)
self._log.setLevel(LOG_LEVEL)
def get_widget(self, has_schema):
filename = os.path.join(DATA_DIR, 'configure_dialog.ui')
builder = Gtk.Builder()
try:
count = builder.add_objects_from_file(filename, ["configure_widget"])
assert(count > 0)
except Exception as e:
self._log.error("Failed to load %s: %s." % (filename, str(e)))
return None
widget = builder.get_object("configure_widget")
widget.set_border_width(12)
if not has_schema:
widget.set_sensitive(False)
else:
self._settings = Gio.Settings.new(SETTINGS_SCHEMA)
builder.get_object("show_line_numbers").set_active(
self._settings.get_boolean('show-line-numbers')
)
builder.get_object("expand_rows").set_active(
self._settings.get_boolean('expand-rows')
)
builder.get_object("load_remote_files").set_active(
self._settings.get_boolean('load-remote-files')
)
builder.get_object("sort_list").set_active(
self._settings.get_boolean('sort-list')
)
builder.get_object("ctags_executable").set_text(
self._settings.get_string('ctags-executable')
)
builder.connect_signals(self)
return widget
def on_show_line_numbers_toggled(self, button, data=None):
self._settings.set_boolean('show-line-numbers', button.get_active())
def on_expand_rows_toggled(self, button, data=None):
self._settings.set_boolean('expand-rows', button.get_active())
def on_load_remote_files_toggled(self, button, data=None):
self._settings.set_boolean('load-remote-files', button.get_active())
def on_sort_list_toggled(self, button, data=None):
self._settings.set_boolean('sort-list', button.get_active())
def on_ctags_executable_changed(self, editable, data=None):
self._settings.set_string('ctags-executable', editable.get_text())
class SourceCodeBrowserPlugin(GObject.Object, Gedit.WindowActivatable, PeasGtk.Configurable):
"""
Source Code Browser Plugin for Gedit 3.x
Adds a tree view to the side panel of a Gedit window which provides a list
of programming symbols (functions, classes, variables, etc.).
https://live.gnome.org/Gedit/PythonPluginHowTo
"""
__gtype_name__ = "SourceCodeBrowserPlugin"
window = GObject.property(type=Gedit.Window)
def __init__(self):
GObject.Object.__init__(self)
self._log = logging.getLogger(self.__class__.__name__)
self._log.setLevel(LOG_LEVEL)
self._is_loaded = False
self._ctags_version = None
filename = os.path.join(ICON_DIR, "source-code-browser.png")
self.icon = Gtk.Image.new_from_file(filename)
def do_create_configure_widget(self):
return Config().get_widget(self._has_settings_schema())
def do_activate(self):
""" Activate plugin """
self._log.debug("Activating plugin")
self._init_settings()
self._version_check()
self._sourcetree = SourceTree()
self._sourcetree.ctags_executable = self.ctags_executable
self._sourcetree.show_line_numbers = self.show_line_numbers
self._sourcetree.expand_rows = self.expand_rows
self._sourcetree.sort_list = self.sort_list
panel = self.window.get_side_panel()
panel.add_titled(self._sourcetree, "SymbolBrowserPlugin", "Source Code")
self._handlers = []
hid = self._sourcetree.connect("draw", self.on_sourcetree_draw)
self._handlers.append((self._sourcetree, hid))
if self.ctags_version is not None:
hid = self._sourcetree.connect('tag-activated', self.on_tag_activated)
self._handlers.append((self._sourcetree, hid))
hid = self.window.connect("active-tab-state-changed", self.on_tab_state_changed)
self._handlers.append((self.window, hid))
hid = self.window.connect("active-tab-changed", self.on_active_tab_changed)
self._handlers.append((self.window, hid))
hid = self.window.connect("tab-removed", self.on_tab_removed)
self._handlers.append((self.window, hid))
else:
self._sourcetree.set_sensitive(False)
def do_deactivate(self):
""" Deactivate the plugin """
self._log.debug("Deactivating plugin")
for obj, hid in self._handlers:
obj.disconnect(hid)
self._handlers = None
pane = self.window.get_side_panel()
pane.remove(self._sourcetree)
self._sourcetree = None
def _has_settings_schema(self):
schemas = Gio.Settings.list_schemas()
if not SETTINGS_SCHEMA in schemas:
return False
else:
return True
def _init_settings(self):
""" Initialize GSettings if available. """
if self._has_settings_schema():
settings = Gio.Settings.new(SETTINGS_SCHEMA)
self.load_remote_files = settings.get_boolean("load-remote-files")
self.show_line_numbers = settings.get_boolean("show-line-numbers")
self.expand_rows = settings.get_boolean("expand-rows")
self.sort_list = settings.get_boolean("sort-list")
self.ctags_executable = settings.get_string("ctags-executable")
settings.connect("changed::load-remote-files", self.on_setting_changed)
settings.connect("changed::show-line-numbers", self.on_setting_changed)
settings.connect("changed::expand-rows", self.on_setting_changed)
settings.connect("changed::sort-list", self.on_setting_changed)
settings.connect("changed::ctags-executable", self.on_setting_changed)
self._settings = settings
else:
self._log.warn("Settings schema not installed. Plugin will not be configurable.")
self._settings = None
self.load_remote_files = True
self.show_line_numbers = False
self.expand_rows = True
self.sort_list = True
self.ctags_executable = 'ctags'
def _load_active_document_symbols(self):
""" Load the symbols for the given URI. """
self._sourcetree.clear()
self._is_loaded = False
# do not load if not the active tab in the panel
panel = self.window.get_side_panel()
if panel.get_visible_child() != self._sourcetree:
return
document = self.window.get_active_document()
if document:
location = document.get_location()
if location:
uri = location.get_uri()
self._log.debug("Loading %s...", uri)
if uri is not None:
if uri[:7] == "file://":
# use get_parse_name() to get path in UTF-8
filename = location.get_parse_name()
self._sourcetree.parse_file(filename, uri)
elif self.load_remote_files:
basename = location.get_basename()
fd, filename = tempfile.mkstemp('.'+basename)
contents = document.get_text(document.get_start_iter(),
document.get_end_iter(),
True)
os.write(fd, bytes(contents, 'UTF-8'))
os.close(fd)
while Gtk.events_pending():
Gtk.main_iteration()
self._sourcetree.parse_file(filename, uri)
os.unlink(filename)
self._loaded_document = document
self._is_loaded = True
def on_active_tab_changed(self, window, tab, data=None):
self._load_active_document_symbols()
def on_setting_changed(self, settings, key, data=None):
"""
self.load_remote_files = True
self.show_line_numbers = False
self.expand_rows = True
self.ctags_executable = 'ctags'
"""
if key == 'load-remote-files':
self.load_remote_files = self._settings.get_boolean(key)
elif key == 'show-line-numbers':
self.show_line_numbers = self._settings.get_boolean(key)
elif key == 'expand-rows':
self.expand_rows = self._settings.get_boolean(key)
elif key == 'sort-list':
self.sort_list = self._settings.get_boolean(key)
elif key == 'ctags-executable':
self.ctags_executable = self._settings.get_string(key)
if self._sourcetree is not None:
self._sourcetree.ctags_executable = self.ctags_executable
self._sourcetree.show_line_numbers = self.show_line_numbers
self._sourcetree.expand_rows = self.expand_rows
self._sourcetree.sort_list = self.sort_list
self._sourcetree.expanded_rows = {}
self._load_active_document_symbols()
def on_sourcetree_draw(self, sourcetree, data=None):
if not self._is_loaded:
self._load_active_document_symbols()
return False
def on_tab_state_changed(self, window, data=None):
self._load_active_document_symbols()
def on_tab_removed(self, window, tab, data=None):
if not self.window.get_active_document():
self._sourcetree.clear()
def on_tag_activated(self, sourcetree, location, data=None):
""" Go to the line where the double-clicked symbol is defined. """
uri, line = location
self._log.debug("%s, line %s." % (uri, line))
document = self.window.get_active_document()
view = self.window.get_active_view()
line = int(line) - 1 # lines start from 0
document.goto_line(line)
view.scroll_to_cursor()
def _version_check(self):
""" Make sure the exhuberant ctags is installed. """
self.ctags_version = ctags.get_ctags_version(self.ctags_executable)
if not self.ctags_version:
self._log.warn("Could not find ctags executable: %s" %
(self.ctags_executable))
|