2014-02-06 14:01:23 +01:00
|
|
|
# Copyright 2014 Florian Bruhin (The Compiler) <mail@qutebrowser.org>
|
|
|
|
#
|
|
|
|
# This file is part of qutebrowser.
|
|
|
|
#
|
|
|
|
# qutebrowser is free software: you can redistribute it and/or modify
|
|
|
|
# it under the terms of the GNU General Public License as published by
|
|
|
|
# the Free Software Foundation, either version 3 of the License, or
|
|
|
|
# (at your option) any later version.
|
|
|
|
#
|
|
|
|
# qutebrowser is distributed in the hope that it will be useful,
|
|
|
|
# but WITHOUT ANY WARRANTY; without even the implied warranty of
|
|
|
|
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
|
|
|
# GNU General Public License for more details.
|
|
|
|
#
|
|
|
|
# You should have received a copy of the GNU General Public License
|
|
|
|
# along with qutebrowser. If not, see <http://www.gnu.org/licenses/>.
|
|
|
|
|
2014-02-17 12:23:52 +01:00
|
|
|
"""Initialization of qutebrowser and application-wide things."""
|
|
|
|
|
2014-01-30 20:42:47 +01:00
|
|
|
import os
|
2013-12-14 22:15:16 +01:00
|
|
|
import sys
|
2014-01-17 20:03:21 +01:00
|
|
|
import logging
|
2014-02-17 20:39:15 +01:00
|
|
|
import functools
|
2014-02-05 11:40:30 +01:00
|
|
|
import subprocess
|
2014-02-18 11:57:35 +01:00
|
|
|
import configparser
|
2014-01-20 15:58:49 +01:00
|
|
|
from signal import signal, SIGINT
|
|
|
|
from argparse import ArgumentParser
|
2014-02-18 14:06:45 +01:00
|
|
|
from base64 import b64encode
|
2014-01-20 15:58:49 +01:00
|
|
|
|
2014-02-10 22:40:21 +01:00
|
|
|
# Print a nice traceback on segfault -- only available on Python 3.3+, but if
|
|
|
|
# it's unavailable, it doesn't matter much.
|
|
|
|
try:
|
|
|
|
import faulthandler
|
|
|
|
except ImportError:
|
|
|
|
pass
|
|
|
|
else:
|
|
|
|
faulthandler.enable()
|
|
|
|
|
2014-02-17 15:39:21 +01:00
|
|
|
# This is a really odd place to do this, but we have to do this before
|
2014-01-30 04:56:16 +01:00
|
|
|
# importing PyQt or it won't work.
|
|
|
|
# See https://bugreports.qt-project.org/browse/QTBUG-36099
|
|
|
|
import qutebrowser.utils.harfbuzz as harfbuzz
|
|
|
|
harfbuzz.fix()
|
|
|
|
|
2014-01-30 20:42:47 +01:00
|
|
|
from PyQt5.QtWidgets import QApplication, QDialog
|
2014-02-17 17:47:21 +01:00
|
|
|
from PyQt5.QtCore import pyqtSlot, QTimer, QEventLoop
|
2014-01-20 15:58:49 +01:00
|
|
|
|
2014-02-17 08:56:33 +01:00
|
|
|
import qutebrowser
|
2014-01-20 15:58:49 +01:00
|
|
|
import qutebrowser.commands.utils as cmdutils
|
2014-01-28 12:21:00 +01:00
|
|
|
import qutebrowser.utils.config as config
|
2014-02-07 10:07:13 +01:00
|
|
|
import qutebrowser.utils.about as about
|
2013-12-15 20:33:43 +01:00
|
|
|
from qutebrowser.widgets.mainwindow import MainWindow
|
2014-02-10 15:01:05 +01:00
|
|
|
from qutebrowser.widgets.crash import CrashDialog
|
2014-01-17 12:01:21 +01:00
|
|
|
from qutebrowser.commands.keys import KeyParser
|
2014-01-20 12:26:02 +01:00
|
|
|
from qutebrowser.utils.appdirs import AppDirs
|
2013-12-14 22:15:16 +01:00
|
|
|
|
2014-01-28 23:04:02 +01:00
|
|
|
|
2014-01-19 18:20:57 +01:00
|
|
|
class QuteBrowser(QApplication):
|
2014-02-07 20:21:50 +01:00
|
|
|
|
2014-01-29 15:30:19 +01:00
|
|
|
"""Main object for qutebrowser.
|
|
|
|
|
|
|
|
Can be used like this:
|
|
|
|
|
|
|
|
>>> app = QuteBrowser()
|
|
|
|
>>> sys.exit(app.exec_())
|
2014-02-07 20:21:50 +01:00
|
|
|
|
2014-02-18 16:38:13 +01:00
|
|
|
Attributes:
|
|
|
|
mainwindow: The MainWindow QWidget.
|
|
|
|
commandparser: The main CommandParser instance.
|
|
|
|
keyparser: The main KeyParser instance.
|
|
|
|
searchparser: The main SearchParser instance.
|
|
|
|
_dirs: AppDirs instance for config/cache directories.
|
|
|
|
_args: ArgumentParser instance.
|
|
|
|
_timers: List of used QTimers so they don't get GCed.
|
|
|
|
_shutting_down: True if we're currently shutting down.
|
|
|
|
_quit_status: The current quitting status.
|
2014-02-07 20:21:50 +01:00
|
|
|
|
2014-02-18 16:38:13 +01:00
|
|
|
"""
|
2014-01-20 15:58:49 +01:00
|
|
|
|
2014-01-19 18:20:57 +01:00
|
|
|
def __init__(self):
|
|
|
|
super().__init__(sys.argv)
|
2014-02-17 20:39:15 +01:00
|
|
|
self._quit_status = {}
|
2014-02-18 16:38:13 +01:00
|
|
|
self._timers = []
|
|
|
|
self._shutting_down = False
|
|
|
|
|
2014-02-06 10:25:22 +01:00
|
|
|
sys.excepthook = self._exception_hook
|
2014-01-28 14:44:12 +01:00
|
|
|
|
2014-02-18 16:38:13 +01:00
|
|
|
self._args = self._parseopts()
|
2014-01-29 15:30:19 +01:00
|
|
|
self._initlog()
|
2014-02-05 12:46:35 +01:00
|
|
|
self._initmisc()
|
2014-01-17 20:03:21 +01:00
|
|
|
|
2014-02-18 16:38:13 +01:00
|
|
|
self._dirs = AppDirs('qutebrowser')
|
|
|
|
if self._args.confdir is None:
|
|
|
|
confdir = self._dirs.user_config_dir
|
|
|
|
elif self._args.confdir == '':
|
2014-01-22 17:04:10 +01:00
|
|
|
confdir = None
|
|
|
|
else:
|
2014-02-18 16:38:13 +01:00
|
|
|
confdir = self._args.confdir
|
2014-01-28 12:21:00 +01:00
|
|
|
config.init(confdir)
|
2014-01-20 12:26:02 +01:00
|
|
|
|
2014-01-19 18:20:57 +01:00
|
|
|
self.commandparser = cmdutils.CommandParser()
|
2014-01-29 21:06:56 +01:00
|
|
|
self.searchparser = cmdutils.SearchParser()
|
2014-02-18 16:38:13 +01:00
|
|
|
self.keyparser = KeyParser(self)
|
2014-01-29 15:30:19 +01:00
|
|
|
self._init_cmds()
|
2014-01-27 21:35:12 +01:00
|
|
|
self.mainwindow = MainWindow()
|
2014-01-17 20:03:21 +01:00
|
|
|
|
2014-02-17 14:17:56 +01:00
|
|
|
self.setQuitOnLastWindowClosed(False)
|
|
|
|
self.lastWindowClosed.connect(self.shutdown)
|
2014-01-19 19:41:34 +01:00
|
|
|
self.mainwindow.tabs.keypress.connect(self.keyparser.handle)
|
2014-02-17 12:00:08 +01:00
|
|
|
self.keyparser.set_cmd_text.connect(
|
2014-02-18 10:50:41 +01:00
|
|
|
self.mainwindow.status.cmd.set_cmd_text)
|
2014-02-06 13:34:49 +01:00
|
|
|
self.mainwindow.tabs.set_cmd_text.connect(
|
2014-02-18 10:50:41 +01:00
|
|
|
self.mainwindow.status.cmd.set_cmd_text)
|
2014-02-17 16:50:41 +01:00
|
|
|
self.mainwindow.tabs.quit.connect(self.shutdown)
|
2014-01-22 17:31:15 +01:00
|
|
|
self.mainwindow.status.cmd.got_cmd.connect(self.commandparser.run)
|
2014-01-29 21:06:56 +01:00
|
|
|
self.mainwindow.status.cmd.got_search.connect(self.searchparser.search)
|
|
|
|
self.mainwindow.status.cmd.got_search_rev.connect(
|
|
|
|
self.searchparser.search_rev)
|
2014-01-29 20:25:41 +01:00
|
|
|
self.mainwindow.status.cmd.returnPressed.connect(
|
2014-01-20 15:58:49 +01:00
|
|
|
self.mainwindow.tabs.setFocus)
|
2014-01-19 18:20:57 +01:00
|
|
|
self.commandparser.error.connect(self.mainwindow.status.disp_error)
|
2014-01-29 21:06:56 +01:00
|
|
|
self.searchparser.do_search.connect(
|
|
|
|
self.mainwindow.tabs.cur_search)
|
2014-01-20 17:20:17 +01:00
|
|
|
self.keyparser.commandparser.error.connect(
|
|
|
|
self.mainwindow.status.disp_error)
|
2014-01-20 07:01:39 +01:00
|
|
|
self.keyparser.keystring_updated.connect(
|
2014-02-11 17:56:40 +01:00
|
|
|
self.mainwindow.status.keystring.setText)
|
2014-01-17 20:03:21 +01:00
|
|
|
|
2014-01-19 18:20:57 +01:00
|
|
|
self.mainwindow.show()
|
2014-01-29 15:30:19 +01:00
|
|
|
self._python_hacks()
|
2014-02-17 14:36:22 +01:00
|
|
|
timer = QTimer.singleShot(0, self._process_init_args)
|
2014-02-18 16:38:13 +01:00
|
|
|
self._timers.append(timer)
|
2014-01-30 20:41:54 +01:00
|
|
|
|
|
|
|
def _process_init_args(self):
|
|
|
|
"""Process initial positional args.
|
|
|
|
|
|
|
|
URLs to open have no prefix, commands to execute begin with a colon.
|
2014-02-07 20:21:50 +01:00
|
|
|
|
2014-01-30 20:41:54 +01:00
|
|
|
"""
|
2014-02-17 17:47:21 +01:00
|
|
|
# QNetworkAccessManager::createRequest will hang for over a second, so
|
|
|
|
# we make sure the GUI is refreshed here, so the start seems faster.
|
|
|
|
self.processEvents(QEventLoop.ExcludeUserInputEvents |
|
|
|
|
QEventLoop.ExcludeSocketNotifiers)
|
2014-01-30 20:41:54 +01:00
|
|
|
opened_urls = False
|
|
|
|
|
2014-02-18 16:38:13 +01:00
|
|
|
for e in self._args.command:
|
2014-01-30 20:41:54 +01:00
|
|
|
if e.startswith(':'):
|
|
|
|
logging.debug('Startup cmd {}'.format(e))
|
|
|
|
self.commandparser.run(e.lstrip(':'))
|
|
|
|
else:
|
|
|
|
logging.debug('Startup url {}'.format(e))
|
|
|
|
opened_urls = True
|
|
|
|
self.mainwindow.tabs.tabopen(e)
|
|
|
|
|
|
|
|
if not opened_urls:
|
|
|
|
logging.debug('Opening startpage')
|
2014-01-30 23:05:39 +01:00
|
|
|
# pylint: disable=maybe-no-member
|
|
|
|
for url in config.config.get('general', 'startpage').split(','):
|
2014-01-30 20:41:54 +01:00
|
|
|
self.mainwindow.tabs.tabopen(url)
|
2014-01-29 15:30:19 +01:00
|
|
|
|
2014-02-17 20:30:09 +01:00
|
|
|
def _recover_pages(self):
|
|
|
|
"""Try to recover all open pages.
|
|
|
|
|
|
|
|
Return a list of open pages, or an empty list.
|
|
|
|
Called from _exception_hook, so as forgiving as possible.
|
|
|
|
|
|
|
|
"""
|
|
|
|
pages = []
|
|
|
|
if self.mainwindow is None:
|
|
|
|
return pages
|
|
|
|
if self.mainwindow.tabs is None:
|
|
|
|
return pages
|
|
|
|
for tabidx in range(self.mainwindow.tabs.count()):
|
|
|
|
try:
|
|
|
|
url = self.mainwindow.tabs.widget(tabidx).url().toString()
|
|
|
|
if url:
|
|
|
|
pages.append(url)
|
|
|
|
except Exception: # pylint: disable=broad-except
|
|
|
|
pass
|
|
|
|
return pages
|
|
|
|
|
2014-01-30 20:42:47 +01:00
|
|
|
def _exception_hook(self, exctype, excvalue, tb):
|
2014-01-29 15:30:19 +01:00
|
|
|
"""Handle uncaught python exceptions.
|
|
|
|
|
|
|
|
It'll try very hard to write all open tabs to a file, and then exit
|
|
|
|
gracefully.
|
2014-02-07 20:21:50 +01:00
|
|
|
|
2014-01-29 15:30:19 +01:00
|
|
|
"""
|
2014-01-28 19:52:09 +01:00
|
|
|
# pylint: disable=broad-except
|
2014-01-30 20:42:47 +01:00
|
|
|
|
|
|
|
exc = (exctype, excvalue, tb)
|
2014-02-06 10:25:22 +01:00
|
|
|
sys.__excepthook__(*exc)
|
2014-01-30 20:42:47 +01:00
|
|
|
|
2014-02-17 20:30:09 +01:00
|
|
|
if not (isinstance(exctype, Exception) or exctype is Exception):
|
|
|
|
# probably a KeyboardInterrupt
|
|
|
|
try:
|
|
|
|
self.shutdown()
|
|
|
|
return
|
|
|
|
except Exception:
|
|
|
|
self.quit()
|
2014-02-17 20:39:15 +01:00
|
|
|
self._quit_status['crash'] = False
|
|
|
|
self._quit_status['shutdown'] = False
|
2014-01-28 14:44:12 +01:00
|
|
|
try:
|
2014-02-17 20:30:09 +01:00
|
|
|
pages = self._recover_pages()
|
2014-01-28 14:44:12 +01:00
|
|
|
except Exception:
|
2014-02-17 20:30:09 +01:00
|
|
|
pages = []
|
2014-01-30 20:42:47 +01:00
|
|
|
|
|
|
|
try:
|
|
|
|
history = self.mainwindow.status.cmd.history[-5:]
|
|
|
|
except Exception:
|
|
|
|
history = []
|
|
|
|
|
2014-02-17 14:17:56 +01:00
|
|
|
# Try to shutdown gracefully
|
|
|
|
try:
|
|
|
|
self.shutdown(do_quit=False)
|
|
|
|
except Exception:
|
|
|
|
pass
|
|
|
|
try:
|
|
|
|
self.lastWindowClosed.disconnect(self.shutdown)
|
|
|
|
except TypeError:
|
|
|
|
logging.exception("Preventing shutdown failed.")
|
2014-02-05 11:40:30 +01:00
|
|
|
QApplication.closeAllWindows()
|
2014-01-30 20:42:47 +01:00
|
|
|
dlg = CrashDialog(pages, history, exc)
|
|
|
|
ret = dlg.exec_()
|
|
|
|
if ret == QDialog.Accepted: # restore
|
|
|
|
os.environ['PYTHONPATH'] = os.pathsep.join(sys.path)
|
|
|
|
# FIXME we might want to use argparse's features to not open pages
|
|
|
|
# again if they were opened via cmdline
|
|
|
|
argv = [sys.executable] + sys.argv + pages
|
|
|
|
logging.debug('Running {} with args {}'.format(sys.executable,
|
|
|
|
argv))
|
2014-02-05 11:40:30 +01:00
|
|
|
subprocess.Popen(argv)
|
2014-02-17 20:39:15 +01:00
|
|
|
self._maybe_quit('crash')
|
|
|
|
|
|
|
|
def _maybe_quit(self, sender):
|
|
|
|
"""Maybe quit qutebrowser.
|
|
|
|
|
|
|
|
This only quits if both the CrashDialog was ready to quit AND the
|
|
|
|
shutdown is complete.
|
2014-02-17 22:21:11 +01:00
|
|
|
|
2014-02-17 20:39:15 +01:00
|
|
|
"""
|
|
|
|
self._quit_status[sender] = True
|
2014-02-17 22:21:11 +01:00
|
|
|
logging.debug("maybe_quit called from {}, quit status {}".format(
|
|
|
|
sender, self._quit_status))
|
2014-02-17 20:39:15 +01:00
|
|
|
if all(self._quit_status.values()):
|
2014-02-18 13:05:42 +01:00
|
|
|
logging.debug("maybe_quit quitting.")
|
2014-02-17 14:17:56 +01:00
|
|
|
self.quit()
|
2014-01-28 14:44:12 +01:00
|
|
|
|
2014-01-29 15:30:19 +01:00
|
|
|
def _python_hacks(self):
|
|
|
|
"""Get around some PyQt-oddities by evil hacks.
|
2014-01-20 14:04:29 +01:00
|
|
|
|
2014-01-29 15:30:19 +01:00
|
|
|
This sets up the uncaught exception hook, quits with an appropriate
|
|
|
|
exit status, and handles Ctrl+C properly by passing control to the
|
|
|
|
Python interpreter once all 500ms.
|
2014-02-07 20:21:50 +01:00
|
|
|
|
2014-01-29 15:30:19 +01:00
|
|
|
"""
|
2014-01-20 15:58:49 +01:00
|
|
|
signal(SIGINT, lambda *args: self.exit(128 + SIGINT))
|
2014-02-17 14:36:22 +01:00
|
|
|
timer = QTimer()
|
|
|
|
timer.start(500)
|
|
|
|
timer.timeout.connect(lambda: None)
|
2014-02-18 16:38:13 +01:00
|
|
|
self._timers.append(timer)
|
2014-01-20 14:04:29 +01:00
|
|
|
|
2014-01-29 15:30:19 +01:00
|
|
|
def _parseopts(self):
|
|
|
|
"""Parse command line options."""
|
2014-01-20 15:58:49 +01:00
|
|
|
parser = ArgumentParser("usage: %(prog)s [options]")
|
2014-01-19 18:20:57 +01:00
|
|
|
parser.add_argument('-l', '--log', dest='loglevel',
|
2014-01-20 15:58:49 +01:00
|
|
|
help='Set loglevel', default='info')
|
2014-01-22 17:04:10 +01:00
|
|
|
parser.add_argument('-c', '--confdir', help='Set config directory '
|
|
|
|
'(empty for no config storage)')
|
2014-02-05 12:46:35 +01:00
|
|
|
parser.add_argument('-d', '--debug', help='Turn on debugging options.',
|
|
|
|
action='store_true')
|
2014-01-30 20:41:54 +01:00
|
|
|
parser.add_argument('command', nargs='*', help='Commands to execute '
|
|
|
|
'on startup.', metavar=':command')
|
|
|
|
# URLs will actually be in command
|
|
|
|
parser.add_argument('url', nargs='*', help='URLs to open on startup.')
|
2014-02-18 16:38:13 +01:00
|
|
|
return parser.parse_args()
|
2013-12-15 20:33:43 +01:00
|
|
|
|
2014-01-29 15:30:19 +01:00
|
|
|
def _initlog(self):
|
|
|
|
"""Initialisation of the logging output."""
|
2014-02-18 16:38:13 +01:00
|
|
|
loglevel = 'debug' if self._args.debug else self._args.loglevel
|
2014-01-19 18:20:57 +01:00
|
|
|
numeric_level = getattr(logging, loglevel.upper(), None)
|
|
|
|
if not isinstance(numeric_level, int):
|
2014-01-20 15:58:49 +01:00
|
|
|
raise ValueError('Invalid log level: {}'.format(loglevel))
|
2014-01-19 18:20:57 +01:00
|
|
|
logging.basicConfig(
|
|
|
|
level=numeric_level,
|
|
|
|
format='%(asctime)s [%(levelname)s] '
|
|
|
|
'[%(module)s:%(funcName)s:%(lineno)s] %(message)s',
|
|
|
|
datefmt='%Y-%m-%d %H:%M:%S')
|
2014-01-17 10:57:27 +01:00
|
|
|
|
2014-02-05 12:46:35 +01:00
|
|
|
def _initmisc(self):
|
2014-02-17 08:56:33 +01:00
|
|
|
"""Initialize misc things."""
|
2014-02-18 16:38:13 +01:00
|
|
|
if self._args.debug:
|
2014-02-05 12:46:35 +01:00
|
|
|
os.environ['QT_FATAL_WARNINGS'] = '1'
|
2014-02-17 08:56:33 +01:00
|
|
|
self.setApplicationName("qutebrowser")
|
|
|
|
self.setApplicationVersion(qutebrowser.__version__)
|
2014-02-05 12:46:35 +01:00
|
|
|
|
2014-01-29 15:30:19 +01:00
|
|
|
def _init_cmds(self):
|
|
|
|
"""Initialisation of the qutebrowser commands.
|
|
|
|
|
|
|
|
Registers all commands, connects its signals, and sets up keyparser.
|
2014-02-07 20:21:50 +01:00
|
|
|
|
2014-01-29 15:30:19 +01:00
|
|
|
"""
|
2014-01-19 18:20:57 +01:00
|
|
|
cmdutils.register_all()
|
2014-01-20 15:58:49 +01:00
|
|
|
for cmd in cmdutils.cmd_dict.values():
|
2014-01-19 22:55:00 +01:00
|
|
|
cmd.signal.connect(self.cmd_handler)
|
2014-01-22 16:43:24 +01:00
|
|
|
try:
|
2014-01-28 12:21:00 +01:00
|
|
|
self.keyparser.from_config_sect(config.config['keybind'])
|
2014-01-22 16:43:24 +01:00
|
|
|
except KeyError:
|
|
|
|
pass
|
2014-01-19 22:55:00 +01:00
|
|
|
|
2014-02-17 12:00:08 +01:00
|
|
|
@pyqtSlot()
|
2014-02-17 14:17:56 +01:00
|
|
|
def shutdown(self, do_quit=True):
|
|
|
|
"""Try to shutdown everything cleanly.
|
|
|
|
|
|
|
|
For some reason lastWindowClosing sometimes seem to get emitted twice,
|
|
|
|
so we make sure we only run once here.
|
|
|
|
|
|
|
|
quit -- Whether to quit after shutting down.
|
|
|
|
|
|
|
|
"""
|
2014-02-18 16:38:13 +01:00
|
|
|
if self._shutting_down:
|
2014-02-17 14:17:56 +01:00
|
|
|
return
|
2014-02-18 16:38:13 +01:00
|
|
|
self._shutting_down = True
|
2014-02-17 20:30:09 +01:00
|
|
|
logging.debug("Shutting down... (do_quit={})".format(do_quit))
|
2014-02-18 11:57:35 +01:00
|
|
|
try:
|
2014-02-17 20:30:09 +01:00
|
|
|
config.config.save()
|
2014-02-18 11:57:35 +01:00
|
|
|
except AttributeError:
|
|
|
|
logging.exception("Could not save config.")
|
|
|
|
try:
|
|
|
|
self._save_geometry()
|
|
|
|
config.state.save()
|
|
|
|
except AttributeError:
|
|
|
|
logging.exception("Could not save window geometry.")
|
2014-02-17 20:30:09 +01:00
|
|
|
try:
|
|
|
|
if do_quit:
|
2014-02-18 13:05:42 +01:00
|
|
|
self.mainwindow.tabs.shutdown_complete.connect(
|
2014-02-18 16:38:13 +01:00
|
|
|
self.on_tab_shutdown_complete)
|
2014-02-17 20:39:15 +01:00
|
|
|
else:
|
|
|
|
self.mainwindow.tabs.shutdown_complete.connect(
|
|
|
|
functools.partial(self._maybe_quit, 'shutdown'))
|
2014-02-17 20:30:09 +01:00
|
|
|
self.mainwindow.tabs.shutdown()
|
|
|
|
except AttributeError: # mainwindow or tabs could still be None
|
2014-02-18 11:56:40 +01:00
|
|
|
logging.exception("No mainwindow/tabs to shut down.")
|
2014-02-17 20:30:09 +01:00
|
|
|
if do_quit:
|
|
|
|
self.quit()
|
2014-02-17 10:20:57 +01:00
|
|
|
|
2014-02-18 11:57:35 +01:00
|
|
|
def _save_geometry(self):
|
|
|
|
"""Save the window geometry to the state config."""
|
2014-02-18 14:06:45 +01:00
|
|
|
geom = b64encode(bytes(self.mainwindow.saveGeometry())).decode('ASCII')
|
2014-02-18 11:57:35 +01:00
|
|
|
try:
|
2014-02-18 14:06:45 +01:00
|
|
|
config.state.add_section('geometry')
|
2014-02-18 11:57:35 +01:00
|
|
|
except configparser.DuplicateSectionError:
|
|
|
|
pass
|
2014-02-18 14:06:45 +01:00
|
|
|
config.state['geometry']['mainwindow'] = geom
|
2014-02-18 11:57:35 +01:00
|
|
|
|
2014-02-18 13:05:42 +01:00
|
|
|
@pyqtSlot()
|
2014-02-18 16:38:13 +01:00
|
|
|
def on_tab_shutdown_complete(self):
|
2014-02-18 13:05:42 +01:00
|
|
|
"""Quit application after a shutdown.
|
|
|
|
|
|
|
|
Gets called when all tabs finished shutting down after shutdown().
|
|
|
|
|
|
|
|
"""
|
|
|
|
logging.debug("Shutdown complete, quitting.")
|
|
|
|
self.quit()
|
|
|
|
|
2014-02-17 12:00:08 +01:00
|
|
|
@pyqtSlot(tuple)
|
2014-01-19 22:55:00 +01:00
|
|
|
def cmd_handler(self, tpl):
|
2014-01-29 15:30:19 +01:00
|
|
|
"""Handle commands and delegate the specific actions.
|
|
|
|
|
|
|
|
This gets called as a slot from all commands, and then calls the
|
|
|
|
appropriate command handler.
|
2014-01-20 15:58:49 +01:00
|
|
|
|
|
|
|
tpl -- A tuple in the form (count, argv) where argv is [cmd, arg, ...]
|
|
|
|
|
|
|
|
All handlers supporting a count should have a keyword argument count.
|
2014-02-07 20:21:50 +01:00
|
|
|
|
2014-01-20 15:58:49 +01:00
|
|
|
"""
|
2014-01-19 22:55:00 +01:00
|
|
|
(count, argv) = tpl
|
|
|
|
cmd = argv[0]
|
|
|
|
args = argv[1:]
|
2014-02-18 16:38:13 +01:00
|
|
|
browser = self.mainwindow.tabs
|
2014-01-19 22:55:00 +01:00
|
|
|
|
2014-01-19 23:03:06 +01:00
|
|
|
handlers = {
|
2014-02-18 16:38:13 +01:00
|
|
|
'open': browser.openurl,
|
|
|
|
'opencur': browser.opencur,
|
|
|
|
'tabopen': browser.tabopen,
|
|
|
|
'tabopencur': browser.tabopencur,
|
2014-02-17 14:17:56 +01:00
|
|
|
'quit': self.shutdown,
|
2014-02-18 16:38:13 +01:00
|
|
|
'tabclose': browser.cur_close,
|
|
|
|
'tabprev': browser.switch_prev,
|
|
|
|
'tabnext': browser.switch_next,
|
|
|
|
'reload': browser.cur_reload,
|
|
|
|
'stop': browser.cur_stop,
|
|
|
|
'back': browser.cur_back,
|
|
|
|
'forward': browser.cur_forward,
|
|
|
|
'print': browser.cur_print,
|
|
|
|
'scroll': browser.cur_scroll,
|
|
|
|
'scroll_page': browser.cur_scroll_page,
|
|
|
|
'scroll_perc_x': browser.cur_scroll_percent_x,
|
|
|
|
'scroll_perc_y': browser.cur_scroll_percent_y,
|
|
|
|
'undo': browser.undo_close,
|
2014-01-28 06:52:59 +01:00
|
|
|
'pyeval': self.pyeval,
|
2014-01-29 21:06:56 +01:00
|
|
|
'nextsearch': self.searchparser.nextsearch,
|
2014-02-18 16:38:13 +01:00
|
|
|
'yank': browser.cur_yank,
|
|
|
|
'yanktitle': browser.cur_yank_title,
|
|
|
|
'paste': browser.paste,
|
|
|
|
'tabpaste': browser.tabpaste,
|
2014-01-30 14:58:32 +01:00
|
|
|
'crash': self.crash,
|
2014-01-19 23:03:06 +01:00
|
|
|
}
|
|
|
|
|
|
|
|
handler = handlers[cmd]
|
|
|
|
|
2014-01-30 07:08:45 +01:00
|
|
|
if count is not None and self.sender().count:
|
2014-01-29 15:30:19 +01:00
|
|
|
return handler(*args, count=count)
|
2014-01-19 23:03:06 +01:00
|
|
|
else:
|
2014-01-29 15:30:19 +01:00
|
|
|
return handler(*args)
|
2014-01-19 23:54:22 +01:00
|
|
|
|
|
|
|
def pyeval(self, s):
|
2014-01-29 15:30:19 +01:00
|
|
|
"""Evaluate a python string and display the results as a webpage.
|
|
|
|
|
|
|
|
s -- The string to evaluate.
|
|
|
|
|
|
|
|
:pyeval command handler.
|
2014-02-07 20:21:50 +01:00
|
|
|
|
2014-01-29 15:30:19 +01:00
|
|
|
"""
|
2014-01-19 23:54:22 +01:00
|
|
|
try:
|
|
|
|
r = eval(s)
|
|
|
|
out = repr(r)
|
2014-01-28 23:04:02 +01:00
|
|
|
except Exception as e: # pylint: disable=broad-except
|
2014-01-19 23:54:22 +01:00
|
|
|
out = ': '.join([e.__class__.__name__, str(e)])
|
2014-02-07 10:07:13 +01:00
|
|
|
about.pyeval_output = out
|
|
|
|
self.mainwindow.tabs.openurl('about:pyeval')
|
2014-01-30 14:58:32 +01:00
|
|
|
|
|
|
|
def crash(self):
|
|
|
|
"""Crash for debugging purposes.
|
|
|
|
|
|
|
|
:crash command handler.
|
2014-02-07 20:21:50 +01:00
|
|
|
|
2014-01-30 14:58:32 +01:00
|
|
|
"""
|
|
|
|
raise Exception
|