From a76c0067e14e8c11ab2605fad7ab6dd8fef54d1b Mon Sep 17 00:00:00 2001 From: Jimmy Date: Sun, 31 Dec 2017 18:32:16 +1300 Subject: [PATCH 01/12] Greasemonkey: Add support for the @require rule. The greasemonkey spec states that user scripts should be able to put the URL of a javascript source as the value of an `@require` key and expect to have that script available in its scope. This commit supports deferring a user script from being available until it's required scripts are downloaded, downloading the scripts and prepending them onto the userscripts code before placing it all in an iffe. TODO: * should I be saving the scripts somewhere else? Maybe the cache dir? The are just going to data/greasemonkey/requires/ atm. --- qutebrowser/browser/greasemonkey.py | 132 ++++++++++++++++++++++++---- 1 file changed, 117 insertions(+), 15 deletions(-) diff --git a/qutebrowser/browser/greasemonkey.py b/qutebrowser/browser/greasemonkey.py index fb064f6c1..071a0f71f 100644 --- a/qutebrowser/browser/greasemonkey.py +++ b/qutebrowser/browser/greasemonkey.py @@ -23,13 +23,16 @@ import re import os import json import fnmatch +import functools import glob +import base64 import attr from PyQt5.QtCore import pyqtSignal, QObject, QUrl from qutebrowser.utils import log, standarddir, jinja, objreg from qutebrowser.commands import cmdutils +from qutebrowser.browser import downloads def _scripts_dir(): @@ -45,6 +48,7 @@ class GreasemonkeyScript: self._code = code self.includes = [] self.excludes = [] + self.requires = [] self.description = None self.name = None self.namespace = None @@ -66,6 +70,8 @@ class GreasemonkeyScript: self.run_at = value elif name == 'noframes': self.runs_on_sub_frames = False + elif name == 'require': + self.requires.append(value) HEADER_REGEX = r'// ==UserScript==|\n+// ==/UserScript==\n' PROPS_REGEX = r'// @(?P[^\s]+)\s*(?P.*)' @@ -93,7 +99,7 @@ class GreasemonkeyScript: """Return the processed JavaScript code of this script. Adorns the source code with GM_* methods for Greasemonkey - compatibility and wraps it in an IFFE to hide it within a + compatibility and wraps it in an IIFE to hide it within a lexical scope. Note that this means line numbers in your browser's debugger/inspector will not match up to the line numbers in the source script directly. @@ -115,6 +121,13 @@ class GreasemonkeyScript: 'run-at': self.run_at, }) + def add_required_script(self, source): + """Add the source of a required script to this script.""" + # NOTE: If source also contains a greasemonkey metadata block then + # QWebengineScript will parse that instead of the actual one. + # Adding an indent to source would stop that. + self._code = "\n".join([source, self._code]) + @attr.s class MatchingScripts(object): @@ -145,6 +158,11 @@ class GreasemonkeyManager(QObject): def __init__(self, parent=None): super().__init__(parent) + self._run_start = [] + self._run_end = [] + self._run_idle = [] + self._in_progress_dls = [] + self.load_scripts() @cmdutils.register(name='greasemonkey-reload', @@ -170,23 +188,107 @@ class GreasemonkeyManager(QObject): if not script.name: script.name = script_filename - if script.run_at == 'document-start': - self._run_start.append(script) - elif script.run_at == 'document-end': - self._run_end.append(script) - elif script.run_at == 'document-idle': - self._run_idle.append(script) + if script.requires: + log.greasemonkey.debug( + "Deferring script until requirements are " + "fulfilled: {}".format(script.name)) + self._get_required_scripts(script) else: - if script.run_at: - log.greasemonkey.warning( - "Script {} has invalid run-at defined, " - "defaulting to document-end".format(script_path)) - # Default as per - # https://wiki.greasespot.net/Metadata_Block#.40run-at - self._run_end.append(script) - log.greasemonkey.debug("Loaded script: {}".format(script.name)) + self._add_script(script) + self.scripts_reloaded.emit() + def _add_script(self, script): + if script.run_at == 'document-start': + self._run_start.append(script) + elif script.run_at == 'document-end': + self._run_end.append(script) + elif script.run_at == 'document-idle': + self._run_idle.append(script) + else: + if script.run_at: + log.greasemonkey.warning("Script {} has invalid run-at " + "defined, defaulting to " + "document-end" + .format(script.name)) + # Default as per + # https://wiki.greasespot.net/Metadata_Block#.40run-at + self._run_end.append(script) + log.greasemonkey.debug("Loaded script: {}".format(script.name)) + + def _required_url_to_file_path(self, url): + # TODO: Save to a more readable name + # cf https://stackoverflow.com/questions/295135/turn-a-string-into-a-valid-filename + name = str(base64.urlsafe_b64encode(bytes(url, 'utf8')), encoding='utf8') + requires_dir = os.path.join(_scripts_dir(), 'requires') + if not os.path.exists(requires_dir): + os.mkdir(requires_dir) + return os.path.join(requires_dir, name) + + def _on_required_download_finished(self, script, download): + self._in_progress_dls.remove(download) + if not self._add_script_with_requires(script): + log.greasemonkey.debug( + "Finished download {} for script {} " + "but some requirements are still pending" + .format(download.basename, script.name)) + + def _add_script_with_requires(self, script, quiet=False): + """Add a script with pending downloads to this GreasemonkeyManager. + + Specifically a script that has dependancies specified via an + `@require` rule. + + Args: + script: The GreasemonkeyScript to add. + quiet: True to suppress the scripts_reloaded signal after + adding `script`. + Returns: True if the script was added, False if there are still + dependancies being downloaded. + """ + # See if we are still waiting on any required scripts for this one + for dl in self._in_progress_dls: + if dl.requested_url in script.requires: + return False + + # Need to add the required scripts to the IIFE now + for url in reversed(script.requires): + target_path = self._required_url_to_file_path(url) + log.greasemonkey.debug( + "Adding required script for {} to IIFE: {}" + .format(script.name, url)) + with open(target_path, encoding='utf8') as f: + script.add_required_script(f.read()) + + self._add_script(script) + if not quiet: + self.scripts_reloaded.emit() + return True + + def _get_required_scripts(self, script): + required_dls = [(url, self._required_url_to_file_path(url)) + for url in script.requires] + required_dls = [(url, path) for (url, path) in required_dls + if not os.path.exists(path)] + if not required_dls: + # All the files exist so we don't have to deal with + # potentially not having a download manager yet + # TODO: Consider supporting force reloading. + self._add_script_with_requires(script, quiet=True) + return + + download_manager = objreg.get('qtnetwork-download-manager') + + for url, target_path in required_dls: + target = downloads.FileDownloadTarget(target_path) + download = download_manager.get(QUrl(url), target=target, + auto_remove=True) + download.requested_url = url + self._in_progress_dls.append(download) + download.finished.connect( + functools.partial(self._on_required_download_finished, + script, download)) + def scripts_for(self, url): """Fetch scripts that are registered to run for url. From 33d66676c9521e3a70b25d093f2c865999e9d652 Mon Sep 17 00:00:00 2001 From: Jimmy Date: Mon, 1 Jan 2018 16:10:20 +1300 Subject: [PATCH 02/12] Greasemonkey: mock the new GM4 promises based API. Based on the gm4-polyfill.js script from the greasemonkey devs. But not the same because that script doesn't work for us for a couple of reasons: * It assumes all GM_* functions are attributes of `this` which in this case is the global window object. Which breaks it out of our iife. It is possible to change what `this` is within the iife but then we would have to do something weird to ensure the functions were available with the leading `this.`. And I don't think user javascripts tend to call GM functions like that anyway, that polyfill script is just making weird assumptions and then claiming it'll work for "any user script engine". * It tries to provide implementations of GM_registerMenuCommand and GM_getResource text which do unexpected thins or implement a circular dependency on the new version, respectively. --- .../javascript/greasemonkey_wrapper.js | 36 +++++++++++++++++++ 1 file changed, 36 insertions(+) diff --git a/qutebrowser/javascript/greasemonkey_wrapper.js b/qutebrowser/javascript/greasemonkey_wrapper.js index 2d36220dc..d9ea736df 100644 --- a/qutebrowser/javascript/greasemonkey_wrapper.js +++ b/qutebrowser/javascript/greasemonkey_wrapper.js @@ -110,6 +110,42 @@ } } + // Stub these two so that the gm4 polyfill script doesn't try to + // create broken versions as attributes of window. + function GM_getResourceText(caption, commandFunc, accessKey) { + console.error(`${GM_info.script.name} called unimplemented GM_getResourceText`); + } + + function GM_registerMenuCommand(caption, commandFunc, accessKey) { + console.error(`${GM_info.script.name} called unimplemented GM_registerMenuCommand`); + } + + // Mock the greasemonkey 4.0 async API. + const GM = {}; + GM.info = GM_info; + Object.entries({ + 'log': GM_log, + 'addStyle': GM_addStyle, + 'deleteValue': GM_deleteValue, + 'getValue': GM_getValue, + 'listValues': GM_listValues, + 'openInTab': GM_openInTab, + 'setValue': GM_setValue, + 'xmlHttpRequest': GM_xmlhttpRequest, + }).forEach(([newKey, old]) => { + if (old && (typeof GM[newKey] == 'undefined')) { + GM[newKey] = function(...args) { + return new Promise((resolve, reject) => { + try { + resolve(old(...args)); + } catch (e) { + reject(e); + } + }); + }; + } + }); + const unsafeWindow = window; // ====== The actual user script source ====== // From a7b74d8e8311fc60ab168736c7f408e23b395bfa Mon Sep 17 00:00:00 2001 From: Jimmy Date: Tue, 2 Jan 2018 11:53:25 +1300 Subject: [PATCH 03/12] Greasemonkey: give required scripts a readable filename. --- qutebrowser/browser/greasemonkey.py | 8 ++------ 1 file changed, 2 insertions(+), 6 deletions(-) diff --git a/qutebrowser/browser/greasemonkey.py b/qutebrowser/browser/greasemonkey.py index 071a0f71f..07e73acfa 100644 --- a/qutebrowser/browser/greasemonkey.py +++ b/qutebrowser/browser/greasemonkey.py @@ -25,12 +25,11 @@ import json import fnmatch import functools import glob -import base64 import attr from PyQt5.QtCore import pyqtSignal, QObject, QUrl -from qutebrowser.utils import log, standarddir, jinja, objreg +from qutebrowser.utils import log, standarddir, jinja, objreg, utils from qutebrowser.commands import cmdutils from qutebrowser.browser import downloads @@ -217,13 +216,10 @@ class GreasemonkeyManager(QObject): log.greasemonkey.debug("Loaded script: {}".format(script.name)) def _required_url_to_file_path(self, url): - # TODO: Save to a more readable name - # cf https://stackoverflow.com/questions/295135/turn-a-string-into-a-valid-filename - name = str(base64.urlsafe_b64encode(bytes(url, 'utf8')), encoding='utf8') requires_dir = os.path.join(_scripts_dir(), 'requires') if not os.path.exists(requires_dir): os.mkdir(requires_dir) - return os.path.join(requires_dir, name) + return os.path.join(requires_dir, utils.sanitize_filename(url)) def _on_required_download_finished(self, script, download): self._in_progress_dls.remove(download) From b91e2e32677ab296a752281d46a14b3f65542dab Mon Sep 17 00:00:00 2001 From: Jimmy Date: Tue, 2 Jan 2018 14:13:13 +1300 Subject: [PATCH 04/12] Allow download manager to overwrite existing files unprompted. This is to support the non-interactive use case of setting a `FileDownloadTarget` and passing auto_remove and not caring if the target file exists or not. An alternative to adding the attribute to `FileDownloadTarget` and having set_target pull it out would be to add a new param to `fetch()` and `set_target()`. But it would only be used for one target type anyway. --- qutebrowser/browser/downloads.py | 8 ++++++-- qutebrowser/browser/greasemonkey.py | 3 ++- 2 files changed, 8 insertions(+), 3 deletions(-) diff --git a/qutebrowser/browser/downloads.py b/qutebrowser/browser/downloads.py index 4f390b18b..dd112e00a 100644 --- a/qutebrowser/browser/downloads.py +++ b/qutebrowser/browser/downloads.py @@ -238,11 +238,14 @@ class FileDownloadTarget(_DownloadTarget): Attributes: filename: Filename where the download should be saved. + force_overwrite: Whether to overwrite the target without + prompting the user. """ - def __init__(self, filename): + def __init__(self, filename, force_overwrite=False): # pylint: disable=super-init-not-called self.filename = filename + self.force_overwrite = force_overwrite def suggested_filename(self): return os.path.basename(self.filename) @@ -738,7 +741,8 @@ class AbstractDownloadItem(QObject): if isinstance(target, FileObjDownloadTarget): self._set_fileobj(target.fileobj, autoclose=False) elif isinstance(target, FileDownloadTarget): - self._set_filename(target.filename) + self._set_filename( + target.filename, force_overwrite=target.force_overwrite) elif isinstance(target, OpenFileDownloadTarget): try: fobj = temp_download_manager.get_tmpfile(self.basename) diff --git a/qutebrowser/browser/greasemonkey.py b/qutebrowser/browser/greasemonkey.py index 07e73acfa..bc6208e90 100644 --- a/qutebrowser/browser/greasemonkey.py +++ b/qutebrowser/browser/greasemonkey.py @@ -276,7 +276,8 @@ class GreasemonkeyManager(QObject): download_manager = objreg.get('qtnetwork-download-manager') for url, target_path in required_dls: - target = downloads.FileDownloadTarget(target_path) + target = downloads.FileDownloadTarget(target_path, + force_overwrite=True) download = download_manager.get(QUrl(url), target=target, auto_remove=True) download.requested_url = url From 2307a0850f7703083d7493c9a185d595d2ce7851 Mon Sep 17 00:00:00 2001 From: Jimmy Date: Tue, 2 Jan 2018 14:19:21 +1300 Subject: [PATCH 05/12] Greasemonkey: Support greasemonkey-reload --force. Added a new argument to the greasemonkey-reload command to support also re-downloading any `@required` scripts. --- qutebrowser/browser/greasemonkey.py | 19 +++++++++++-------- 1 file changed, 11 insertions(+), 8 deletions(-) diff --git a/qutebrowser/browser/greasemonkey.py b/qutebrowser/browser/greasemonkey.py index bc6208e90..683985f54 100644 --- a/qutebrowser/browser/greasemonkey.py +++ b/qutebrowser/browser/greasemonkey.py @@ -166,11 +166,15 @@ class GreasemonkeyManager(QObject): @cmdutils.register(name='greasemonkey-reload', instance='greasemonkey') - def load_scripts(self): + def load_scripts(self, force=False): """Re-read Greasemonkey scripts from disk. The scripts are read from a 'greasemonkey' subdirectory in qutebrowser's data directory (see `:version`). + + Args: + force: For any scripts that have required dependencies, + re-download them. """ self._run_start = [] self._run_end = [] @@ -191,7 +195,7 @@ class GreasemonkeyManager(QObject): log.greasemonkey.debug( "Deferring script until requirements are " "fulfilled: {}".format(script.name)) - self._get_required_scripts(script) + self._get_required_scripts(script, force) else: self._add_script(script) @@ -261,15 +265,14 @@ class GreasemonkeyManager(QObject): self.scripts_reloaded.emit() return True - def _get_required_scripts(self, script): + def _get_required_scripts(self, script, force=False): required_dls = [(url, self._required_url_to_file_path(url)) for url in script.requires] - required_dls = [(url, path) for (url, path) in required_dls - if not os.path.exists(path)] + if not force: + required_dls = [(url, path) for (url, path) in required_dls + if not os.path.exists(path)] if not required_dls: - # All the files exist so we don't have to deal with - # potentially not having a download manager yet - # TODO: Consider supporting force reloading. + # All the required files exist already self._add_script_with_requires(script, quiet=True) return From cba93954cd09bd11fcd99466717d340b23c94a10 Mon Sep 17 00:00:00 2001 From: Jimmy Date: Tue, 2 Jan 2018 15:56:28 +1300 Subject: [PATCH 06/12] Allow download_stub test fixture to handle file targets. --- tests/unit/browser/test_adblock.py | 22 ++++++++++++++++++---- 1 file changed, 18 insertions(+), 4 deletions(-) diff --git a/tests/unit/browser/test_adblock.py b/tests/unit/browser/test_adblock.py index 09161e806..a6bbcd8ce 100644 --- a/tests/unit/browser/test_adblock.py +++ b/tests/unit/browser/test_adblock.py @@ -23,12 +23,13 @@ import os.path import zipfile import shutil import logging +import contextlib import pytest from PyQt5.QtCore import pyqtSignal, QUrl, QObject -from qutebrowser.browser import adblock +from qutebrowser.browser import adblock, downloads from qutebrowser.utils import objreg pytestmark = pytest.mark.usefixtures('qapp', 'config_tmpdir') @@ -89,14 +90,27 @@ class FakeDownloadManager: def __init__(self, tmpdir): self._tmpdir = tmpdir + @contextlib.contextmanager + def _open_fileobj(self, target): + """Ensure a DownloadTarget's fileobj attribute is available.""" + if isinstance(target, downloads.FileDownloadTarget): + target.fileobj = open(target.filename, 'wb') + try: + yield target.fileobj + finally: + target.fileobj.close() + else: + yield target.fileobj + def get(self, url, target, **kwargs): """Return a FakeDownloadItem instance with a fileobj. The content is copied from the file the given url links to. """ - download_item = FakeDownloadItem(target.fileobj, name=url.path()) - with (self._tmpdir / url.path()).open('rb') as fake_url_file: - shutil.copyfileobj(fake_url_file, download_item.fileobj) + with self._open_fileobj(target): + download_item = FakeDownloadItem(target.fileobj, name=url.path()) + with (self._tmpdir / url.path()).open('rb') as fake_url_file: + shutil.copyfileobj(fake_url_file, download_item.fileobj) return download_item From fa1ac8d93cdf5061a5df91b5f8ffe63e078018a5 Mon Sep 17 00:00:00 2001 From: Jimmy Date: Sat, 3 Mar 2018 13:00:27 +1300 Subject: [PATCH 07/12] Move download_stub to helpers/fixtures I am adding support for downloading dependant assets in browser/greasemonkey and want to mock the download manager for testing. --- tests/helpers/fixtures.py | 9 +++++ tests/helpers/stubs.py | 48 +++++++++++++++++++++++- tests/unit/browser/test_adblock.py | 60 +----------------------------- 3 files changed, 58 insertions(+), 59 deletions(-) diff --git a/tests/helpers/fixtures.py b/tests/helpers/fixtures.py index 193a40a8a..7c9fc93ae 100644 --- a/tests/helpers/fixtures.py +++ b/tests/helpers/fixtures.py @@ -523,3 +523,12 @@ class ModelValidator: @pytest.fixture def model_validator(qtmodeltester): return ModelValidator(qtmodeltester) + + +@pytest.fixture +def download_stub(win_registry, tmpdir, stubs): + """Register a FakeDownloadManager.""" + stub = stubs.FakeDownloadManager(tmpdir) + objreg.register('qtnetwork-download-manager', stub) + yield + objreg.delete('qtnetwork-download-manager') diff --git a/tests/helpers/stubs.py b/tests/helpers/stubs.py index 3957a670a..0167926bd 100644 --- a/tests/helpers/stubs.py +++ b/tests/helpers/stubs.py @@ -22,6 +22,8 @@ """Fake objects/stubs.""" from unittest import mock +import contextlib +import shutil import attr from PyQt5.QtCore import pyqtSignal, QPoint, QProcess, QObject, QUrl @@ -29,7 +31,7 @@ from PyQt5.QtNetwork import (QNetworkRequest, QAbstractNetworkCache, QNetworkCacheMetaData) from PyQt5.QtWidgets import QCommonStyle, QLineEdit, QWidget, QTabBar -from qutebrowser.browser import browsertab +from qutebrowser.browser import browsertab, downloads from qutebrowser.utils import usertypes from qutebrowser.mainwindow import mainwindow @@ -558,3 +560,47 @@ class HTTPPostStub(QObject): def post(self, url, data=None): self.url = url self.data = data + + +class FakeDownloadItem(QObject): + + """Mock browser.downloads.DownloadItem.""" + + finished = pyqtSignal() + + def __init__(self, fileobj, name, parent=None): + super().__init__(parent) + self.fileobj = fileobj + self.name = name + self.successful = True + + +class FakeDownloadManager: + + """Mock browser.downloads.DownloadManager.""" + + def __init__(self, tmpdir): + self._tmpdir = tmpdir + + @contextlib.contextmanager + def _open_fileobj(self, target): + """Ensure a DownloadTarget's fileobj attribute is available.""" + if isinstance(target, downloads.FileDownloadTarget): + target.fileobj = open(target.filename, 'wb') + try: + yield target.fileobj + finally: + target.fileobj.close() + else: + yield target.fileobj + + def get(self, url, target, **kwargs): + """Return a FakeDownloadItem instance with a fileobj. + + The content is copied from the file the given url links to. + """ + with self._open_fileobj(target): + download_item = FakeDownloadItem(target.fileobj, name=url.path()) + with (self._tmpdir / url.path()).open('rb') as fake_url_file: + shutil.copyfileobj(fake_url_file, download_item.fileobj) + return download_item diff --git a/tests/unit/browser/test_adblock.py b/tests/unit/browser/test_adblock.py index a6bbcd8ce..e3b0e4576 100644 --- a/tests/unit/browser/test_adblock.py +++ b/tests/unit/browser/test_adblock.py @@ -21,16 +21,13 @@ import os import os.path import zipfile -import shutil import logging -import contextlib import pytest -from PyQt5.QtCore import pyqtSignal, QUrl, QObject +from PyQt5.QtCore import QUrl -from qutebrowser.browser import adblock, downloads -from qutebrowser.utils import objreg +from qutebrowser.browser import adblock pytestmark = pytest.mark.usefixtures('qapp', 'config_tmpdir') @@ -70,59 +67,6 @@ def basedir(fake_args): fake_args.basedir = None -class FakeDownloadItem(QObject): - - """Mock browser.downloads.DownloadItem.""" - - finished = pyqtSignal() - - def __init__(self, fileobj, name, parent=None): - super().__init__(parent) - self.fileobj = fileobj - self.name = name - self.successful = True - - -class FakeDownloadManager: - - """Mock browser.downloads.DownloadManager.""" - - def __init__(self, tmpdir): - self._tmpdir = tmpdir - - @contextlib.contextmanager - def _open_fileobj(self, target): - """Ensure a DownloadTarget's fileobj attribute is available.""" - if isinstance(target, downloads.FileDownloadTarget): - target.fileobj = open(target.filename, 'wb') - try: - yield target.fileobj - finally: - target.fileobj.close() - else: - yield target.fileobj - - def get(self, url, target, **kwargs): - """Return a FakeDownloadItem instance with a fileobj. - - The content is copied from the file the given url links to. - """ - with self._open_fileobj(target): - download_item = FakeDownloadItem(target.fileobj, name=url.path()) - with (self._tmpdir / url.path()).open('rb') as fake_url_file: - shutil.copyfileobj(fake_url_file, download_item.fileobj) - return download_item - - -@pytest.fixture -def download_stub(win_registry, tmpdir): - """Register a FakeDownloadManager.""" - stub = FakeDownloadManager(tmpdir) - objreg.register('qtnetwork-download-manager', stub) - yield - objreg.delete('qtnetwork-download-manager') - - def create_zipfile(directory, files, zipname='test'): """Return a path to a newly created zip file. From 919fe45813a5aa92affb29839a8425f72de723ab Mon Sep 17 00:00:00 2001 From: Jimmy Date: Tue, 2 Jan 2018 16:01:01 +1300 Subject: [PATCH 08/12] Greasemonkey: Add test for @require support. There's is a lot of asserts in that one test but it tests everything. --- tests/unit/javascript/test_greasemonkey.py | 30 ++++++++++++++++++++++ 1 file changed, 30 insertions(+) diff --git a/tests/unit/javascript/test_greasemonkey.py b/tests/unit/javascript/test_greasemonkey.py index 52af51a4b..7759f5d18 100644 --- a/tests/unit/javascript/test_greasemonkey.py +++ b/tests/unit/javascript/test_greasemonkey.py @@ -128,3 +128,33 @@ def test_load_emits_signal(qtbot): gm_manager = greasemonkey.GreasemonkeyManager() with qtbot.wait_signal(gm_manager.scripts_reloaded): gm_manager.load_scripts() + + +def test_required_scripts_are_included(download_stub, tmpdir): + test_require_script = textwrap.dedent(""" + // ==UserScript== + // @name qutebrowser test userscript + // @namespace invalid.org + // @include http://localhost:*/data/title.html + // @match http://trolol* + // @exclude https://badhost.xxx/* + // @run-at document-start + // @require http://localhost/test.js + // ==/UserScript== + console.log("Script is running."); + """) + _save_script(test_require_script, 'requiring.user.js') + with open(str(tmpdir / 'test.js'), 'w', encoding='UTF-8') as f: + f.write("REQUIRED SCRIPT") + + gm_manager = greasemonkey.GreasemonkeyManager() + assert len(gm_manager._in_progress_dls) == 1 + for download in gm_manager._in_progress_dls: + download.finished.emit() + + scripts = gm_manager.all_scripts() + assert len(scripts) == 1 + assert "REQUIRED SCRIPT" in scripts[0].code() + # Additionally check that the base script is still being parsed correctly + assert "Script is running." in scripts[0].code() + assert scripts[0].excludes From 60e6d28eb11bd941692aa16cae06d788bc01ba4b Mon Sep 17 00:00:00 2001 From: Jimmy Date: Fri, 5 Jan 2018 20:45:32 +1300 Subject: [PATCH 09/12] Greasemonkey: webkit: Don't use Object.entries in js. Apparently the currently available QtWebkit's javascript engine doesn't support Object.entries[1]. It was only using that because I had copied it from the official gm4 polyfill (maybe I should open an issue there?). Tested with libqt5webkit5 version 5.212.0~alpha2-5 (debian) and I was getting the same type of failures as Travis so it looks like this is the case in arch too. [1]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/entries --- qutebrowser/javascript/greasemonkey_wrapper.js | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/qutebrowser/javascript/greasemonkey_wrapper.js b/qutebrowser/javascript/greasemonkey_wrapper.js index d9ea736df..71266755a 100644 --- a/qutebrowser/javascript/greasemonkey_wrapper.js +++ b/qutebrowser/javascript/greasemonkey_wrapper.js @@ -123,7 +123,7 @@ // Mock the greasemonkey 4.0 async API. const GM = {}; GM.info = GM_info; - Object.entries({ + const entries = { 'log': GM_log, 'addStyle': GM_addStyle, 'deleteValue': GM_deleteValue, @@ -132,7 +132,9 @@ 'openInTab': GM_openInTab, 'setValue': GM_setValue, 'xmlHttpRequest': GM_xmlhttpRequest, - }).forEach(([newKey, old]) => { + } + for (newKey in entries) { + let old = entries[newKey]; if (old && (typeof GM[newKey] == 'undefined')) { GM[newKey] = function(...args) { return new Promise((resolve, reject) => { @@ -144,7 +146,7 @@ }); }; } - }); + }; const unsafeWindow = window; From 87a0c2a7a70f2a6c1e73cf4f21682279d50cc8f3 Mon Sep 17 00:00:00 2001 From: Jimmy Date: Sat, 20 Jan 2018 16:31:10 +1300 Subject: [PATCH 10/12] Greasemonkey: indent source of required scripts This is for the case where a script uses `@require` to pull down another greasemonkey script. Since QWebEngineScript doesn't support `@require` we pass scripts to it with any required ones pre-pended. To avoid QWebEngineScript parsing the first metadata block, the one from the required script, we indent the whole lot. Because the greasemonkey spec says that the //==UserScript== text must start in the first column. --- qutebrowser/browser/greasemonkey.py | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/qutebrowser/browser/greasemonkey.py b/qutebrowser/browser/greasemonkey.py index 683985f54..d37340d88 100644 --- a/qutebrowser/browser/greasemonkey.py +++ b/qutebrowser/browser/greasemonkey.py @@ -25,6 +25,7 @@ import json import fnmatch import functools import glob +import textwrap import attr from PyQt5.QtCore import pyqtSignal, QObject, QUrl @@ -122,10 +123,11 @@ class GreasemonkeyScript: def add_required_script(self, source): """Add the source of a required script to this script.""" - # NOTE: If source also contains a greasemonkey metadata block then - # QWebengineScript will parse that instead of the actual one. - # Adding an indent to source would stop that. - self._code = "\n".join([source, self._code]) + # The additional source is indented in case it also contains a + # metadata block. Because we pass everything at once to + # QWebEngineScript and that would parse the first metadata block + # found as the valid one. + self._code = "\n".join([textwrap.indent(source, " "), self._code]) @attr.s From 7dab8335e2f399ef9d9e0e43e39375fd36b15e4a Mon Sep 17 00:00:00 2001 From: Jimmy Date: Sun, 21 Jan 2018 15:37:22 +1300 Subject: [PATCH 11/12] Greasemonkey: handle downloads that complete fast When `@require`ing local files (with the `file://` scheme) the greasemonkey manager was not catching the DownloadItem.finished signal because it was being emitted before it had managed to connect. I didn't see this happening while testing with files that should have been in cache but I wouldn't be surprised. I had to change the download mock to be able to give it the appearance of asynchronicity. Now when using it one must set download.successful appropriately before firing download.finished. I also added a list of downloads to the stub so a test could enumerate them in case the unit-under-test didn't have a reference to them. --- qutebrowser/browser/greasemonkey.py | 9 ++++++--- tests/helpers/fixtures.py | 2 +- tests/helpers/stubs.py | 4 +++- tests/unit/browser/test_adblock.py | 14 +++++++++++--- 4 files changed, 21 insertions(+), 8 deletions(-) diff --git a/qutebrowser/browser/greasemonkey.py b/qutebrowser/browser/greasemonkey.py index d37340d88..9f7e26f53 100644 --- a/qutebrowser/browser/greasemonkey.py +++ b/qutebrowser/browser/greasemonkey.py @@ -287,9 +287,12 @@ class GreasemonkeyManager(QObject): auto_remove=True) download.requested_url = url self._in_progress_dls.append(download) - download.finished.connect( - functools.partial(self._on_required_download_finished, - script, download)) + if download.successful: + self._on_required_download_finished(script, download) + else: + download.finished.connect( + functools.partial(self._on_required_download_finished, + script, download)) def scripts_for(self, url): """Fetch scripts that are registered to run for url. diff --git a/tests/helpers/fixtures.py b/tests/helpers/fixtures.py index 7c9fc93ae..4ae9f125d 100644 --- a/tests/helpers/fixtures.py +++ b/tests/helpers/fixtures.py @@ -530,5 +530,5 @@ def download_stub(win_registry, tmpdir, stubs): """Register a FakeDownloadManager.""" stub = stubs.FakeDownloadManager(tmpdir) objreg.register('qtnetwork-download-manager', stub) - yield + yield stub objreg.delete('qtnetwork-download-manager') diff --git a/tests/helpers/stubs.py b/tests/helpers/stubs.py index 0167926bd..fbe7035e3 100644 --- a/tests/helpers/stubs.py +++ b/tests/helpers/stubs.py @@ -572,7 +572,7 @@ class FakeDownloadItem(QObject): super().__init__(parent) self.fileobj = fileobj self.name = name - self.successful = True + self.successful = False class FakeDownloadManager: @@ -581,6 +581,7 @@ class FakeDownloadManager: def __init__(self, tmpdir): self._tmpdir = tmpdir + self.downloads = [] @contextlib.contextmanager def _open_fileobj(self, target): @@ -603,4 +604,5 @@ class FakeDownloadManager: download_item = FakeDownloadItem(target.fileobj, name=url.path()) with (self._tmpdir / url.path()).open('rb') as fake_url_file: shutil.copyfileobj(fake_url_file, download_item.fileobj) + self.downloads.append(download_item) return download_item diff --git a/tests/unit/browser/test_adblock.py b/tests/unit/browser/test_adblock.py index e3b0e4576..5b353efb9 100644 --- a/tests/unit/browser/test_adblock.py +++ b/tests/unit/browser/test_adblock.py @@ -206,6 +206,7 @@ def test_disabled_blocking_update(basedir, config_stub, download_stub, while host_blocker._in_progress: current_download = host_blocker._in_progress[0] with caplog.at_level(logging.ERROR): + current_download.successful = True current_download.finished.emit() host_blocker.read_hosts() for str_url in URLS_TO_CHECK: @@ -221,6 +222,8 @@ def test_no_blocklist_update(config_stub, download_stub, host_blocker = adblock.HostBlocker() host_blocker.adblock_update() host_blocker.read_hosts() + for dl in download_stub.downloads: + dl.successful = True for str_url in URLS_TO_CHECK: assert not host_blocker.is_blocked(QUrl(str_url)) @@ -238,6 +241,7 @@ def test_successful_update(config_stub, basedir, download_stub, while host_blocker._in_progress: current_download = host_blocker._in_progress[0] with caplog.at_level(logging.ERROR): + current_download.successful = True current_download.finished.emit() host_blocker.read_hosts() assert_urls(host_blocker, whitelisted=[]) @@ -265,6 +269,8 @@ def test_failed_dl_update(config_stub, basedir, download_stub, # if current download is the file we want to fail, make it fail if current_download.name == dl_fail_blocklist.path(): current_download.successful = False + else: + current_download.successful = True with caplog.at_level(logging.ERROR): current_download.finished.emit() host_blocker.read_hosts() @@ -294,16 +300,18 @@ def test_invalid_utf8(config_stub, download_stub, tmpdir, data_tmpdir, host_blocker = adblock.HostBlocker() host_blocker.adblock_update() - finished_signal = host_blocker._in_progress[0].finished + current_download = host_blocker._in_progress[0] if location == 'content': with caplog.at_level(logging.ERROR): - finished_signal.emit() + current_download.successful = True + current_download.finished.emit() expected = (r"Failed to decode: " r"b'https://www.example.org/\xa0localhost") assert caplog.records[-2].message.startswith(expected) else: - finished_signal.emit() + current_download.successful = True + current_download.finished.emit() host_blocker.read_hosts() assert_urls(host_blocker, whitelisted=[]) From 0adda22d3cd7470fd1e324f9e970ad32bc3bb042 Mon Sep 17 00:00:00 2001 From: Jimmy Date: Sat, 27 Jan 2018 22:03:45 +1300 Subject: [PATCH 12/12] Greasemonkey: add a way to register scripts directly. Previously to add a greasemonkey script you had to write it to the greasemonkey data directory and call load_scripts(). Now you can just make a new GreasemonkeyScript and pass it to add_script(), yay. There are no users of the method yet although I could have used it while writing the tests. --- qutebrowser/browser/greasemonkey.py | 25 ++++++++++++++++--------- 1 file changed, 16 insertions(+), 9 deletions(-) diff --git a/qutebrowser/browser/greasemonkey.py b/qutebrowser/browser/greasemonkey.py index 9f7e26f53..6879f4cf6 100644 --- a/qutebrowser/browser/greasemonkey.py +++ b/qutebrowser/browser/greasemonkey.py @@ -192,17 +192,24 @@ class GreasemonkeyManager(QObject): script = GreasemonkeyScript.parse(script_file.read()) if not script.name: script.name = script_filename - - if script.requires: - log.greasemonkey.debug( - "Deferring script until requirements are " - "fulfilled: {}".format(script.name)) - self._get_required_scripts(script, force) - else: - self._add_script(script) - + self.add_script(script, force) self.scripts_reloaded.emit() + def add_script(self, script, force=False): + """Add a GreasemonkeyScript to this manager. + + Args: + force: Fetch and overwrite any dependancies which are + already locally cached. + """ + if script.requires: + log.greasemonkey.debug( + "Deferring script until requirements are " + "fulfilled: {}".format(script.name)) + self._get_required_scripts(script, force) + else: + self._add_script(script) + def _add_script(self, script): if script.run_at == 'document-start': self._run_start.append(script)