Electron Forge【实战】自定义菜单 -- 顶部菜单 vs 右键快捷菜单

效果预览


定义菜单 src/menu.ts

ts 复制代码
import { Menu, BrowserWindow, MenuItemConstructorOptions } from "electron";

import { configManager } from "./config";
import en from "./language/en";
import zh from "./language/zh";

type MessageSchema = typeof zh;
const messages: Record<string, MessageSchema> = {
  en,
  zh,
};

// 创建一个通用的翻译函数
const createTranslator = () => {
  const config = configManager.get();
  return (key: string) => {
    const keys = key.split(".");
    let result: any = messages[config.language];
    for (const k of keys) {
      result = result[k];
    }
    return result as string;
  };
};

// 顶部菜单
const createMenu = (mainWindow: BrowserWindow) => {
  const t = createTranslator();
  const template: MenuItemConstructorOptions[] = [
    {
      label: t("menu.app.myApp"),
      submenu: [
        {
          label: t("menu.app.newConversation"),
          accelerator: "CmdOrCtrl+N",
          click: () => {
            mainWindow.webContents.send("menu-new-conversation");
          },
        },
        {
          label: t("menu.app.settings"),
          accelerator: "CmdOrCtrl+,",
          click: () => {
            mainWindow.webContents.send("menu-open-settings");
          },
        },
        { type: "separator" },
        {
          role: "quit",
          label: t("menu.app.quit"),
        },
      ],
    },
    {
      label: t("menu.edit.title"),
      submenu: [
        {
          role: "undo",
          label: t("menu.edit.undo"),
        },
        {
          role: "redo",
          label: t("menu.edit.redo"),
        },
        { type: "separator" },
        {
          role: "cut",
          label: t("menu.edit.cut"),
        },
        {
          role: "copy",
          label: t("menu.edit.copy"),
        },
        {
          role: "paste",
          label: t("menu.edit.paste"),
        },
        {
          role: "selectAll",
          label: t("menu.edit.selectAll"),
        },
        ...(process.platform === "darwin"
          ? ([
              { type: "separator" as const },
              {
                label: t("menu.edit.speech.title"),
                submenu: [
                  {
                    role: "startSpeaking",
                    label: t("menu.edit.speech.startSpeaking"),
                  },
                  {
                    role: "stopSpeaking",
                    label: t("menu.edit.speech.stopSpeaking"),
                  },
                ],
              },
              {
                role: "emoji",
                label: t("menu.edit.emoji"),
              },
            ] as MenuItemConstructorOptions[])
          : []),
      ],
    },
    {
      label: t("menu.view.title"),
      submenu: [
        {
          role: "reload",
          label: t("menu.view.reload"),
        },
        {
          role: "forceReload",
          label: t("menu.view.forceReload"),
        },
        {
          role: "toggleDevTools",
          label: t("menu.view.toggleDevTools"),
        },
        { type: "separator" },
        {
          role: "resetZoom",
          label: t("menu.view.resetZoom"),
        },
        {
          role: "zoomIn",
          label: t("menu.view.zoomIn"),
        },
        {
          role: "zoomOut",
          label: t("menu.view.zoomOut"),
        },
        { type: "separator" },
        {
          role: "togglefullscreen",
          label: t("menu.view.togglefullscreen"),
        },
      ],
    },
    ...(process.platform === "darwin"
      ? [
          {
            role: "windowMenu" as const,
          },
        ]
      : []),
  ];

  const menu = Menu.buildFromTemplate(template);
  Menu.setApplicationMenu(menu);
};

// 右键菜单
const createContextMenu = (win: BrowserWindow, id: number) => {
  const t = createTranslator();
  const template = [
    {
      label: t("contextMenu.deleteConversation"),
      click: () => {
        win.webContents.send("delete-conversation", id);
      },
    },
  ];
  const menu = Menu.buildFromTemplate(template);
  menu.popup({ window: win });
};

// 导出一个更新菜单的函数,在语言改变时调用
const updateMenu = (mainWindow: BrowserWindow) => {
  createMenu(mainWindow);
};

