2

我正在尝试使用我的扩展在主菜单栏上插入一个新菜单。我知道如何使用 XUL 覆盖来做到这一点,但它需要通过 JavaScript 插入。此代码创建一个名为“New”的新菜单,并带有一个“New Tab”选项。alert(doc);显示[object XMLDocument],但我的新菜单不会显示。

var xmlString = '<menu id="new-menu" label="New" accesskey="N">'+
      '<menupopup id="menu_NewPopup">'+
      '<menuitem id="menu_newNavigatorTab" label="New Tab" command="cmd_newNavigatorTab" key="key_newNavigatorTab" accesskey="T"/>'+
      '</menupopup>'+
      '</menu>';

var parser = new DOMParser();
var doc = parser.parseFromString(xmlString, "text/xml");
document.getElementById('main-menubar').appendChild(doc);
4

1 回答 1

2

使用常规的 DOM API。

首先,找出正确的父节点。其中browser.xul通常是以下之一:

  • #mainPopupSet- 全新的菜单
  • #menu_ToolsPopup- 工具菜单
  • #contentAreaContextMenu- 内容的主上下文菜单

对于其他菜单,您可以自己跟踪 id(例如,使用 DOM 检查器,或阅读 chrome://browser/content/browser.xul 源代码)。在你自己的窗户里,无论如何,你最了解自己。

然后您可以动态构建您的菜单内容,例如

var parent = document.getElementById("<parent from step 1>");
var menu = document.createElement("menu"); // in a XUL window, the XUL namespace is already implied.
menu.setAttribute("id", "my-extension-menu"); // Use sane names that are unlikely to clash with other ids in the window.
menu.setAttribute("label", "My Item");

var item = document.createElement("menuitem");
item.setAttribute("label", "My Item");
item.addEventListener("command", function item_click(e) {
  alert("clicked");
}, false);

menu.appendChild(item);
parent.appendChild(menu); // Or insertBefore()

在 XUL 覆盖中通常很常见,对popupshowing事件做出反应以仅根据需要构建/更新菜单。还有一个popuphidden事件。

document.getElementById("contentAreaContextMenu")
  .addEventListener("popupshowing", function construct_or_update(e) {

  // Construct menu, if first time, else update as necessary
}, true);

这通常与存根覆盖相结合:

<!-- ... xml preamble, doctype, etc. -->
<overlay id="my-extension-overlay">
  <popup id="contentAreaContextMenu">
    <menu id="my-extension-menu">
      <menupopup id="my-extension-menupopup"/>
    </menu>
  </popup>
</overlay>

然后有类似的东西:

document.getElementById("my-extension-menu")
  .addEventListener("popupshowing", function construct_or_update(e) {

   var mp = document.getElementById("my-extension-menupopup");
   // Remove cruft from last time.
   while (mp.lastChild) {
     mp.removeChild(mp.lastChild);
   }
   // Create new menu items
}, true);

如果您只有一组静态菜单项,并且您想根据上下文或其他内容显示或隐藏您的项目,只需.hidden在元素上设置属性即可。这比一次又一次地构建整个子 DOM 效率要高得多。

document.getElementById("contentAreaContextMenu")
  .addEventListener("popupshowing", function update_menuitems(e) {

  var item = document.getElementById("my-extension-item");
  item.hidden = someCondition;
}, true);

PS:不要使用DOMParser。如果你真的觉得你必须做这样的事情,把它放在一个文件和XMLHttpRequest.responseXML文档中。然后,您可以根据需要.importNode().appendChild()/ .insertBefore()。但如果您可以使用叠加层,则不建议这样做。但是,对于不能使用覆盖的引导(无重启)扩展,它可能是可行的。

永远不要从字符串构造 DOM 片段,特别是不要从动态连接在一起的字符串构造片段。

于 2013-09-04T23:17:09.810 回答