根据 documentation for chrome.tabs.executeScript ( MDN ),回调函数接受来自脚本执行的“任何结果数组”结果集。您究竟如何使用它来获得结果?我所有的尝试最终都将 undefined 传递给回调。

我尝试在内容脚本的末尾返回一个值,该值抛出了 Uncaught SyntaxError: Illegal return statement 。我尝试使用可选的代码对象参数 {code: "return "Hello";} 但没有成功。

我觉得我不明白文档中“每个注入(inject)帧中的脚本结果”是什么意思。

最佳答案

chrome.tabs.executeScript() 从运行脚本的每个选项卡/框架中返回一个带有“脚本结果”的 Array

“脚本的结果”是最后一个评估语句的值,它可以是函数返回的值(即 IIFE,使用 return 语句)。通常,如果您从 Web 控制台 (F12) 执行代码/脚本(例如,对于脚本 console.log()var foo='my result';foo; ,则控制台将显示为执行结果(不是 results ,而是结果)数组将包含字符串“my result”作为元素)。如果代码很短,则可以尝试从控制台执行它。

下面是一些取自 another answer of mine 的示例代码:

chrome.browserAction.onClicked.addListener(function(tab) {
    console.log('Injecting content script(s)');
    //On Firefox document.body.textContent is probably more appropriate
    chrome.tabs.executeScript(tab.id,{
        code: 'document.body.innerText;'
        //If you had something somewhat more complex you can use an IIFE:
        //code: '(function (){return document.body.innerText;})();'
        //If your code was complex, you should store it in a
        // separate .js file, which you inject with the file: property.
    },receiveText);
});

//tabs.executeScript() returns the results of the executed script
//  in an array of results, one entry per frame in which the script
//  was injected.
function receiveText(resultsArray){
    console.log(resultsArray[0]);
}

这将注入(inject)一个内容脚本以在单击浏览器操作按钮时获取 .innerText<body>。您将需要 activeTab 权限。

作为这些生成的示例,您可以打开网页控制台 (F12) 并输入 document.body.innerText;(function (){return document.body.innerText;})(); 以查看将返回的内容。

关于javascript - chrome.tabs.executeScript() : How to get result of content script?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/41577988/

10-16 22:38