export { createMenu, updateMenu, createContextMenu };

顶部菜单

加载顶部菜单 src/main.ts

ts 复制代码
import { createMenu } from "./menu";
ts 复制代码
  // 加载菜单
  createMenu(mainWindow);

添加 IPC 通信 src/preload.ts

ts 复制代码
  onMenuNewConversation: (callback: () => void) =>
    ipcRenderer.on("menu-new-conversation", () => callback()),
  onMenuOpenSettings: (callback: () => void) =>
    ipcRenderer.on("menu-open-settings", () => callback()),

全局监听菜单事件 src/App.vue

ts 复制代码
// 监听菜单事件
window.electronAPI.onMenuNewConversation(() => {
  router.push("/");
});

window.electronAPI.onMenuOpenSettings(() => {
  router.push("/settings");
});

修改设置时,更新顶部菜单 src/ipc.ts

ts 复制代码
import { createContextMenu, updateMenu } from "./menu";
ts 复制代码
  ipcMain.handle("update-config", async (event, newConfig) => {
    const updatedConfig = await configManager.update(newConfig);
    // 如果语言发生变化,更新菜单
    if (newConfig.language) {
      updateMenu(mainWindow);
    }
    return updatedConfig;
  });

右键快捷菜单

目标元素上添加右键快捷菜单事件

src/components/ConversationList.vue

ts 复制代码
@contextmenu.prevent="showContextMenu(item.id)"
ts 复制代码
const showContextMenu = (id: number) => {
  window.electronAPI.showContextMenu(id);
};

添加 IPC 通信

src/preload.ts

ts 复制代码
  // 显示右键菜单
  showContextMenu: (id: number) => ipcRenderer.send("show-context-menu", id),
  // 删除会话
  onDeleteConversation: (callback: (id: number) => void) =>
    ipcRenderer.on("delete-conversation", (_event, id) => callback(id)),

src/ipc.ts

ts 复制代码
import { createContextMenu, updateMenu } from "./menu";
ts 复制代码
  // 弹出右键菜单
  ipcMain.on("show-context-menu", (event, id) => {
    const win = BrowserWindow.fromWebContents(event.sender);
    if (!win) return;
    createContextMenu(win, id);
  });

页面响应右键快捷菜单事件

src/components/ConversationList.vue

ts 复制代码
onMounted(() => {
  window.electronAPI.onDeleteConversation(async (id: number) => {
    await store.deleteConversation(id);
    if (store.selectedId === id) {
      store.selectedId = -1;
      router.push("/");
    }
  });
});
相关推荐
华玥作者10 小时前
[特殊字符] VitePress 对接 Algolia AI 问答(DocSearch + AI Search)完整实战(下)
前端·人工智能·ai
Mr Xu_11 小时前
告别冗长 switch-case:Vue 项目中基于映射表的优雅路由数据匹配方案
前端·javascript·vue.js
前端摸鱼匠11 小时前
Vue 3 的toRefs保持响应性:讲解toRefs在解构响应式对象时的作用
前端·javascript·vue.js·前端框架·ecmascript
sleeppingfrog11 小时前
zebra通过zpl语言实现中文打印(二)
javascript
lang2015092811 小时前
JSR-340 :高性能Web开发新标准
java·前端·servlet
好家伙VCC12 小时前
### WebRTC技术:实时通信的革新与实现####webRTC(Web Real-TimeComm
java·前端·python·webrtc
未来之窗软件服务12 小时前
未来之窗昭和仙君(六十五)Vue与跨地区多部门开发—东方仙盟练气
前端·javascript·vue.js·仙盟创梦ide·东方仙盟·昭和仙君
baidu_2474386112 小时前
Android ViewModel定时任务
android·开发语言·javascript
嘿起屁儿整13 小时前
面试点(网络层面)
前端·网络
VT.馒头13 小时前
【力扣】2721. 并行执行异步函数
前端·javascript·算法·leetcode·typescript