20

我正在尝试根据所选内容在 Chrome 上下文菜单上创建条目。我在 Stackoverflow 上发现了几个关于此的问题,所有问题的答案都是:使用带有“mousedown”侦听器的内容脚本,该侦听器查看当前选择并创建上下文菜单。

我实现了这个,但它并不总是有效。有时所有日志消息都说上下文菜单已按我的意愿进行了修改,但出现的上下文菜单没有更新。

基于此,我怀疑这是一种竞争条件:有时 chrome 在代码完全运行之前就开始渲染上下文菜单。

我尝试将 eventListener 添加到“contextmenu”和“mouseup”。后者在用户用鼠标选择文本时触发,因此它会在上下文菜单出现之前(甚至几秒钟)更改上下文菜单。即使使用这种技术,我仍然看到同样的错误发生!

这在 Chrome 22.0.1229.94 (Mac) 中经常发生,偶尔在 Chromium 20.0.1132.47 (linux) 中发生,并且在 Windows (Chrome 22.0.1229.94) 上尝试 2 分钟后没有发生。

究竟发生了什么?我该如何解决?还有其他解决方法吗?


这是我的代码的简化版本(不是那么简单,因为我保留了日志消息):

清单.json:

{
  "name": "Test",
  "version": "0.1",
  "permissions": ["contextMenus"],
  "content_scripts": [{
    "matches": ["http://*/*", "https://*/*"],
    "js": ["content_script.js"]
  }],
  "background": {
    "scripts": ["background.js"]
  },
  "manifest_version": 2
}

content_script.js

function loadContextMenu() {
  var selection = window.getSelection().toString().trim();
  chrome.extension.sendMessage({request: 'loadContextMenu', selection: selection}, function (response) {
    console.log('sendMessage callback');
  });
}

document.addEventListener('mousedown', function(event){
  if (event.button == 2) {
    loadContextMenu();
  }
}, true);

背景.js

function SelectionType(str) {
  if (str.match("^[0-9]+$"))
    return "number";
  else if (str.match("^[a-z]+$"))
    return "lowercase string";
  else
    return "other";
}

chrome.extension.onMessage.addListener(function(msg, sender, sendResponse) {
  console.log("msg.request = " + msg.request);
  if (msg.request == "loadContextMenu") {
    var type = SelectionType(msg.selection);
    console.log("selection = " + msg.selection + ", type = " + type);
    if (type == "number" || type == "lowercase string") {
      console.log("Creating context menu with title = " + type);
      chrome.contextMenus.removeAll(function() {
        console.log("contextMenus.removeAll callback");
        chrome.contextMenus.create(
            {"title": type,
             "contexts": ["selection"],
             "onclick": function(info, tab) {alert(1);}},
            function() {
                console.log("ContextMenu.create callback! Error? " + chrome.extension.lastError);});
      });
    } else {
      console.log("Removing context menu")
      chrome.contextMenus.removeAll(function() {
          console.log("contextMenus.removeAll callback");
      });
    }
    console.log("handling message 'loadContextMenu' done.");
  }
  sendResponse({});
});
4

2 回答 2

36

contextMenusAPI 用于定义上下文菜单条目。它不需要在上下文菜单打开之前调用。因此,不要在 contextmenu 事件上创建条目,而是使用该selectionchange事件来不断更新 contextmenu 条目。

我将展示一个简单的示例,它只在上下文菜单条目中显示选定的文本,以显示条目同步良好。

使用此内容脚本:

document.addEventListener('selectionchange', function() {
    var selection = window.getSelection().toString().trim();
    chrome.runtime.sendMessage({
        request: 'updateContextMenu',
        selection: selection
    });
});

在后台,我们将只创建一次上下文菜单条目。之后,我们更新上下文菜单项(使用我们从中获得的 ID chrome.contextMenus.create)。
选择为空时,如果需要,我们会删除上下文菜单条目。

// ID to manage the context menu entry
var cmid;
var cm_clickHandler = function(clickData, tab) {
    alert('Selected ' + clickData.selectionText + ' in ' + tab.url);
};

chrome.runtime.onMessage.addListener(function(msg, sender, sendResponse) {
    if (msg.request === 'updateContextMenu') {
        var type = msg.selection;
        if (type == '') {
            // Remove the context menu entry
            if (cmid != null) {
                chrome.contextMenus.remove(cmid);
                cmid = null; // Invalidate entry now to avoid race conditions
            } // else: No contextmenu ID, so nothing to remove
        } else { // Add/update context menu entry
            var options = {
                title: type,
                contexts: ['selection'],
                onclick: cm_clickHandler
            };
            if (cmid != null) {
                chrome.contextMenus.update(cmid, options);
            } else {
                // Create new menu, and remember the ID
                cmid = chrome.contextMenus.create(options);
            }
        }
    }
});

为了使这个例子简单,我假设只有一个上下文菜单条目。如果您想支持更多条目,请创建一个数组或散列来存储 ID。

尖端

  • 优化- 为减少chrome.contextMenusAPI 调用次数,缓存参数的相关值。然后,使用简单的===比较来检查 contextMenu 项是否需要创建/更新。
  • 调试- 所有chrome.contextMenus方法都是异步的。要调试您的代码,请将回调函数传递给.create.remove.update方法。
于 2012-12-02T21:17:49.037 回答
0

MDN 文档menus.create(),“标题”参数

您可以在字符串中使用“%s”。如果您在菜单项中执行此操作,并且在显示菜单时在页面中选择了某些文本,则所选文本将插入到标题中。

https://developer.mozilla.org/en-US/docs/Mozilla/Add-ons/WebExtensions/API/menus/create

因此

browser.contextMenus.create({
  id: 'menu-search',
  title: "Search '%s'",  // selected text as %s
  contexts: ['selection'], // show only if selection exist
})
于 2022-02-14T14:03:22.437 回答