async'ify msg, don't throw for flow control (#1078)

This commit is contained in:
tophf 2020-10-26 17:39:07 +03:00 committed by GitHub
parent 1a7b51be6b
commit bf40fa81e8
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
3 changed files with 151 additions and 251 deletions

View File

@ -258,7 +258,7 @@ if (FIREFOX && browser.commands && browser.commands.update) {
}); });
} }
msg.broadcastTab({method: 'backgroundReady'}); msg.broadcast({method: 'backgroundReady'});
function webNavIframeHelperFF({tabId, frameId}) { function webNavIframeHelperFF({tabId, frameId}) {
if (!frameId) return; if (!frameId) return;

View File

@ -155,13 +155,10 @@ self.INJECTED !== 1 && (() => {
break; break;
case 'backgroundReady': case 'backgroundReady':
initializing initializing.catch(err =>
.catch(err => { msg.isIgnorableError(err)
if (msg.RX_NO_RECEIVER.test(err.message)) { ? init()
return init(); : console.error(err));
}
})
.catch(console.error);
break; break;
case 'updateCount': case 'updateCount':

389
js/msg.js
View File

@ -1,258 +1,161 @@
/* global promisifyChrome deepCopy */ /* global promisifyChrome */
// deepCopy is only used if the script is executed in extension pages. /* global deepCopy getOwnTab URLS */ // not used in content scripts
'use strict'; 'use strict';
self.msg = self.INJECTED === 1 ? self.msg : (() => { // eslint-disable-next-line no-unused-expressions
window.INJECTED !== 1 && (() => {
promisifyChrome({ promisifyChrome({
runtime: ['sendMessage'], runtime: ['sendMessage', 'getBackgroundPage'],
tabs: ['sendMessage', 'query'], tabs: ['sendMessage', 'query'],
}); });
const isBg = chrome.extension.getBackgroundPage && chrome.extension.getBackgroundPage() === window; const TARGETS = Object.assign(Object.create(null), {
if (isBg) { all: ['both', 'tab', 'extension'],
window._msg = { extension: ['both', 'extension'],
handler: null, tab: ['both', 'tab'],
clone: deepCopy });
}; const NEEDS_TAB_IN_SENDER = [
} 'getTabUrlPrefix',
const bgReady = getBg(); 'updateIconBadge',
const EXTENSION_URL = chrome.runtime.getURL(''); 'styleViaAPI',
let handler; ];
const RX_NO_RECEIVER = /Receiving end does not exist/; const ERR_NO_RECEIVER = 'Receiving end does not exist';
// typo in Chrome 49 const ERR_PORT_CLOSED = 'The message port closed before';
const RX_PORT_CLOSED = /The message port closed before a res?ponse was received/; const handler = {
return { both: new Set(),
send, tab: new Set(),
sendTab, extension: new Set(),
sendBg,
broadcast,
broadcastTab,
broadcastExtension,
ignoreError,
on,
onTab,
onExtension,
off,
RX_NO_RECEIVER,
RX_PORT_CLOSED,
isBg,
}; };
function getBg() { let bg = chrome.extension.getBackgroundPage && chrome.extension.getBackgroundPage();
if (isBg) { const isBg = bg === window;
return Promise.resolve(window); if (!isBg && (!bg || !bg.document || bg.document.readyState === 'loading')) {
} bg = null;
// try using extension.getBackgroundPage because runtime.getBackgroundPage is too slow
// https://github.com/openstyles/stylus/issues/771
if (chrome.extension.getBackgroundPage) {
const bg = chrome.extension.getBackgroundPage();
if (bg && bg.document && bg.document.readyState !== 'loading') {
return Promise.resolve(bg);
}
}
if (chrome.runtime.getBackgroundPage) {
promisifyChrome({
runtime: ['getBackgroundPage'],
});
return browser.runtime.getBackgroundPage().catch(() => null);
}
return Promise.resolve(null);
} }
function send(data, target = 'extension') { // TODO: maybe move into polyfill.js and hook addListener + sendMessage so they wrap/unwrap automatically
const message = {data, target}; const wrapData = data => ({
return browser.runtime.sendMessage(message).then(unwrapData); data,
} });
const wrapError = error => ({
error: Object.assign({
message: error.message || `${error}`,
stack: error.stack,
}, error), // passing custom properties e.g. `error.index`
});
const unwrapResponse = ({data, error} = {error: {message: ERR_NO_RECEIVER}}) =>
error
? Promise.reject(Object.assign(new Error(error.message), error))
: data;
chrome.runtime.onMessage.addListener(({data, target}, sender, sendResponse) => {
const res = window.msg._execute(TARGETS[target] || TARGETS.all, data, sender);
if (res instanceof Promise) {
res.then(wrapData, wrapError).then(sendResponse);
return true;
}
if (res !== undefined) sendResponse(wrapData(res));
});
function sendTab(tabId, data, options, target = 'tab') { // This direct assignment allows IDEs to provide autocomplete for msg methods automatically
return browser.tabs.sendMessage(tabId, {data, target}, options) const msg = window.msg = {
.then(unwrapData); isBg,
}
function sendBg(data) { async broadcast(data) {
return bgReady.then(bg => { const requests = [msg.send(data, 'both').catch(msg.ignoreError)];
if (bg) { for (const tab of await browser.tabs.query({})) {
if (!bg._msg.handler) { const url = tab.pendingUrl || tab.url;
throw new Error('there is no bg handler'); if (!tab.discarded &&
!url.startsWith(URLS.ownOrigin) &&
URLS.supported(url)) {
requests[tab.active ? 'unshift' : 'push'](
msg.sendTab(tab.id, data, null, 'both').catch(msg.ignoreError));
}
}
return Promise.all(requests);
},
broadcastExtension(...args) {
return msg.send(...args).catch(msg.ignoreError);
},
isIgnorableError(err) {
const msg = `${err && err.message || err}`;
return msg.includes(ERR_NO_RECEIVER) || msg.includes(ERR_PORT_CLOSED);
},
ignoreError(err) {
if (!msg.isIgnorableError(err)) {
console.warn(err);
}
},
on(fn) {
handler.both.add(fn);
},
onTab(fn) {
handler.tab.add(fn);
},
onExtension(fn) {
handler.extension.add(fn);
},
off(fn) {
for (const type of TARGETS.all) {
handler[type].delete(fn);
}
},
send(data, target = 'extension') {
return browser.runtime.sendMessage({data, target})
.then(unwrapResponse);
},
sendTab(tabId, data, options, target = 'tab') {
return browser.tabs.sendMessage(tabId, {data, target}, options)
.then(unwrapResponse);
},
_execute(types, ...args) {
let result;
for (const type of types) {
for (const fn of handler[type]) {
let res;
try {
res = fn(...args);
} catch (err) {
res = Promise.reject(err);
}
if (res !== undefined && result === undefined) {
result = res;
}
}
}
return result;
},
};
window.API = new Proxy({}, {
get(target, name) {
// using a named function for convenience when debugging
return async function invokeAPI(...args) {
if (!bg && chrome.tabs) {
bg = await browser.runtime.getBackgroundPage().catch(() => {});
}
const message = {method: 'invokeAPI', name, args};
// content scripts, frames and probably private tabs
if (!bg || window !== parent) {
return msg.send(message);
} }
const handlers = bg._msg.handler.extension.concat(bg._msg.handler.both);
// in FF, the object would become a dead object when the window // in FF, the object would become a dead object when the window
// is closed, so we have to clone the object into background. // is closed, so we have to clone the object into background.
return Promise.resolve(executeCallbacks(handlers, bg._msg.clone(data), {url: location.href})) const res = bg.msg._execute(TARGETS.extension, bg.deepCopy(message), {
.then(deepCopy); frameId: 0,
} tab: NEEDS_TAB_IN_SENDER.includes(name) && await getOwnTab(),
return send(data); url: location.href,
}); });
} return deepCopy(await res);
};
function ignoreError(err) { },
if (err.message && ( });
RX_NO_RECEIVER.test(err.message) ||
RX_PORT_CLOSED.test(err.message)
)) {
return;
}
console.warn(err);
}
function broadcast(data, filter) {
return Promise.all([
send(data, 'both').catch(ignoreError),
broadcastTab(data, filter, null, true, 'both')
]);
}
function broadcastTab(data, filter, options, ignoreExtension = false, target = 'tab') {
return browser.tabs.query({})
// TODO: send to activated tabs first?
.then(tabs => {
const requests = [];
for (const tab of tabs) {
const tabUrl = tab.pendingUrl || tab.url;
const isExtension = tabUrl.startsWith(EXTENSION_URL);
if (
tab.discarded ||
// FIXME: use `URLS.supported`?
!/^(http|ftp|file)/.test(tabUrl) &&
!tabUrl.startsWith('chrome://newtab/') &&
!isExtension ||
isExtension && ignoreExtension ||
filter && !filter(tab)
) {
continue;
}
const dataObj = typeof data === 'function' ? data(tab) : data;
if (!dataObj) {
continue;
}
const message = {data: dataObj, target};
if (tab && tab.id) {
requests.push(
browser.tabs.sendMessage(tab.id, message, options)
.then(unwrapData)
.catch(ignoreError)
);
}
}
return Promise.all(requests);
});
}
function broadcastExtension(...args) {
return send(...args).catch(ignoreError);
}
function on(fn) {
initHandler();
handler.both.push(fn);
}
function onTab(fn) {
initHandler();
handler.tab.push(fn);
}
function onExtension(fn) {
initHandler();
handler.extension.push(fn);
}
function off(fn) {
for (const type of ['both', 'tab', 'extension']) {
const index = handler[type].indexOf(fn);
if (index >= 0) {
handler[type].splice(index, 1);
}
}
}
function initHandler() {
if (handler) {
return;
}
handler = {
both: [],
tab: [],
extension: []
};
if (isBg) {
window._msg.handler = handler;
}
chrome.runtime.onMessage.addListener(handleMessage);
}
function executeCallbacks(callbacks, ...args) {
let result;
for (const fn of callbacks) {
const data = withPromiseError(fn, ...args);
if (data !== undefined && result === undefined) {
result = data;
}
}
return result;
}
function handleMessage(message, sender, sendResponse) {
const handlers = message.target === 'tab' ?
handler.tab.concat(handler.both) : message.target === 'extension' ?
handler.extension.concat(handler.both) :
handler.both.concat(handler.extension, handler.tab);
if (!handlers.length) {
return;
}
const result = executeCallbacks(handlers, message.data, sender);
if (result === undefined) {
return;
}
Promise.resolve(result)
.then(
data => ({
error: false,
data
}),
err => ({
error: true,
data: Object.assign({
message: err.message || String(err),
// FIXME: do we want to pass the entire stack?
stack: err.stack
}, err) // this allows us to pass custom properties e.g. `err.index`
})
)
.then(sendResponse);
return true;
}
function withPromiseError(fn, ...args) {
try {
return fn(...args);
} catch (err) {
return Promise.reject(err);
}
}
// {type, error, data, id}
function unwrapData(result) {
if (result === undefined) {
throw new Error('Receiving end does not exist');
}
if (result.error) {
throw Object.assign(new Error(result.data.message), result.data);
}
return result.data;
}
})(); })();
self.API = self.INJECTED === 1 ? self.API : new Proxy({
// Handlers for these methods need sender.tab.id which is set by `send` as it uses messaging,
// unlike `sendBg` which invokes the background page directly in our own extension tabs
getTabUrlPrefix: true,
updateIconBadge: true,
styleViaAPI: true,
}, {
get: (target, name) =>
(...args) => Promise.resolve(self.msg[target[name] ? 'send' : 'sendBg']({
method: 'invokeAPI',
name,
args
}))
});