├── nvim ├── commands.lua ├── init.lua ├── chadrc.lua ├── configs │ ├── lspconfig.lua │ ├── overrides.lua │ ├── dap.lua │ └── todo-comments.lua ├── README.md ├── mappings.lua └── plugins.lua ├── README.md └── vimrc ├── setting.json ├── README.md ├── vscodevimrc ├── ideavimrc └── actionlist.txt /nvim/commands.lua: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # dotfiles 2 | 3 | > 自用的一些系统配置文件 4 | 5 | - idea 6 | - nvim 7 | -------------------------------------------------------------------------------- /nvim/init.lua: -------------------------------------------------------------------------------- 1 | -- 相对行数 2 | vim.wo.relativenumber = true 3 | 4 | -- 选中高亮 5 | vim.cmd [[ highlight LspReferenceText cterm=reverse gui=reverse ]] 6 | 7 | vim.g.copilot_proxy = "127.0.0.1:7890" 8 | -------------------------------------------------------------------------------- /nvim/chadrc.lua: -------------------------------------------------------------------------------- 1 | local M = {} 2 | 3 | M.ui = { 4 | theme = "bearded-arc", 5 | 6 | tabufline = { 7 | lazyload = false 8 | } 9 | } 10 | 11 | M.plugins = "custom.plugins" 12 | 13 | M.mappings = require "custom.mappings" 14 | 15 | return M 16 | -------------------------------------------------------------------------------- /vimrc/setting.json: -------------------------------------------------------------------------------- 1 | { 2 | "vim.handleKeys": { 3 | "": false, 4 | "": false, 5 | "": false, 6 | "": false, 7 | "": false, 8 | "": false 9 | }, 10 | "vim.vimrc.enable": true, 11 | "vim.vimrc.path": "~/.vscodevimrc", 12 | "vim.leader": " " 13 | } 14 | -------------------------------------------------------------------------------- /nvim/configs/lspconfig.lua: -------------------------------------------------------------------------------- 1 | local on_attach = require("plugins.configs.lspconfig").on_attach 2 | local capabilities = require("plugins.configs.lspconfig").capabilities 3 | 4 | local lspconfig = require "lspconfig" 5 | local servers = {"html", "cssls", "emmet_ls", "clangd", "jsonls", "tsserver", "eslint", "gopls"} 6 | 7 | local custom_on_attach = function(client, bufnr) 8 | on_attach(client, bufnr) 9 | 10 | if client.server_capabilities.inlayHintProvider then 11 | vim.lsp.inlay_hint(bufnr, true) 12 | end 13 | end 14 | 15 | -- lsps with default config 16 | for _, lsp in ipairs(servers) do 17 | lspconfig[lsp].setup { 18 | on_attach = custom_on_attach, 19 | capabilities = capabilities 20 | } 21 | end 22 | 23 | -- typescript 24 | require("typescript-tools").setup { 25 | on_attach = custom_on_attach, 26 | 27 | settings = { 28 | tsserver_path = "/home/sid/.volta/tools/shared/typescript/lib/tsserver.js" 29 | } 30 | } 31 | -------------------------------------------------------------------------------- /vimrc/README.md: -------------------------------------------------------------------------------- 1 | # idea配置 2 | 3 | ## ideavim配置 4 | > nvim 太难配置了,养成的感觉主要还是键位,可以考虑使用ideavim 5 | 6 | 使用:actionlist可查看所有命令 7 | 8 | ## vscode配置 9 | vscode安装vim插件后开启首选项:`vim.vimrc.enable`,然后配置`vim.vimrc.path`为`~/.vscodevimrc` 10 | 11 | 可使用[setting.json](setting.json)替换配置 12 | 13 | ### 常用 14 | 15 | - \fw 搜索关键字 16 | 17 | ### 选中 18 | > 需要是visual模式 19 | - \a 选中所有相同关键字 20 | - \n 选中下一个关键字 21 | 22 | ### 代码 23 | 24 | - gd 跳转定义 25 | - gr 跳转引用 26 | - gi 跳转接口实现 27 | - gh 显示定义 28 | - rn 重命名 29 | - fm 格式化代码 30 | - [e 下一个错误 31 | - ]e 上一个错误 32 | 33 | ### 书签 34 | 35 | - \bc 添加书签 36 | - \bl 查看书签 37 | - \br 重命名书签 38 | - \bn 跳转下一个书签 39 | - \bp 跳转上一个书签 40 | 41 | ### tab操作 42 | 43 | - \q 关闭tab 44 | - \ 下一个tab 45 | - \ 上一个tab 46 | - \td 移动tab到下方 47 | - \tr 移动tab到右侧 48 | - \ns 下一个切分窗口 49 | - \ps 上一个切分窗口 50 | - \sd 取消切分 51 | - \sh 垂直切分 52 | - \sv 水平切分 53 | 54 | ### debug 55 | 56 | - \dp 设置断点 57 | - \db 开始调试 58 | - \\s 单步执行(不进入函数) 59 | - \\S 单步执行(进入函数) 60 | - \ds 继续运行 61 | - \dS 停止调试 62 | 63 | ### 其他 64 | 65 | - \cr 复制引用 66 | 67 | -------------------------------------------------------------------------------- /nvim/configs/overrides.lua: -------------------------------------------------------------------------------- 1 | -- overriding default plugin configs! 2 | local M = {} 3 | 4 | M.treesitter = { 5 | ensure_installed = {"vim", "html", "css", "javascript", "json", "toml", "markdown", "markdown_inline", "c", "bash", 6 | "lua", "go"} 7 | } 8 | 9 | M.nvimtree = { 10 | filters = { 11 | dotfiles = false, 12 | custom = {".git", ".DS_Store", ".idea"} 13 | }, 14 | 15 | git = { 16 | enable = true, 17 | ignore = false 18 | }, 19 | 20 | renderer = { 21 | highlight_git = true, 22 | icons = { 23 | show = { 24 | git = true 25 | } 26 | } 27 | } 28 | } 29 | 30 | M.mason = { 31 | ensure_installed = { -- lua stuff 32 | "lua-language-server", "stylua", -- web dev 33 | "css-lsp", "html-lsp", "typescript-language-server", "deno", "emmet-ls", "json-lsp", "eslint-lsp", "eslint_d", 34 | 35 | -- go 36 | "gopls", "goimports", "golangci-lint", "go-debug-adapter", -- "golines", 37 | -- markdown 38 | "markdownlint", -- shell 39 | "shfmt", "shellcheck"} 40 | } 41 | 42 | M.cmp = { 43 | sources = { -- trigger_characters is for unocss lsp 44 | { 45 | name = "nvim_lsp", 46 | trigger_characters = {"-"} 47 | }, { 48 | name = "path" 49 | }, { 50 | name = "luasnip" 51 | }, { 52 | name = "buffer" 53 | }, { 54 | name = "codeium" 55 | }, { 56 | name = "nvim_lua" 57 | }}, 58 | experimental = { 59 | ghost_text = true 60 | } 61 | } 62 | 63 | return M 64 | -------------------------------------------------------------------------------- /nvim/configs/dap.lua: -------------------------------------------------------------------------------- 1 | local M = {} 2 | 3 | M.setup = function() 4 | local dap = require "dap" 5 | dap.adapters.go = { 6 | type = "executable", 7 | command = "node", 8 | args = { os.getenv "HOME" .. "/.local/share/nvim/mason/packages/go-debug-adapter/extension/dist/debugAdapter.js" }, 9 | } 10 | dap.configurations.go = { 11 | { 12 | type = "go", 13 | name = "Debug", 14 | request = "launch", 15 | showLog = false, 16 | program = "${file}", 17 | dlvToolPath = vim.fn.exepath "dlv", -- Adjust to where delve is installed 18 | }, 19 | } 20 | 21 | vim.keymap.set("n", "", function() 22 | require("dap").continue() 23 | end) 24 | vim.keymap.set("n", "", function() 25 | require("dap").step_over() 26 | end) 27 | vim.keymap.set("n", "", function() 28 | require("dap").step_into() 29 | end) 30 | vim.keymap.set("n", "", function() 31 | require("dap").step_out() 32 | end) 33 | vim.keymap.set("n", "b", function() 34 | require("dap").toggle_breakpoint() 35 | end) 36 | vim.keymap.set("n", "B", function() 37 | require("dap").set_breakpoint() 38 | end) 39 | vim.keymap.set("n", "lp", function() 40 | require("dap").set_breakpoint(nil, nil, vim.fn.input "Log point message: ") 41 | end) 42 | vim.keymap.set("n", "dr", function() 43 | require("dap").repl.open() 44 | end) 45 | vim.keymap.set("n", "dl", function() 46 | require("dap").run_last() 47 | end) 48 | vim.keymap.set({ "n", "v" }, "dh", function() 49 | require("dap.ui.widgets").hover() 50 | end) 51 | vim.keymap.set({ "n", "v" }, "dp", function() 52 | require("dap.ui.widgets").preview() 53 | end) 54 | vim.keymap.set("n", "df", function() 55 | local widgets = require "dap.ui.widgets" 56 | widgets.centered_float(widgets.frames) 57 | end) 58 | vim.keymap.set("n", "ds", function() 59 | local widgets = require "dap.ui.widgets" 60 | widgets.centered_float(widgets.scopes) 61 | end) 62 | end 63 | 64 | return M 65 | -------------------------------------------------------------------------------- /nvim/README.md: -------------------------------------------------------------------------------- 1 | [TOC] 2 | 3 | # nvim 配置 4 | > 啊啊啊啊,每次更新就换个包管理器 5 | 6 | 基于[Nvchad](https://nvchad.github.io/)的配置,本配置参考了[siduck/dotfiles](https://github.com/siduck/dotfiles) 7 | 8 | ## 安装 9 | 10 | ```bash 11 | # 更新最新neovim 12 | curl -LO https://github.com/neovim/neovim/releases/download/nightly/nvim-macos.tar.gz 13 | tar xzf nvim-macos.tar.gz 14 | ./nvim-macos/bin/nvim 15 | # 运行日志 16 | nvim --startuptime nvim.log 17 | ``` 18 | 19 | # 插件 20 | 21 | 详情请看[plugins.lua](./plugins.lua)文件 22 | 23 | 自定义的指令在[mappings.lua](./mappings.lua)中, 可使用\ch查看 24 | 25 | ## 常用指令 26 | 27 | > \是control,Windows为Ctrl,\是空格,\是shift,\是alt 不常用的使用 28 | 29 | - \切换窗口 30 | - \th 切换主题 31 | - \h 打开终端 32 | - \W 显示隐藏的终端 33 | - \ch 显示按键 34 | 35 | ### Telescope 36 | 37 | - \水平分割打开文件 38 | - \垂直分割打开文件 39 | - \新的tab中打开文件 40 | - \预览窗口中向上滚动 41 | - \预览窗口中向下滚动 42 | - \向下移动 43 | - \向上移动 44 | 45 | ### LSPSaga 46 | 47 | - o 打开 48 | - x 水平分割打开 49 | - v 垂直分割打开 50 | - q 退出 51 | - r 新tab中打开 52 | 53 | 54 | ### Nvimtree 55 | 56 | - \打开nvimtree 57 | - a 创建文件,如果以"/"结尾表示创建目录 58 | - r 更新文件名 59 | - d 删除文件 60 | - y 复制文件名 61 | - Y 复制相对路径 62 | - gy 复制绝对路径 63 | - 跳转到上级目录 64 | - s 使用系统默认的软件打开文件 65 | - \以垂直或者水平方式打开文件 66 | - \新的tab中打开文件 67 | - \查看文件信息 68 | - \预览文件 69 | - I 隐藏或显示隐藏文件 70 | - H 隐藏或者显示.文件 71 | - R 刷新目录树 72 | - W 合并文件夹 73 | 74 | ### 代码相关快捷键 75 | 76 | - \ca 修复建议 77 | - gD 跳转定义 78 | - gd 跳转声明 79 | - gr 查找引用 80 | - gi 查找接口定义 81 | - \rn 重命名 82 | - gh 悬浮显示引用 83 | - \/ 注释代码 84 | - \fm 格式化 85 | - [e 查看上一个错误 86 | - ]e 查看下一个错误 87 | - a 打开代码大纲 88 | 89 | ### buffer相关 90 | 91 | - \ 切换buffer 92 | - \ 切换上一个buffer 93 | - \fb 查找buffer 94 | - [b 移动到上一个 95 | - ]b 移动到下一个 96 | - \q 保存并关闭当前buffer 97 | 98 | ### 查找相关 99 | 100 | - \fb 搜索buffer 101 | - \fd 搜索文件 102 | - \fa 搜索全部文件 103 | - \fw 关键字搜索 104 | 105 | ### git相关 106 | 107 | - \gl 查看git commit 108 | - \gt 查看git status 109 | - [c 跳到上一个更改 110 | - ]c 跳到下一个更改 111 | - \gc 查看变更 112 | - \gh 查看文件历史变更 113 | - \gr 重置当前块 114 | - \gR 重置当前文件 115 | 116 | 117 | ## 常用命令 118 | 119 | - MarkdownPreview 预览markdown文件 120 | - NvChadUpdate 更新编辑器 121 | 122 | -------------------------------------------------------------------------------- /vimrc/vscodevimrc: -------------------------------------------------------------------------------- 1 | "" Source your .vimrc 2 | "source ~/.vimrc 3 | 4 | "" -- Suggested options -- 5 | " Show a few lines of context around the cursor. Note that this makes the 6 | " text scroll if you mouse-click near the start or end of the window. 7 | set scrolloff=5 8 | 9 | " Do incremental searching. 10 | set incsearch 11 | 12 | " Don't use Ex mode, use Q for formatting. 13 | map Q gq 14 | 15 | 16 | "" -- Map IDE actions to IdeaVim -- https://jb.gg/abva4t 17 | "" Map \r to the Reformat Code action 18 | "map \r (ReformatCode) 19 | 20 | "" Map d to start debug 21 | "map d (Debug) 22 | 23 | "" Map \b to toggle the breakpoint on the current line 24 | "map \b (ToggleLineBreakpoint) 25 | 26 | 27 | " Find more examples here: https://jb.gg/share-ideavimrc 28 | 29 | let mapleader = " " 30 | 31 | set nu 32 | set relativenumber 33 | 34 | set vb t_vb= 35 | 36 | " 关闭tab 37 | nnoremap q :wq 38 | " 下一个tab 39 | nnoremap :tabnext 40 | " 上一个tab 41 | nnoremap :tabprevious 42 | " 移动tab到下方 43 | nnoremap td :action MoveTabDown 44 | " 移动tab到右侧 45 | nnoremap tr :action MoveTabRight 46 | 47 | " 断点 48 | nnoremap dp :action ToggleLineBreakpoint 49 | " 单步执行(不进入函数) 50 | nnoremap \s :action StepOver 51 | " 单步执行(进入函数) 52 | nnoremap \S :action StepIn 53 | " 继续运行 54 | nnoremap ds :action Resume 55 | " 开启调试 56 | nnoremap db :action Debug 57 | " 停止调试 58 | nnoremap dS :action Stop 59 | 60 | 61 | " 书签 62 | nnoremap bc :action ToggleBookmark 63 | " 显示书签 64 | nnoremap bl :action ShowBookmarks 65 | " 下一个书签 66 | nnoremap bn :action GotoNextBookmark 67 | " 上一个书签 68 | nnoremap bp :action GotoPreviousBookmark 69 | " 重命名书签 70 | nnoremap br :action EditBookmark 71 | 72 | " 搜索关键字 73 | nnoremap fw :action FindInPath 74 | 75 | " 选中所有相同关键字 76 | xnoremap a :action SelectAllOccurrences 77 | " 选中下一个关键字 78 | xnoremap n :action SelectNextOccurrence 79 | 80 | " 复制引用 81 | nnoremap cr :action CopyReference 82 | 83 | " 下一个错误 84 | nnoremap [e :action GotoNextError 85 | " 上一个错误 86 | nnoremap ]e :action GotoPreviousError 87 | 88 | " 下一个切分窗口 89 | nnoremap ns :action NextSplitter 90 | " 上一个切分窗口 91 | nnoremap ps :action PrevSplitter 92 | " 取消切分 93 | nnoremap sd :action Unsplit 94 | " 垂直切分 95 | nnoremap sh :action SplitHorizontally 96 | " 水平切分 97 | nnoremap sv :action SplitVertically 98 | 99 | -------------------------------------------------------------------------------- /vimrc/ideavimrc: -------------------------------------------------------------------------------- 1 | "" Source your .vimrc 2 | "source ~/.vimrc 3 | 4 | "" -- Suggested options -- 5 | " Show a few lines of context around the cursor. Note that this makes the 6 | " text scroll if you mouse-click near the start or end of the window. 7 | set scrolloff=5 8 | 9 | " Do incremental searching. 10 | set incsearch 11 | 12 | " Don't use Ex mode, use Q for formatting. 13 | map Q gq 14 | 15 | 16 | "" -- Map IDE actions to IdeaVim -- https://jb.gg/abva4t 17 | "" Map \r to the Reformat Code action 18 | "map \r (ReformatCode) 19 | 20 | "" Map d to start debug 21 | "map d (Debug) 22 | 23 | "" Map \b to toggle the breakpoint on the current line 24 | "map \b (ToggleLineBreakpoint) 25 | 26 | 27 | " Find more examples here: https://jb.gg/share-ideavimrc 28 | 29 | let mapleader = " " 30 | 31 | set nu 32 | set relativenumber 33 | 34 | set NERDTree 35 | 36 | set vb t_vb= 37 | 38 | " 跳转定义 39 | nnoremap gd :action GotoDeclaration 40 | " 跳转引用 41 | nnoremap gr :action GotoDeclaration 42 | " 跳转接口实现 43 | nnoremap gi :action GotoImplementation 44 | " 显示定义 45 | nnoremap gh :action ShowErrorDescription 46 | " 重命名 47 | nnoremap rn :action RenameElement 48 | " 格式化代码 49 | nnoremap fm :action ReformatCode 50 | " codeAction 51 | nnoremap ca :action 52 | 53 | " 关闭tab 54 | nnoremap q :tabclose 55 | " 下一个tab 56 | nnoremap :tabnext 57 | " 上一个tab 58 | nnoremap :tabprevious 59 | " 移动tab到下方 60 | nnoremap td :action MoveTabDown 61 | " 移动tab到右侧 62 | nnoremap tr :action MoveTabRight 63 | 64 | " 断点 65 | nnoremap dp :action ToggleLineBreakpoint 66 | " 单步执行(不进入函数) 67 | nnoremap \s :action StepOver 68 | " 单步执行(进入函数) 69 | nnoremap \S :action StepIn 70 | " 继续运行 71 | nnoremap ds :action Resume 72 | " 开启调试 73 | nnoremap db :action Debug 74 | " 停止调试 75 | nnoremap dS :action Stop 76 | 77 | 78 | " 书签 79 | nnoremap bc :action ToggleBookmark 80 | " 显示书签 81 | nnoremap bl :action ShowBookmarks 82 | " 上一个书签 83 | nnoremap [b :action GotoPreviousBookmark 84 | " 下一个书签 85 | nnoremap ]b :action GotoNextBookmark 86 | " 重命名书签 87 | nnoremap br :action EditBookmark 88 | 89 | " 搜索关键字 90 | nnoremap fw :action FindInPath 91 | 92 | " 选中所有相同关键字 93 | xnoremap a :action SelectAllOccurrences 94 | " 选中下一个关键字 95 | xnoremap n :action SelectNextOccurrence 96 | 97 | " 复制引用 98 | nnoremap cr :action CopyReference 99 | 100 | " 上一个错误 101 | nnoremap [e :action GotoPreviousError 102 | " 下一个错误 103 | nnoremap ]e :action GotoNextError 104 | 105 | " 下一个切分窗口 106 | nnoremap ns :action NextSplitter 107 | " 上一个切分窗口 108 | nnoremap ps :action PrevSplitter 109 | " 取消切分 110 | nnoremap sd :action Unsplit 111 | " 垂直切分 112 | nnoremap sh :action SplitHorizontally 113 | " 水平切分 114 | nnoremap sv :action SplitVertically 115 | 116 | " 控制目录树 117 | nnoremap :NERDTreeToggle 118 | -------------------------------------------------------------------------------- /nvim/configs/todo-comments.lua: -------------------------------------------------------------------------------- 1 | return { 2 | signs = true, -- show icons in the signs column 3 | sign_priority = 8, -- sign priority 4 | -- keywords recognized as todo comments 5 | keywords = { 6 | FIX = { 7 | icon = " ", -- icon used for the sign, and in search results 8 | color = "error", -- can be a hex color, or a named color (see below) 9 | alt = {"FIXME", "BUG", "FIXIT", "ISSUE"} -- a set of other keywords that all map to this FIX keywords 10 | -- signs = false, -- configure signs for some keywords individually 11 | }, 12 | TODO = { 13 | icon = " ", 14 | color = "info" 15 | }, 16 | HACK = { 17 | icon = " ", 18 | color = "warning" 19 | }, 20 | WARN = { 21 | icon = " ", 22 | color = "warning", 23 | alt = {"WARNING", "XXX"} 24 | }, 25 | PERF = { 26 | icon = " ", 27 | alt = {"OPTIM", "PERFORMANCE", "OPTIMIZE"} 28 | }, 29 | NOTE = { 30 | icon = " ", 31 | color = "hint", 32 | alt = {"INFO"} 33 | }, 34 | TEST = { 35 | icon = "⏲ ", 36 | color = "test", 37 | alt = {"TESTING", "PASSED", "FAILED"} 38 | } 39 | }, 40 | gui_style = { 41 | fg = "NONE", -- The gui style to use for the fg highlight group. 42 | bg = "BOLD" -- The gui style to use for the bg highlight group. 43 | }, 44 | merge_keywords = true, -- when true, custom keywords will be merged with the defaults 45 | -- highlighting of the line containing the todo comment 46 | -- * before: highlights before the keyword (typically comment characters) 47 | -- * keyword: highlights of the keyword 48 | -- * after: highlights after the keyword (todo text) 49 | highlight = { 50 | multiline = true, -- enable multine todo comments 51 | multiline_pattern = "^.", -- lua pattern to match the next multiline from the start of the matched keyword 52 | multiline_context = 10, -- extra lines that will be re-evaluated when changing a line 53 | before = "", -- "fg" or "bg" or empty 54 | keyword = "wide", -- "fg", "bg", "wide", "wide_bg", "wide_fg" or empty. (wide and wide_bg is the same as bg, but will also highlight surrounding characters, wide_fg acts accordingly but with fg) 55 | after = "fg", -- "fg" or "bg" or empty 56 | pattern = [[.*<(KEYWORDS)\s*:]], -- pattern or table of patterns, used for highlighting (vim regex) 57 | comments_only = true, -- uses treesitter to match keywords in comments only 58 | max_line_len = 400, -- ignore lines longer than this 59 | exclude = {} -- list of file types to exclude highlighting 60 | }, 61 | -- list of named colors where we try to extract the guifg from the 62 | -- list of highlight groups or use the hex color if hl not found as a fallback 63 | colors = { 64 | error = {"DiagnosticError", "ErrorMsg", "#DC2626"}, 65 | warning = {"DiagnosticWarn", "WarningMsg", "#FBBF24"}, 66 | info = {"DiagnosticInfo", "#2563EB"}, 67 | hint = {"DiagnosticHint", "#10B981"}, 68 | default = {"Identifier", "#7C3AED"}, 69 | test = {"Identifier", "#FF00FF"} 70 | }, 71 | search = { 72 | command = "rg", 73 | args = {"--color=never", "--no-heading", "--with-filename", "--line-number", "--column"}, 74 | -- regex that will be used to match keywords. 75 | -- don't replace the (KEYWORDS) placeholder 76 | pattern = [[\b(KEYWORDS):]] -- ripgrep regex 77 | -- pattern = [[\b(KEYWORDS)\b]], -- match without the extra colon. You'll likely get false positives 78 | } 79 | } 80 | -------------------------------------------------------------------------------- /nvim/mappings.lua: -------------------------------------------------------------------------------- 1 | local M = {} 2 | 3 | -- 自定义键位 4 | M.custom = { 5 | n = { 6 | ["cc"] = { ":Telescope ", "打开Telescope" }, 7 | }, 8 | i = { 9 | [""] = { ':copilot#Accept("")', "copilot accept" }, 10 | }, 11 | } 12 | 13 | -- 后续的都是插件相关的配置 14 | M.telescope = { 15 | n = { 16 | ["fb"] = { ":Telescope buffers ", "搜索buffer" }, 17 | ["ff"] = { ":Telescope find_files ", "搜索文件" }, 18 | ["fa"] = { 19 | ":Telescope find_files follow=true no_ignore=true hidden=true ", 20 | "搜索全部文件", 21 | }, 22 | ["fw"] = { ":Telescope live_grep ", "搜索关键字" }, 23 | ["th"] = { " :Telescope themes ", "切换主题" }, 24 | ["W"] = { " :Telescope terms ", "显示隐藏的terms" }, 25 | }, 26 | } 27 | 28 | M.lspconfig = { 29 | n = { 30 | ["ca"] = { "Lspsaga code_action ", "修复建议" }, 31 | ["fm"] = { "lua vim.lsp.buf.format() ", "格式化" }, 32 | ["gD"] = { "lua vim.lsp.buf.declaration() ", "跳转声明" }, 33 | ["gd"] = { "Telescope lsp_definitions ", "跳转定义" }, 34 | ["gh"] = { "Lspsaga hover_doc ", "显示定义" }, 35 | ["rn"] = { "Lspsaga rename ", "重命名" }, 36 | ["gr"] = { "Lspsaga finder ref ", "查找引用" }, 37 | ["gi"] = { "Lspsaga finder imp ", "跳转接口定义" }, 38 | ["[e"] = { "Lspsaga diagnostic_jump_prev ", "上一个错误" }, 39 | ["]e"] = { "Lspsaga diagnostic_jump_next ", "下一个错误" }, 40 | ["e"] = { "lua vim.lsp.diagnostic.show_line_diagnostics()", "所有错误" }, 41 | ["a"] = { "Lspsaga outline ", "大纲" }, 42 | }, 43 | } 44 | 45 | function moveItemRight(originTbl, n) 46 | local index = nil 47 | for k, v in ipairs(originTbl) do 48 | print(v) 49 | if v == n then 50 | index = k 51 | end 52 | end 53 | table.remove(originTbl, index) 54 | if index == #originTbl + 1 then 55 | table.insert(originTbl, 1, n) 56 | else 57 | table.insert(originTbl, index + 1, n) 58 | end 59 | return originTbl 60 | end 61 | 62 | function moveItemLeft(originTbl, n) 63 | local index = nil 64 | for k, v in ipairs(originTbl) do 65 | if v == n then 66 | index = k 67 | end 68 | end 69 | table.remove(originTbl, index) 70 | if index == 1 then 71 | table.insert(originTbl, #originTbl + 1, n) 72 | else 73 | table.insert(originTbl, index - 1, n) 74 | end 75 | return originTbl 76 | end 77 | 78 | M.tabufline = { 79 | n = { 80 | ["bp"] = { ":BufferLineTogglePin ", "顶置buffer" }, 81 | ["[b"] = { 82 | function() 83 | local bufs = vim.t.bufs 84 | bufs = moveItemLeft(bufs, vim.api.nvim_get_current_buf()) 85 | vim.t.bufs = bufs 86 | vim.cmd "redrawtabline" 87 | end, 88 | "移动到上一个tab", 89 | }, 90 | ["]b"] = { 91 | function() 92 | local bufs = vim.t.bufs 93 | bufs = moveItemRight(bufs, vim.api.nvim_get_current_buf()) 94 | vim.t.bufs = bufs 95 | vim.cmd "redrawtabline" 96 | end, 97 | "移动到下一个tab", 98 | }, 99 | ["q"] = { 100 | function() 101 | require("nvchad.tabufline").close_buffer() 102 | end, 103 | "删除当前buffer", 104 | }, 105 | ["Q"] = { 106 | function() 107 | require("nvchad.tabufline").closeAllBufs() 108 | end, 109 | "删除所有buffer", 110 | }, 111 | }, 112 | } 113 | 114 | M.vgit = { 115 | n = { 116 | ["gl"] = { ":Telescope git_commits ", "查看git commits" }, 117 | ["gt"] = { ":Telescope git_status ", "查看git status" }, 118 | ["[c"] = { ":VGit hunk_up ", "跳到上一个更改" }, 119 | ["]c"] = { ":VGit hunk_down ", "跳到下一个更改" }, 120 | ["gc"] = { ":VGit buffer_hunk_preview ", "查看变更" }, 121 | ["gh"] = { ":VGit buffer_history_preview ", "查看文件历史变更" }, 122 | ["gr"] = { ":VGit buffer_hunk_reset ", "重置当前块" }, 123 | ["gR"] = { ":VGit buffer_reset ", "重置当前文件" }, 124 | }, 125 | } 126 | 127 | return M 128 | -------------------------------------------------------------------------------- /nvim/plugins.lua: -------------------------------------------------------------------------------- 1 | local overrides = require "custom.configs.overrides" 2 | 3 | return { 4 | -- 覆盖默认插件配置 5 | 6 | -- 自定义lsp 7 | { 8 | "neovim/nvim-lspconfig", 9 | dependencies = { "pmizio/typescript-tools.nvim" }, 10 | config = function() 11 | require "plugins.configs.lspconfig" 12 | require "custom.configs.lspconfig" 13 | end 14 | }, 15 | 16 | { 17 | "nvim-tree/nvim-tree.lua", 18 | opts = overrides.nvimtree 19 | }, 20 | 21 | { 22 | "nvim-treesitter/nvim-treesitter", 23 | opts = overrides.treesitter, 24 | config = function(_, opts) 25 | dofile(vim.g.base46_cache .. "syntax") 26 | require("nvim-treesitter.configs").setup(opts) 27 | 28 | -- register mdx ft 29 | vim.filetype.add { 30 | extension = { 31 | mdx = "mdx" 32 | } 33 | } 34 | 35 | vim.treesitter.language.register("markdown", "mdx") 36 | end 37 | }, 38 | 39 | { 40 | "williamboman/mason.nvim", 41 | opts = overrides.mason 42 | }, 43 | { 44 | "hrsh7th/nvim-cmp", 45 | opts = overrides.cmp, 46 | }, 47 | 48 | -- 自定义插件 49 | 50 | -- 自动关闭和重命名html标签 51 | { 52 | "windwp/nvim-ts-autotag", 53 | ft = { "html", "javascriptreact" }, 54 | event = "InsertEnter", 55 | config = function() 56 | require("nvim-ts-autotag").setup() 57 | end 58 | }, 59 | 60 | -- 自动保存 61 | { 62 | "pocco81/auto-save.nvim", 63 | lazy = false, 64 | config = function() 65 | require("auto-save").setup() 66 | end 67 | }, 68 | 69 | -- 媒体文件查看 70 | { 71 | "nvim-telescope/telescope-media-files.nvim", 72 | dependencies = { "nvim-telescope/telescope.nvim" }, 73 | config = function() 74 | require("telescope").setup { 75 | extensions = { 76 | media_files = { 77 | filetypes = { "png", "webp", "jpg", "jpeg" }, 78 | find_cmd = "rg" -- find command (defaults to `fd`) 79 | } 80 | } 81 | } 82 | require("telescope").load_extension "media_files" 83 | end 84 | }, 85 | 86 | -- todo高亮 87 | { 88 | "folke/todo-comments.nvim", 89 | lazy = false, 90 | dependencies = { "nvim-lua/plenary.nvim" }, 91 | opts = require("custom.configs.todo-comments") 92 | }, 93 | 94 | -- markdown preview 95 | { 96 | "iamcco/markdown-preview.nvim", 97 | cmd = { "MarkdownPreviewToggle", "MarkdownPreview", "MarkdownPreviewStop" }, 98 | ft = { "markdown" }, 99 | build = function() 100 | vim.fn["mkdp#util#install"]() 101 | end 102 | }, 103 | 104 | -- 单词和行高亮 105 | { 106 | "yamatsum/nvim-cursorline", 107 | lazy = false, 108 | config = function() 109 | require("nvim-cursorline").setup() 110 | end 111 | }, 112 | 113 | -- git工具 114 | { 115 | "tanvirtin/vgit.nvim", 116 | cmd = { "VGit" }, 117 | dependencies = { "NvChad/base46" }, 118 | config = function() 119 | require("vgit").setup() 120 | end 121 | }, 122 | 123 | -- lsp 124 | { 125 | "glepnir/lspsaga.nvim", 126 | config = function() 127 | require('lspsaga').setup({ 128 | finder = { 129 | keys = { 130 | split = 'x', 131 | vsplit = 'v', 132 | quit = { 'q', '' } 133 | } 134 | }, 135 | diagnostic = { 136 | keys = { 137 | quit = { 'q', '' } 138 | } 139 | }, 140 | symbols_in_winbar = { 141 | enable = true 142 | }, 143 | implement = { 144 | enable = true 145 | } 146 | }) 147 | end, 148 | event = 'LspAttach', 149 | dependencies = { 'nvim-treesitter/nvim-treesitter', 'nvim-tree/nvim-web-devicons' } 150 | }, 151 | 152 | -- golang 153 | { 154 | "ray-x/go.nvim", 155 | dependencies = { "ray-x/guihua.lua", "neovim/nvim-lspconfig", "nvim-treesitter/nvim-treesitter" }, 156 | config = function() 157 | require("go").setup() 158 | end, 159 | event = { "CmdlineEnter" }, 160 | ft = { "go", 'gomod' }, 161 | build = ':lua require("go.install").update_all_sync()' -- if you need to install/update all binaries 162 | }, 163 | 164 | { "ray-x/guihua.lua" }, 165 | -- github copilot 166 | { "github/copilot.vim", lazy = false }, 167 | 168 | -- tagbar 169 | { "liuchengxu/vista.vim", cmd = { "Vista" } }, 170 | -- jest 171 | { "mattkubej/jest.nvim" }, 172 | -- debug工具 173 | { 174 | "mfussenegger/nvim-dap", 175 | config = function() 176 | require("custom.configs.dap").setup() 177 | end 178 | }, 179 | 180 | { 181 | "rcarriga/nvim-dap-ui", 182 | dependencies = { "mfussenegger/nvim-dap" }, 183 | config = function() 184 | require("dapui").setup() 185 | end 186 | }, 187 | 188 | { 189 | "theHamsta/nvim-dap-virtual-text", 190 | dependencies = { "mfussenegger/nvim-dap" } 191 | } 192 | } 193 | -------------------------------------------------------------------------------- /vimrc/actionlist.txt: -------------------------------------------------------------------------------- 1 | --- Actions --- 2 | $Copy 3 | $Cut 4 | $Delete 5 | $LRU 6 | $Paste 7 | $Redo 8 | $SearchWeb 9 | $SelectAll 10 | $Undo 11 | 12 | 13 | 14 | 15 | 16 | 17 | 18 | 19 | 20 | 21 | 22 | 23 | 24 | About 25 | ActivateBookmarksToolWindow 26 | ActivateCommitToolWindow 27 | ActivateDatabaseChangesToolWindow 28 | ActivateDatabaseToolWindow 29 | ActivateDebugToolWindow 30 | ActivateEndpointsToolWindow 31 | ActivateFileTransferToolWindow 32 | ActivateFindToolWindow 33 | Activategithub.copilotToolWindowToolWindow 34 | ActivateHierarchyToolWindow 35 | ActivateInternalMethodTracingToolWindow 36 | ActivateLearnToolWindow 37 | ActivatemakeToolWindow 38 | ActivateNavBar 39 | ActivateNotificationsToolWindow 40 | ActivateProblemsViewToolWindow 41 | ActivateProjectToolWindow 42 | ActivatePullRequestsToolWindow 43 | ActivatePythonPackagesToolWindow 44 | ActivateRunToolWindow 45 | ActivateServicesToolWindow 46 | ActivateSpaceCodeReviewsToolWindow 47 | ActivateStructureToolWindow 48 | ActivateTerminalToolWindow 49 | ActivateTODOToolWindow 50 | ActivateToolWindowActions 51 | ActivateTypeScriptToolWindow 52 | ActivateVersionControlToolWindow 53 | ActiveToolwindowGroup 54 | AddAllToFavorites 55 | AddAnotherBookmark 56 | AddAttributeAction 57 | AddBom 58 | AddBom.Group 59 | AddNewFavoritesList 60 | AddSourcesContentToSourceMap 61 | AddSubtagAction 62 | AddToFavorites 63 | AddToFavoritesPopup 64 | AnalyzeActions 65 | AnalyzeActionsPopup 66 | AnalyzePlatformMenu 67 | AnalyzePluginStartupPerformance 68 | AnalyzeStacktraceToolbar 69 | Annotate 70 | AnnotateStackTraceAction.show.files.modification.info 71 | Arrangement.Alias.Rule.Add 72 | Arrangement.Alias.Rule.Context.Menu 73 | Arrangement.Alias.Rule.Edit 74 | Arrangement.Alias.Rule.Match.Condition.Move.Down 75 | Arrangement.Alias.Rule.Match.Condition.Move.Up 76 | Arrangement.Alias.Rule.Remove 77 | Arrangement.Alias.Rule.ToolBar 78 | Arrangement.Custom.Token.Rule.Edit 79 | Arrangement.Rule.Add 80 | Arrangement.Rule.Edit 81 | Arrangement.Rule.Group.Condition.Move.Down 82 | Arrangement.Rule.Group.Condition.Move.Up 83 | Arrangement.Rule.Group.Control.ToolBar 84 | Arrangement.Rule.Match.Condition.Move.Down 85 | Arrangement.Rule.Match.Condition.Move.Up 86 | Arrangement.Rule.Match.Control.Context.Menu 87 | Arrangement.Rule.Match.Control.ToolBar 88 | Arrangement.Rule.Remove 89 | Arrangement.Rule.Section.Add 90 | ArrangementRulesGroup 91 | AssociateWithFileType 92 | AttachProfilerToLocalProcess 93 | AttachProject 94 | AutoIndentLines 95 | AutoShowProcessWindow 96 | Back button=4 clickCount=1 modifiers=0 97 | BackgroundTasks 98 | BasicEditorPopupMenu 99 | BlankDiffViewerEditorPopupMenu 100 | Bookmarks 101 | Bookmarks.Goto 102 | Bookmarks.Toggle 103 | Bookmarks.ToolWindow.GearActions 104 | Bookmarks.ToolWindow.PopupMenu 105 | Bookmarks.ToolWindow.TitleActions 106 | BookmarksView.AskBeforeDeletingLists 107 | BookmarksView.AutoscrollFromSource 108 | BookmarksView.AutoscrollToSource 109 | BookmarksView.ChooseType 110 | BookmarksView.Create 111 | BookmarksView.DefaultGroup 112 | BookmarksView.Delete 113 | BookmarksView.DeleteType 114 | BookmarksView.GroupLineBookmarks 115 | BookmarksView.MoveDown 116 | BookmarksView.MoveUp 117 | BookmarksView.OpenInPreviewTab 118 | BookmarksView.Rename 119 | BookmarksView.RewriteBookmarkType 120 | BookmarksView.ShowPreview 121 | BookmarksView.SortGroupBookmarks 122 | BraceOrQuoteOut 123 | BreakpointActionsGroup 124 | BuildMenu 125 | BuildTurbochargedIndexCmdAction 126 | CacheRecovery 127 | CallHierarchy 128 | CallHierarchy.BaseOnThisMethod 129 | CallHierarchyPopupMenu 130 | CallLabelAction 131 | CallSaul 132 | CaptureCPUUsageData 133 | CaptureMemorySnapShot 134 | ChangeAttributeValueAction 135 | ChangeCodeStyleScheme 136 | ChangeColorScheme 137 | ChangeFileEncodingAction 138 | ChangeInspectionProfile 139 | ChangeKeymap 140 | ChangeLaf 141 | ChangeLineSeparators 142 | ChangesBrowser.FiltererGroup 143 | ChangeScheme 144 | ChangeSignature 145 | ChangeSplitOrientation 146 | ChangesView.AddUnversioned 147 | ChangesView.ApplyPatch 148 | ChangesView.ApplyPatchFromClipboard 149 | ChangesView.Browse 150 | ChangesView.Changelists 151 | ChangesView.CommitToolbar 152 | ChangesView.CreatePatch 153 | ChangesView.CreatePatchFromChanges 154 | ChangesView.CreatePatchToClipboard 155 | ChangesView.Diff 156 | ChangesView.Edit 157 | ChangesView.GroupBy 158 | ChangesView.GroupBy.Directory 159 | ChangesView.GroupBy.Repository 160 | ChangesView.Move 161 | ChangesView.NewChangeList 162 | ChangesView.Refresh 163 | ChangesView.RemoveChangeList 164 | ChangesView.RemoveDeleted 165 | ChangesView.Rename 166 | ChangesView.Revert 167 | ChangesView.RevertFiles 168 | ChangesView.SaveToShelve 169 | ChangesView.SetDefault 170 | ChangesView.Shelve 171 | ChangesView.ShelveSilently 172 | ChangesView.ShowCommitOptions 173 | ChangesView.SingleClickPreview 174 | ChangesView.ToggleCommitUi 175 | ChangesView.UnshelveSilently 176 | ChangesView.ViewOptions 177 | ChangesViewPopupMenu 178 | ChangesViewToolbar 179 | ChangeTemplateDataLanguage 180 | ChangeView 181 | chart-demo 182 | CheckForUpdate 183 | CheckIgnoredAndNotExcludedDirectories 184 | CheckinFiles 185 | CheckinProject 186 | CheckStatusForFiles 187 | CheckSuggestedPlugins 188 | ChooseDebugConfiguration 189 | ChooseRunConfiguration 190 | ChooseRuntime 191 | ClangFormat.ClangFormat 192 | ClangFormat.ClangFormatAuto 193 | ClangFormat.ClangFormatFile 194 | ClassNameCompletion 195 | CleanPyc 196 | ClearAllNotifications 197 | ClickLink button=1 clickCount=1 modifiers=256 Force touch button=2 clickCount=1 modifiers=0 198 | CloseActiveTab 199 | CloseAllEditors 200 | CloseAllEditorsButActive 201 | CloseAllNotifications 202 | CloseAllProjects 203 | CloseAllReadonly 204 | CloseAllToTheLeft 205 | CloseAllToTheRight 206 | CloseAllUnmodifiedEditors 207 | CloseAllUnpinnedEditors 208 | CloseContent 209 | CloseEditor 210 | CloseEditorsGroup 211 | CloseFirstNotification 212 | CloseGotItTooltip 213 | CloseIgnoredEditors 214 | CloseOtherProjects 215 | CloseProject 216 | CloudConfigAction 217 | CloudConfigActionGroup 218 | CloudConfigDisableAction 219 | CloudConfigPluginsAction 220 | CloudConfigSelfSettingsAction 221 | CloudConfigSilentlyAction 222 | CloudConfigUpdateApi 223 | CodeCleanup 224 | CodeCompletion 225 | CodeCompletionGroup 226 | CodeEditorBaseGroup 227 | CodeEditorViewGroup 228 | CodeFormatGroup 229 | CodeInsightEditorActions 230 | CodeInspection.OnEditor 231 | CodeMenu 232 | CodeVision.ShowMore 233 | CodeWithMeBackendCollectZippedLogs 234 | CodeWithMeBackendReportIssue 235 | CodeWithMeGroup 236 | CodeWithMeHeaderMenuAdditionalGroup 237 | CodeWithMeHeaderMenuGroup 238 | CodeWithMeMainGroup 239 | CodeWithMeMainMenuGroup 240 | CodeWithMeNavbarGroup 241 | CodeWithMeTabActionGroup 242 | CodeWithMeToolbarGroup 243 | CodeWithMeUsersAction 244 | CodeWithMeUsersGroup 245 | CollapseAll 246 | CollapseAllRegions 247 | CollapseBlock 248 | CollapseDocComments 249 | CollapseExpandableComponent 250 | CollapseRegion 251 | CollapseRegionRecursively 252 | CollapseSelection 253 | CollapseTreeNode 254 | CollapsiblePanel-toggle < > 255 | CollectZippedLogs 256 | com.goide.vgo.actions.VgoSyncAction 257 | com.goide.vgo.actions.VgoTidyAction 258 | com.goide.vgo.actions.VgoVendorAction 259 | com.intellij.database.actions.ToDatabaseScriptTranslationCopyAction 260 | com.intellij.database.actions.ToDatabaseScriptTranslationPreviewAction 261 | com.intellij.httpClient.actions.ConvertCurlToHttpRequestAction 262 | com.intellij.httpClient.microservices.actions.HttpGenerateRequestFromEndpointsAction 263 | com.intellij.ide.actions.searcheverywhere.ml.actions.OpenFeaturesInScratchFileAction 264 | com.intellij.space.actions.SpaceLoginAction 265 | com.intellij.space.actions.SpaceLogoutAction 266 | com.intellij.space.vcs.actions.SpaceMainToolBarAction 267 | com.intellij.space.vcs.clone.SpaceCloneAction 268 | com.intellij.space.vcs.OpenChecklists 269 | com.intellij.space.vcs.OpenIssues 270 | com.intellij.space.vcs.review.create.SpaceCreateCommitSetReviewAction 271 | com.intellij.space.vcs.review.create.SpaceCreateMergeRequestAction 272 | com.intellij.space.vcs.review.details.SpaceReviewCheckoutBranchAction 273 | com.intellij.space.vcs.review.details.SpaceReviewUpdateBranchAction 274 | com.intellij.space.vcs.review.list.popup 275 | com.intellij.space.vcs.review.list.SpaceRefreshReviewsListAction 276 | com.intellij.space.vcs.review.list.SpaceReviewAuthorActionGroup 277 | com.intellij.space.vcs.review.list.SpaceReviewOpenInBrowserAction 278 | com.intellij.space.vcs.review.SpaceShowReviewsAction 279 | com.intellij.space.vcs.share.SpaceShareProjectAction 280 | com.intellij.space.vcs.SpaceCopyLinkActionGroup 281 | com.intellij.space.vcs.SpaceVcsOpenInBrowserActionGroup 282 | com.intellij.space.vcs.SpaceVcsRevealInActionGroup 283 | com.jetbrains.plugins.remotesdk.console.RunSshConsoleAction 284 | com.jetbrains.python.console.RunPythonOrDebugConsoleAction 285 | CommentByBlockComment 286 | CommentByLineComment 287 | CommentGroup 288 | CommittedChanges.Clear 289 | CommittedChanges.Details 290 | CommittedChanges.Filter 291 | CommittedChanges.Refresh 292 | CommittedChanges.Revert 293 | CommittedChangesToolbar 294 | CommitView.GearActions 295 | CommitView.ShowOnDoubleClick 296 | CommitView.ShowOnDoubleClick.EditorPreview 297 | CommitView.ShowOnDoubleClick.Source 298 | CommitView.SwitchToCommitDialog 299 | CompactListItemsAction 300 | compare.contents 301 | Compare.LastVersion 302 | Compare.SameVersion 303 | Compare.Selected 304 | Compare.Specified 305 | CompareActions 306 | CompareClipboardWithSelection 307 | CompareDirs 308 | CompareFileWithEditor 309 | CompareTwoFiles 310 | CompuleQrc 311 | ComputeDiffWithPreviousRevisionAction 312 | ComputeSwaggerDiffBetweenPhysicalFiles 313 | ConfigureEditorTabs 314 | ConfigureSoftWraps 315 | ConfigureSpecificationSources 316 | ConfigureSpecificationSourcesGroup 317 | ConnectToRemoteFromHost 318 | Console.AggregateView.PopupGroup 319 | Console.DbmsOutput 320 | Console.Dialect.SpecificGroup 321 | Console.EditorTableResult.Group 322 | Console.Execute 323 | Console.Execute.Multiline 324 | Console.File.Resolve.Mode 325 | Console.History.Browse 326 | Console.History.Next 327 | Console.History.Previous 328 | Console.HistoryActions 329 | Console.Jdbc.BrowseHistory 330 | Console.Jdbc.Cancel 331 | Console.Jdbc.ChooseSchema 332 | Console.Jdbc.ChooseSession 333 | Console.Jdbc.Common 334 | Console.Jdbc.Debug 335 | Console.Jdbc.Execute 336 | Console.Jdbc.Execute.2 337 | Console.Jdbc.Execute.3 338 | Console.Jdbc.ExplainAnalyse 339 | Console.Jdbc.ExplainAnalyse.Raw 340 | Console.Jdbc.ExplainGroup 341 | Console.Jdbc.ExplainPlan 342 | Console.Jdbc.ExplainPlan.Raw 343 | Console.Jdbc.Left 344 | Console.Jdbc.Right 345 | Console.Jdbc.RunContextGroup 346 | Console.Jdbc.ToggleParameters 347 | Console.JdbcActions 348 | Console.Open 349 | Console.SplitLine 350 | Console.TableResult.AddColumn 351 | Console.TableResult.AddRow 352 | Console.TableResult.AggregateView 353 | Console.TableResult.CellEditor.Popup 354 | Console.TableResult.ChangeCellEditorFileEncoding 355 | Console.TableResult.ChangeCellEditorLanguage 356 | Console.TableResult.ChangeColumnLanguage 357 | Console.TableResult.ChangeIsolation 358 | Console.TableResult.ChangePageSize 359 | Console.TableResult.ChangeTableSample 360 | Console.TableResult.ChooseAggregators.Group 361 | Console.TableResult.ChooseExtractor 362 | Console.TableResult.ChooseExtractor.Group 363 | Console.TableResult.ClearCell 364 | Console.TableResult.CloneColumn 365 | Console.TableResult.CloneRow 366 | Console.TableResult.ColumnActions 367 | Console.TableResult.ColumnDisplayTypeChange 368 | Console.TableResult.ColumnHeaderPopup 369 | Console.TableResult.ColumnsList 370 | Console.TableResult.ColumnSortAddAsc 371 | Console.TableResult.ColumnSortAddDesc 372 | Console.TableResult.ColumnSortAsc 373 | Console.TableResult.ColumnSortDesc 374 | Console.TableResult.ColumnSortingActions 375 | Console.TableResult.ColumnSortReset 376 | Console.TableResult.ColumnVisibility < > 377 | Console.TableResult.CompareCells 378 | Console.TableResult.CompareWith 379 | Console.TableResult.Copy.Csv.Settings 380 | Console.TableResult.Copy.Csv.Settings.ForExport 381 | Console.TableResult.CopyAggregatorResult 382 | Console.TableResult.CopyColumnName 383 | Console.TableResult.CopyQueryToConsole 384 | Console.TableResult.CountRows 385 | Console.TableResult.Csv.PreviewColumnHeaderPopup 386 | Console.TableResult.Csv.PreviewPopupGroup 387 | Console.TableResult.Csv.SetFirstRowIsHeader 388 | Console.TableResult.Data 389 | Console.TableResult.DeleteColumns 390 | Console.TableResult.DeleteRows 391 | Console.TableResult.DisableAllAggregators 392 | Console.TableResult.EditFilterCriteria 393 | Console.TableResult.EditMaximized.Aggregates.Group 394 | Console.TableResult.EditMaximized.ChangeType 395 | Console.TableResult.EditMaximized.MoveToBottom 396 | Console.TableResult.EditMaximized.MoveToRight 397 | Console.TableResult.EditMaximized.ToggleFormattedMode 398 | Console.TableResult.EditMaximized.ToggleSoftWrap 399 | Console.TableResult.EditMaximized.Value.Group 400 | Console.TableResult.EditOrdering 401 | Console.TableResult.EditValue 402 | Console.TableResult.EditValueMaximized 403 | Console.TableResult.EnableAllAggregators 404 | Console.TableResult.ExportToClipboard 405 | Console.TableResult.Filter.Custom 406 | Console.TableResult.FindInGrid 407 | Console.TableResult.FirstPage 408 | Console.TableResult.GoToAggregatorsScriptsDirectory 409 | Console.TableResult.GoToExtractorsScriptsDirectory 410 | Console.TableResult.GoToGroup 411 | Console.TableResult.Group 412 | Console.TableResult.Group.Common 413 | Console.TableResult.Group.Secondary 414 | Console.TableResult.Header.ChangeColumnLanguage 415 | Console.TableResult.HideColumn 416 | Console.TableResult.HideEditMaximized 417 | Console.TableResult.HideOtherColumns 418 | Console.TableResult.ImportTable 419 | Console.TableResult.LastPage 420 | Console.TableResult.LoadFile 421 | Console.TableResult.MaximizeEditingCell 422 | Console.TableResult.NavigateAction 423 | Console.TableResult.NavigateExportedAction 424 | Console.TableResult.NavigateForeignAction button=1 clickCount=1 modifiers=256 Force touch button=2 clickCount=1 modifiers=0 425 | Console.TableResult.NavigationAndEditing.Group 426 | Console.TableResult.NextPage 427 | Console.TableResult.Options 428 | Console.TableResult.PasteFormat 429 | Console.TableResult.PopupGroup 430 | Console.TableResult.PreviewDml 431 | Console.TableResult.PreviousPage 432 | Console.TableResult.Reload 433 | Console.TableResult.RenameColumn 434 | Console.TableResult.RenameTab 435 | Console.TableResult.ResetView 436 | Console.TableResult.RevertSelected 437 | Console.TableResult.SaveLobAs 438 | Console.TableResult.SelectRow 439 | Console.TableResult.SetDefault 440 | Console.TableResult.SetNull 441 | Console.TableResult.ShowDumpDialogAction 442 | Console.TableResult.ShowQuery 443 | Console.TableResult.SkipComputedColumns 444 | Console.TableResult.SkipGeneratedColumns 445 | Console.TableResult.Submit 446 | Console.TableResult.SubmitAndCommit 447 | Console.TableResult.ToggleFilterComponent 448 | Console.TableResult.ToggleFilters 449 | Console.TableResult.Transpose 450 | Console.TableResult.ViewAs 451 | Console.TableResult.ViewAsExtractor 452 | Console.TableResult.ViewAsTable 453 | Console.TableResult.ViewAsTreeTable 454 | Console.TabPopupGroup 455 | Console.TabPopupGroup.Embedded 456 | Console.Toggle.Notebook.Mode 457 | Console.Toggle.Shorten.Tab.Titles 458 | Console.Transaction 459 | Console.Transaction.Commit 460 | Console.Transaction.RevertAndRollback 461 | Console.Transaction.Rollback 462 | Console.Transaction.TxSettings 463 | ConsoleEditorPopupMenu 464 | ConsoleView.ClearAll 465 | ConsoleView.PopupMenu 466 | ConsoleView.ShowAsJsonAction 467 | ContextDebug 468 | ContextHelp 469 | ContextRun 470 | ConvertContentsToAttributeAction 471 | ConvertIndentsGroup 472 | ConvertIndentsToSpaces 473 | ConvertIndentsToTabs 474 | ConvertSchemaAction 475 | ConvertToMacLineSeparators 476 | ConvertToUnixLineSeparators 477 | ConvertToWindowsLineSeparators 478 | copilot.applyInlays 479 | copilot.cycleNextInlays 480 | copilot.cyclePrevInlays 481 | copilot.disableCopilot 482 | copilot.disableCopilotFile 483 | copilot.disposeInlays 484 | copilot.enableCopilot 485 | copilot.inlayContextMenu 486 | copilot.loginGitHub 487 | copilot.logoutGitHub 488 | copilot.openCopilot 489 | copilot.openStatus 490 | copilot.requestCompletions 491 | copilot.statusBarErrorPopup 492 | copilot.statusBarPopup 493 | copilot.statusBarRestartPopup 494 | copilot.testException 495 | copilot.toolsActionGroup 496 | Copy.Paste.Special 497 | CopyAbsolutePath 498 | CopyAsPlainText 499 | CopyAsRichText 500 | CopyContentRootPath 501 | CopyElement 502 | CopyExternalReferenceGroup 503 | CopyFileName 504 | CopyFileReference 505 | CopyJoinLinkAction 506 | CopyPathFromRepositoryRootProvider 507 | CopyPaths 508 | CopyPathWithLineNumber 509 | CopyReference 510 | CopyReferencePopupGroup 511 | CopySettingsPath 512 | CopySourceRootPath 513 | CopyTBXReference 514 | CopyUrl 515 | Coverage 516 | CoverageMenu 517 | CoveragePlatformMenu 518 | CreateDesktopEntry 519 | CreateEditorConfigFile 520 | CreateLauncherScript 521 | CreateNewRunConfiguration 522 | CreateOpenapiSpecification 523 | CreateRunConfiguration 524 | CreateSetupPy 525 | CurrentLeadUnfollowAction 526 | CustomizeUI 527 | CutCopyPasteGroup 528 | CWMHostShowPopupAction 529 | CWMManageLicense 530 | CWMOpenSettingsAction 531 | CWMShowPopupActionGroup 532 | CWMTelephonyGroup 533 | Database.EditorTabPopupMenu 534 | Database.KeymapGroup 535 | Database.KeymapGroup.Console.Toolbar 536 | Database.KeymapGroup.DataEditor 537 | Database.KeymapGroup.EditMaximized 538 | Database.KeymapGroup.EditMaximized.Aggregates 539 | Database.KeymapGroup.EditMaximized.Value 540 | Database.KeymapGroup.Execution 541 | Database.KeymapGroup.General 542 | Database.KeymapGroup.Hidden 543 | Database.KeymapGroup.Session 544 | Database.KeymapGroup.TableResult 545 | DatabaseView.AddActionGroup 546 | DatabaseView.AddActionGroupPopup 547 | DatabaseView.AddDataSourceFromPath 548 | DatabaseView.AddDataSourceFromThat 549 | DatabaseView.AddDataSourceFromUrl 550 | DatabaseView.AddDataSourceGroup 551 | DatabaseView.AddDataSourceHere 552 | DatabaseView.AddDriver 553 | DatabaseView.AddDriverAndDataSource 554 | DatabaseView.AddSchemasAction 555 | DatabaseView.AssignColor 556 | DatabaseView.BatchModifyIndices 557 | DatabaseView.Clipboard 558 | DatabaseView.Context.Templates 559 | DatabaseView.CopyAction 560 | DatabaseView.CopyDdlAction 561 | DatabaseView.CopyDdlFromDbAction 562 | DatabaseView.CopyTable 563 | DatabaseView.CreateDataSourceFromSettings 564 | DatabaseView.CreateDdlMapping 565 | DatabaseView.DataSourceCopyAction 566 | DatabaseView.DataSourceCutAction 567 | DatabaseView.DataSourcePasteAction 568 | DatabaseView.Ddl.AddColumn 569 | DatabaseView.Ddl.AddForeignKey 570 | DatabaseView.Ddl.AddIndex 571 | DatabaseView.Ddl.AddObject 572 | DatabaseView.Ddl.AddPrimaryKey 573 | DatabaseView.Ddl.AddTable 574 | DatabaseView.Ddl.AlterObject 575 | DatabaseView.Ddl.BatchAddIndices 576 | DatabaseView.Ddl.CommentOnObject 577 | DatabaseView.Ddl.DropForeignKey 578 | DatabaseView.Ddl.DropPrimaryKey 579 | DatabaseView.Ddl.ModifyGrants 580 | DatabaseView.DdlMapping.Actions 581 | DatabaseView.DeactivateAction 582 | DatabaseView.DebugRoutine 583 | DatabaseView.Diagnostics 584 | DatabaseView.Diagnostics.DiagnosticRefresh 585 | DatabaseView.Diagnostics.DumpModel 586 | DatabaseView.Diagnostics.JdbcLog 587 | DatabaseView.Diagnostics.PrepareIntrospectionDiagnostic 588 | DatabaseView.Diagrams 589 | DatabaseView.DropAction 590 | DatabaseView.Dump.Native 591 | DatabaseView.DumpToConfiguredSqlDataSource 592 | DatabaseView.DumpToSqlDataSource 593 | DatabaseView.ExecuteRoutine 594 | DatabaseView.FilterAction 595 | DatabaseView.FindUsagesActionGroup 596 | DatabaseView.Fix 597 | DatabaseView.ForceRefresh 598 | DatabaseView.ForgetSchemaAction 599 | DatabaseView.FullTextSearch 600 | DatabaseView.GoToScriptsDirectory 601 | DatabaseView.HideSchemasAction 602 | DatabaseView.Import 603 | DatabaseView.ImportDataSources 604 | DatabaseView.ImportExport 605 | DatabaseView.ImportFromSql 606 | DatabaseView.LayoutSqlDataSource 607 | DatabaseView.LinkedDataSource.Actions 608 | DatabaseView.LinkedDataSource.ChooseDataSource 609 | DatabaseView.LinkedDataSource.ClearMapping 610 | DatabaseView.LinkedDataSource.CreateDataSource 611 | DatabaseView.LinkedDataSource.Navigate 612 | DatabaseView.MoveToGroup 613 | DatabaseView.Navigation.Actions 614 | DatabaseView.NewGroup 615 | DatabaseView.OpenDdlInConsole 616 | DatabaseView.OpenFamilyAction 617 | DatabaseView.PropertiesAction 618 | DatabaseView.Refresh 619 | DatabaseView.RefreshFragment 620 | DatabaseView.Restore.Native 621 | DatabaseView.RunExtensionScriptGroup 622 | DatabaseView.Scripted.Extensions 623 | DatabaseView.SetInheritedIntrospectionLevelAction 624 | DatabaseView.SetIntrospectionLevel1Action 625 | DatabaseView.SetIntrospectionLevel2Action 626 | DatabaseView.SetIntrospectionLevel3Action 627 | DatabaseView.SetIntrospectionLevelActions 628 | DatabaseView.ShowContentDiff 629 | DatabaseView.ShowDiff 630 | DatabaseView.ShowDiff.Configured 631 | DatabaseView.Sql.Scripts 632 | DatabaseView.SqlGenerator 633 | DatabaseView.Tools 634 | DatabaseView.Tools.DisableConstraintsAction 635 | DatabaseView.Tools.EnableConstraintsAction 636 | DatabaseView.Tools.RecompileAction 637 | DatabaseView.Tools.RefreshMatViewAction 638 | DatabaseView.Tools.RevertChanges 639 | DatabaseView.Tools.ShowChanges 640 | DatabaseView.Tools.SubmitChanges 641 | DatabaseView.Tools.TruncateTableAction 642 | DatabaseViewPopupMenu 643 | DatabaseViewToolbar 644 | DataViews.Settings 645 | DDL.Editor.Regenerate 646 | DDL.Editor.Specific.StorageFile 647 | Debug 648 | DebugClass 649 | Debugger.AddInlineWatch 650 | Debugger.AddToWatch 651 | Debugger.CopyStack 652 | Debugger.EvaluateInConsole 653 | Debugger.FocusOnBreakpoint 654 | Debugger.FocusOnFinish 655 | Debugger.MarkObject 656 | Debugger.RemoveAllBreakpoints 657 | Debugger.RemoveAllBreakpointsInFile 658 | Debugger.RestoreBreakpoint 659 | Debugger.ShowLibraryFrames 660 | Debugger.ShowReferring 661 | Debugger.Tree.EvaluateInConsole 662 | DebuggingActionsGroup 663 | DebugMainMenu 664 | DebugReloadGroup 665 | DecreaseColumnWidth 666 | DecrementWindowHeight 667 | DecrementWindowWidth 668 | DefaultProfilerExecutorGroupContextActionId 669 | DelegateMethods 670 | DeleteAttributeAction 671 | DeleteMnemonicFromBookmark 672 | DeleteOldAppDirs 673 | DeleteRecentFiles 674 | DeleteTagAction 675 | DeploymentGroup.Basic 676 | DeploymentVcsActions 677 | Dev.PsiViewerActions 678 | DiagnosticGroup 679 | Diagram.AnalyzeGraph.AutoClustering 680 | Diagram.AnalyzeGraph.DropCentralityValues 681 | Diagram.AnalyzeGraph.DropClustering 682 | Diagram.AnalyzeGraph.DropFocus 683 | Diagram.AnalyzeGraph.FocusOnCycles 684 | Diagram.AnalyzeGraph.FocusOnNodeNeighbourhood 685 | Diagram.AnalyzeGraph.FocusOnPathsBetweenTwoNodes 686 | Diagram.AnalyzeGraph.FocusOnSelectedNodes 687 | Diagram.AnalyzeGraph.MeasureCentrality 688 | Diagram.AnalyzeGraph.ShowCharacteristics 689 | Diagram.AnalyzeGraphGroup 690 | Diagram.AppearanceGroup 691 | Diagram.CopyToClipboardGroup 692 | Diagram.CopyToClipboardGroup.Dot 693 | Diagram.CopyToClipboardGroup.DotWithPositions 694 | Diagram.CopyToClipboardGroup.Mermaid 695 | Diagram.CopyToClipboardGroup.Plantuml 696 | Diagram.DefaultGraphToolbar 697 | Diagram.DeleteSelection 698 | Diagram.DeselectAll 699 | Diagram.ExportAndCopyGroup 700 | Diagram.ExportGroup 701 | Diagram.ExportToFileGroup 702 | Diagram.ExportToFileGroup.Dot 703 | Diagram.ExportToFileGroup.DotWithPositions 704 | Diagram.ExportToFileGroup.Graphml 705 | Diagram.ExportToFileGroup.Mermaid 706 | Diagram.ExportToFileGroup.Mxgraph 707 | Diagram.ExportToFileGroup.Plantuml 708 | Diagram.Layout.CustomLayouter 709 | Diagram.MergeEdgesGroup 710 | Diagram.OpenInOnlineEditorGroup 711 | Diagram.OpenInOnlineEditorGroup.Dot 712 | Diagram.OpenInOnlineEditorGroup.DotWithPositions 713 | Diagram.OpenInOnlineEditorGroup.Graphml 714 | Diagram.OpenInOnlineEditorGroup.Mermaid 715 | Diagram.OpenInOnlineEditorGroup.Mxgraph 716 | Diagram.OpenInOnlineEditorGroup.Plantuml 717 | Diagram.OpenSettings 718 | Diagram.RefreshDataModelManually 719 | Diagram.SearchItemOnWeb 720 | Diagram.SelectAll 721 | Diff.AppendLeftSide 722 | Diff.AppendRightSide 723 | Diff.ApplyLeftSide 724 | Diff.ApplyNonConflicts 725 | Diff.ApplyNonConflicts.Left 726 | Diff.ApplyNonConflicts.Right 727 | Diff.ApplyRightSide 728 | Diff.Binary.Settings 729 | Diff.ComparePartial.Base.Left 730 | Diff.ComparePartial.Base.Right 731 | Diff.ComparePartial.Left.Right 732 | Diff.CompareWithBase.Left 733 | Diff.CompareWithBase.Result 734 | Diff.CompareWithBase.Right 735 | Diff.EditorGutterPopupMenu 736 | Diff.EditorGutterPopupMenu.EditorSettings 737 | Diff.EditorPopupMenu 738 | Diff.FocusOppositePane 739 | Diff.FocusOppositePaneAndScroll 740 | Diff.IgnoreLeftSide 741 | Diff.IgnoreRightSide 742 | Diff.KeymapGroup 743 | Diff.MagicResolveConflicts 744 | Diff.NextChange 745 | Diff.NextConflict 746 | Diff.PrevChange 747 | Diff.PreviousConflict 748 | Diff.ResolveConflict 749 | Diff.ShowDiff 750 | Diff.ShowInExternalTool 751 | Diff.ShowSettingsPopup 752 | Diff.ShowStandaloneDiff 753 | Diff.ViewerPopupMenu 754 | Diff.ViewerToolbar 755 | DirDiffMenu 756 | DirDiffMenu.CancelComparingNewFilesWithEachOther 757 | DirDiffMenu.CompareNewFilesWithEachOtherAction 758 | DirDiffMenu.EnableEqual 759 | DirDiffMenu.EnableLeft 760 | DirDiffMenu.EnableNotEqual 761 | DirDiffMenu.EnableRight 762 | DirDiffMenu.MirrorToLeft 763 | DirDiffMenu.MirrorToRight 764 | DirDiffMenu.SetCopyToLeft 765 | DirDiffMenu.SetCopyToRight 766 | DirDiffMenu.SetDefault 767 | DirDiffMenu.SetDelete 768 | DirDiffMenu.SetNoOperation 769 | DirDiffMenu.SynchronizeDiff 770 | DirDiffMenu.SynchronizeDiff.All 771 | DirDiffMenu.WarnOnDeletion 772 | DirDiffOperationsMenu 773 | DisableInspection 774 | DlvDebugger.ViewAsGroup 775 | DlvDumpAction 776 | DlvFilterGoroutinesAction 777 | DlvRecordAndDebug 778 | DlvResetHiddenGoroutinesAction 779 | DlvRewindAction 780 | DlvShowPointerAddressesToggleAction 781 | DlvShowTypesToggleAction 782 | DlvToggleThreadsAction 783 | DocCommentGutterIconContextMenu 784 | Docker.AddDockerConnection 785 | Docker.AddDockerRegistry 786 | Docker.ComposeEditorGroup.SyncWithServiceView 787 | Docker.Filter 788 | Docker.FilterStoppedContainers 789 | Docker.FilterUntaggedImages 790 | Docker.RemoteServer.DisconnectServer 791 | Docker.RemoteServers.Attach2Container 792 | Docker.RemoteServers.CommitContainer 793 | Docker.RemoteServers.ComposeUp 794 | Docker.RemoteServers.ConnectServer 795 | Docker.RemoteServers.CopyContainerId 796 | Docker.RemoteServers.CopyContainerImageId 797 | Docker.RemoteServers.CopyImageId 798 | Docker.RemoteServers.CreateContainer 799 | Docker.RemoteServers.CreateNetwork 800 | Docker.RemoteServers.CreateTerminal 801 | Docker.RemoteServers.CreateVolume 802 | Docker.RemoteServers.DeleteConnection 803 | Docker.RemoteServers.DeleteContainer 804 | Docker.RemoteServers.DeleteFailedNode 805 | Docker.RemoteServers.DeleteImage 806 | Docker.RemoteServers.DeleteNetwork 807 | Docker.RemoteServers.DeleteService 808 | Docker.RemoteServers.DeleteVolume 809 | Docker.RemoteServers.DownComposeApp 810 | Docker.RemoteServers.ExecInContainer 811 | Docker.RemoteServers.InspectContainerOrImage 812 | Docker.RemoteServers.PauseContainer 813 | Docker.RemoteServers.Prune 814 | Docker.RemoteServers.PullImage 815 | Docker.RemoteServers.PushImage 816 | Docker.RemoteServers.Redeploy 817 | Docker.RemoteServers.RemoveOrphans 818 | Docker.RemoteServers.RestartComposeApp 819 | Docker.RemoteServers.RestartContainer 820 | Docker.RemoteServers.ScaleComposeService 821 | Docker.RemoteServers.SelectContainerImage 822 | Docker.RemoteServers.ShowContainerFiles 823 | Docker.RemoteServers.ShowContainerLog 824 | Docker.RemoteServers.ShowContainerProcesses 825 | Docker.RemoteServers.StartAllComposeApp 826 | Docker.RemoteServers.StartComposeService 827 | Docker.RemoteServers.StartContainer 828 | Docker.RemoteServers.StopComposeApp 829 | Docker.RemoteServers.StopComposeService 830 | Docker.RemoteServers.StopContainer 831 | Docker.RemoteServers.StopDeploy 832 | Docker.RemoteServers.TransferImage 833 | Docker.RemoteServers.UnpauseContainer 834 | Docker.RemoteServersViewPopup 835 | Docker.RemoteServersViewPopup.Image 836 | Docker.RemoteServersViewToolbar 837 | Docker.RemoteServersViewToolbar.Top 838 | DockPinnedMode 839 | DockToolWindow 840 | DockUnpinnedMode 841 | Document2XSD 842 | Documentation.Back button=4 clickCount=1 modifiers=0 843 | Documentation.EditSource 844 | Documentation.Forward button=5 clickCount=1 modifiers=0 845 | Documentation.KeepTab 846 | Documentation.Navigation 847 | Documentation.PrimaryGroup 848 | Documentation.ToggleAutoShow 849 | Documentation.ToggleAutoUpdate 850 | Documentation.ToggleShowInPopup 851 | Documentation.ViewExternal 852 | DomCollectionControl 853 | DomCollectionControl.Add 854 | DomCollectionControl.Edit 855 | DomCollectionControl.Remove 856 | DomElementsTreeView.AddElement 857 | DomElementsTreeView.AddElementGroup 858 | DomElementsTreeView.DeleteElement 859 | DomElementsTreeView.GotoDomElementDeclarationAction 860 | DomElementsTreeView.TreePopup 861 | DumpFocusableComponentHierarchyAction 862 | DumpLookupElementWeights 863 | DumpMLCompletionFeatures 864 | DuplicatesForm.SendToLeft 865 | DuplicatesForm.SendToRight 866 | DupLocate 867 | Dvcs.FileHistory.ContextMenu 868 | Dvcs.Log.ContextMenu 869 | Dvcs.Log.Toolbar 870 | EditBookmark 871 | EditBookmarksGroup 872 | EditBreakpoint 873 | EditCreateDeleteGroup 874 | EditCustomProperties 875 | EditCustomVmOptions 876 | EditFavorites 877 | EditInspectionSettings 878 | EditMacros 879 | EditMenu 880 | Editor.JSLibrariesMenu 881 | Editor.JSLibrariesMenu.LibraryList 882 | EditorActions 883 | EditorAddCaretPerSelectedLine 884 | EditorAddOrRemoveCaret button=1 clickCount=1 modifiers=512 885 | EditorAddRectangularSelectionOnMouseDrag button=1 clickCount=1 modifiers=832 886 | EditorBackSpace 887 | EditorBackwardParagraph 888 | EditorBackwardParagraphWithSelection 889 | EditorBidiTextDirection 890 | EditorBreadcrumbsHideBoth 891 | EditorBreadcrumbsSettings 892 | EditorBreadcrumbsShowAbove 893 | EditorBreadcrumbsShowBelow 894 | EditorChooseLookupItem 895 | EditorChooseLookupItemCompleteStatement 896 | EditorChooseLookupItemDot 897 | EditorChooseLookupItemReplace 898 | EditorCloneCaretAbove 899 | EditorCloneCaretBelow 900 | EditorCodeBlockEnd 901 | EditorCodeBlockEndWithSelection 902 | EditorCodeBlockStart 903 | EditorCodeBlockStartWithSelection 904 | EditorCompleteStatement 905 | EditorContextBarMenu 906 | EditorContextInfo 907 | EditorCopy 908 | EditorCreateRectangularSelection button=2 clickCount=1 modifiers=576 909 | EditorCreateRectangularSelectionOnMouseDrag button=1 clickCount=1 modifiers=576 button=2 clickCount=1 modifiers=0 910 | EditorCut 911 | EditorCutLineBackward 912 | EditorCutLineEnd 913 | EditorDecreaseFontSize 914 | EditorDecreaseFontSizeGlobal 915 | EditorDelete 916 | EditorDeleteLine 917 | EditorDeleteToLineEnd 918 | EditorDeleteToLineStart 919 | EditorDeleteToWordEnd 920 | EditorDeleteToWordEndInDifferentHumpsMode 921 | EditorDeleteToWordStart 922 | EditorDeleteToWordStartInDifferentHumpsMode 923 | EditorDown 924 | EditorDownWithSelection 925 | EditorDuplicate 926 | EditorDuplicateLines 927 | EditorEnter 928 | EditorEscape 929 | EditorFocusGutter 930 | EditorForwardParagraph 931 | EditorForwardParagraphWithSelection 932 | EditorGutterPopupMenu 933 | EditorGutterToggleGlobalIndentLines 934 | EditorGutterToggleGlobalLineNumbers 935 | EditorGutterVcsPopupMenu 936 | EditorHungryBackSpace 937 | EditorIncreaseFontSize 938 | EditorIncreaseFontSizeGlobal 939 | EditorIndentLineOrSelection 940 | EditorIndentSelection 941 | EditorJoinLines 942 | EditorKillRegion 943 | EditorKillRingSave 944 | EditorKillToWordEnd 945 | EditorKillToWordStart 946 | EditorLangPopupMenu 947 | EditorLeft 948 | EditorLeftWithSelection 949 | EditorLineEnd 950 | EditorLineEndWithSelection 951 | EditorLineStart 952 | EditorLineStartWithSelection 953 | EditorLookupDown 954 | EditorLookupSelectionDown 955 | EditorLookupSelectionUp 956 | EditorLookupUp 957 | EditorMatchBrace 958 | EditorMoveDownAndScroll 959 | EditorMoveDownAndScrollWithSelection 960 | EditorMoveToPageBottom 961 | EditorMoveToPageBottomWithSelection 962 | EditorMoveToPageTop 963 | EditorMoveToPageTopWithSelection 964 | EditorMoveUpAndScroll 965 | EditorMoveUpAndScrollWithSelection 966 | EditorNextWord 967 | EditorNextWordInDifferentHumpsMode 968 | EditorNextWordInDifferentHumpsModeWithSelection 969 | EditorNextWordWithSelection 970 | EditorPageDown 971 | EditorPageDownWithSelection 972 | EditorPageUp 973 | EditorPageUpWithSelection 974 | EditorPaste 975 | EditorPasteFromX11 button=2 clickCount=1 modifiers=0 976 | EditorPasteSimple 977 | EditorPopupMenu 978 | EditorPopupMenu.GoTo 979 | EditorPopupMenu.Run 980 | EditorPopupMenu1 981 | EditorPopupMenu1.FindRefactor 982 | EditorPopupMenu2 983 | EditorPopupMenu3 984 | EditorPopupMenuDebug 985 | EditorPreviousWord 986 | EditorPreviousWordInDifferentHumpsMode 987 | EditorPreviousWordInDifferentHumpsModeWithSelection 988 | EditorPreviousWordWithSelection 989 | EditorResetFontSize 990 | EditorReverseLines 991 | EditorRight 992 | EditorRightWithSelection 993 | EditorScrollBottom 994 | EditorScrollDown 995 | EditorScrollDownAndMove 996 | EditorScrollLeft 997 | EditorScrollRight 998 | EditorScrollToCenter 999 | EditorScrollTop 1000 | EditorScrollUp 1001 | EditorScrollUpAndMove 1002 | EditorSearchSession.NextOccurrenceAction 1003 | EditorSearchSession.PrevOccurrence 1004 | EditorSearchSession.ToggleMatchCase 1005 | EditorSearchSession.ToggleRegex 1006 | EditorSearchSession.ToggleWholeWordsOnlyAction 1007 | EditorSelectLine 1008 | EditorSelectSingleLineAtCaret 1009 | EditorSelectWord 1010 | EditorSetContentBasedBidiTextDirection 1011 | EditorSetLtrBidiTextDirection 1012 | EditorSetRtlBidiTextDirection 1013 | EditorShowGutterIconTooltip 1014 | EditorSortLines 1015 | EditorSplitLine 1016 | EditorStartNewLine 1017 | EditorStartNewLineBefore 1018 | EditorSwapSelectionBoundaries 1019 | EditorTab 1020 | EditorTabActionGroup 1021 | EditorTabPopupMenu 1022 | EditorTabPopupMenuEx 1023 | EditorTabsEntryPoint 1024 | EditorTabsGroup 1025 | EditorTextEnd 1026 | EditorTextEndWithSelection 1027 | EditorTextStart 1028 | EditorTextStartWithSelection 1029 | EditorToggleActions 1030 | EditorToggleCase 1031 | EditorToggleColumnMode 1032 | EditorToggleInsertState 1033 | EditorToggleShowBreadcrumbs 1034 | EditorToggleShowGutterIcons 1035 | EditorToggleShowIndentLines 1036 | EditorToggleShowLineNumbers 1037 | EditorToggleShowWhitespaces 1038 | EditorToggleStickySelection 1039 | EditorToggleUseSoftWraps 1040 | EditorToggleUseSoftWrapsInPreview 1041 | EditorToggleVisualFormattingLayer 1042 | EditorTranspose 1043 | EditorUnindentSelection 1044 | EditorUnSelectWord 1045 | EditorUp 1046 | EditorUpWithSelection 1047 | editRunConfigurations 1048 | EditSelectGroup 1049 | EditSelectWordGroup 1050 | EditSmartGroup 1051 | EditSource 1052 | EditSourceInNewWindow 1053 | EditSourceNotInEditor 1054 | EmacsStyleIndent 1055 | Emmet 1056 | EmmetNextEditPoint 1057 | EmmetPreview 1058 | EmmetPreviousEditPoint 1059 | EmmetUpdateTag 1060 | EmojiAndSymbols 1061 | EnableCameraAction 1062 | EnableMicrophoneAction 1063 | EnablePackageJsonMismatchedDependenciesNotification 1064 | EnableScreenSharingAction 1065 | EnableVoiceCallAction 1066 | EncodingPanelActions 1067 | EndpointsActions.ContextMenu 1068 | EndpointsActions.FilterToolbar 1069 | EndpointsActions.OptionsMenu 1070 | EndpointsActions.Title 1071 | ES6.Generate.Index 1072 | EscapeEntities 1073 | EscUnfollowUserAction 1074 | EslintImportCodeStyle 1075 | EvaluateExpression 1076 | ExecuteInPyConsoleAction 1077 | Exit 1078 | ExpandAll 1079 | ExpandAllRegions 1080 | ExpandAllToLevel 1081 | ExpandAllToLevel1 1082 | ExpandAllToLevel2 1083 | ExpandAllToLevel3 1084 | ExpandAllToLevel4 1085 | ExpandAllToLevel5 1086 | ExpandDocComments 1087 | ExpandExpandableComponent 1088 | ExpandLiveTemplateByTab 1089 | ExpandLiveTemplateCustom 1090 | ExpandRegion 1091 | ExpandRegionRecursively 1092 | ExpandToLevel 1093 | ExpandToLevel1 1094 | ExpandToLevel2 1095 | ExpandToLevel3 1096 | ExpandToLevel4 1097 | ExpandToLevel5 1098 | ExpandTreeNode 1099 | ExperimentalToolbarActions 1100 | ExportImportGroup 1101 | ExportSettings 1102 | ExportTestResults 1103 | ExportToHTML 1104 | ExportToTextFile 1105 | ExpressionTypeInfo 1106 | ExternalJavaDoc 1107 | ExternalSystem.Actions 1108 | ExternalSystem.AfterCompile 1109 | ExternalSystem.AfterRebuild 1110 | ExternalSystem.AfterSync 1111 | ExternalSystem.AssignRunConfigurationShortcut 1112 | ExternalSystem.AssignShortcut 1113 | ExternalSystem.BeforeCompile 1114 | ExternalSystem.BeforeRebuild 1115 | ExternalSystem.BeforeRun 1116 | ExternalSystem.BeforeSync 1117 | ExternalSystem.CollapseAll 1118 | ExternalSystem.CreateRunConfiguration 1119 | ExternalSystem.DependencyAnalyzer.DependencyListGroup 1120 | ExternalSystem.DependencyAnalyzer.DependencyTreeGroup 1121 | ExternalSystem.DependencyAnalyzer.UsagesTreeGroup 1122 | ExternalSystem.DetachProject 1123 | ExternalSystem.EditRunConfiguration 1124 | ExternalSystem.ExpandAll 1125 | ExternalSystem.GroupModules 1126 | ExternalSystem.GroupTasks 1127 | ExternalSystem.HideProjectRefreshAction 1128 | ExternalSystem.IgnoreProject 1129 | ExternalSystem.OpenConfig 1130 | ExternalSystem.OpenTasksActivationManager 1131 | ExternalSystem.ProjectRefreshAction 1132 | ExternalSystem.ProjectRefreshActionGroup 1133 | ExternalSystem.RefreshAllProjects 1134 | ExternalSystem.RefreshProject 1135 | ExternalSystem.RemoveRunConfiguration 1136 | ExternalSystem.RunTask 1137 | ExternalSystem.SelectProjectDataToImport 1138 | ExternalSystem.ShowCommonSettings 1139 | ExternalSystem.ShowIgnored 1140 | ExternalSystem.ShowInheritedTasks 1141 | ExternalSystem.ShowSettings 1142 | ExternalSystem.ShowSettingsGroup 1143 | ExternalSystemView.ActionsToolbar 1144 | ExternalSystemView.ActionsToolbar.CenterPanel 1145 | ExternalSystemView.ActionsToolbar.LeftPanel 1146 | ExternalSystemView.ActionsToolbar.RightPanel 1147 | ExternalSystemView.BaseProjectMenu 1148 | ExternalSystemView.DependencyMenu 1149 | ExternalSystemView.ModuleMenu 1150 | ExternalSystemView.ProjectMenu 1151 | ExternalSystemView.RunConfigurationMenu 1152 | ExternalSystemView.TaskActivationGroup 1153 | ExternalSystemView.TaskMenu 1154 | ExternalToolsGroup 1155 | ExtractClass 1156 | ExtractInclude 1157 | ExtractInterface 1158 | ExtractMethod 1159 | ExtractMethodToolWindow.TreePopup 1160 | ExtractModule 1161 | ExtractSuperclass 1162 | FavoritesViewPopupMenu 1163 | FileChooser.Delete 1164 | FileChooser.GotoDesktop 1165 | FileChooser.GotoHome 1166 | FileChooser.GotoProject 1167 | FileChooser.GoToWslHome 1168 | FileChooser.LightEditGotoOpenedFile 1169 | FileChooser.NewFile 1170 | FileChooser.NewFolder 1171 | FileChooser.Refresh 1172 | FileChooser.ShowHidden 1173 | FileChooser.TogglePathBar 1174 | FileChooserList 1175 | FileChooserList.LevelUp 1176 | FileChooserList.Root 1177 | FileChooserToolbar 1178 | FileEditor.ImportToDatabase 1179 | FileEditor.ImportToDatabase.Group 1180 | FileEditor.OpenDataEditor 1181 | FileExportGroup 1182 | FileHistory.AnnotateRevision 1183 | FileHistory.KeymapGroup 1184 | FileMainSettingsGroup 1185 | FileMenu 1186 | FileOpenGroup 1187 | FileOtherSettingsGroup 1188 | FilePropertiesGroup 1189 | FileSettingsGroup 1190 | FileStructurePopup 1191 | FileTemplateSeparatorGroup 1192 | FileWatcher.runForFiles 1193 | FillParagraph 1194 | Find 1195 | FindInPath 1196 | FindMenuGroup 1197 | FindNext 1198 | FindPrevious 1199 | FindPrevWordAtCaret 1200 | FindSelectionInPath 1201 | FindUsages 1202 | FindUsagesInFile 1203 | FindUsagesMenuGroup 1204 | FindWordAtCaret 1205 | FixDocComment 1206 | FixWSLFirewall 1207 | FloatMode 1208 | FlowJS.Restart.All.Servers 1209 | FlowJSShowErrorDetailsAction 1210 | FocusEditor 1211 | FoldingGroup 1212 | fontEditorPreview.ToggleBoldFont 1213 | ForceOthersToFollowAction 1214 | ForceRefresh 1215 | ForceRunToCursor 1216 | ForceStepInto 1217 | ForceStepOver 1218 | Forward button=5 clickCount=1 modifiers=0 1219 | FullyExpandTreeNode 1220 | Generate 1221 | Generate.Constructor.JavaScript 1222 | Generate.GetAccessor.JavaScript 1223 | Generate.GetSetAccessor.JavaScript 1224 | Generate.Missing.Members.ES6 1225 | Generate.Missing.Members.TypeScript 1226 | Generate.SetAccessor.JavaScript 1227 | GenerateCopyright 1228 | GenerateCoverageReport 1229 | GenerateDbObjectGroup 1230 | GenerateDTD 1231 | GenerateFromTestCreatorsGroup 1232 | GenerateGroup 1233 | GeneratePattern 1234 | GenerateXmlTag 1235 | GetJoinLinkAction 1236 | Git.Add 1237 | Git.Branch 1238 | Git.Branches 1239 | Git.Branches.List 1240 | Git.BranchOperationGroup 1241 | Git.BrowseRepoAtRevision 1242 | Git.ChangesView.AcceptTheirs 1243 | Git.ChangesView.AcceptYours 1244 | Git.ChangesView.Conflicts 1245 | Git.ChangesView.Merge 1246 | Git.Checkout.Branch 1247 | Git.CheckoutGroup 1248 | Git.CheckoutRevision 1249 | Git.CherryPick.Abort 1250 | Git.Clone 1251 | Git.Commit.And.Push.Executor 1252 | Git.Commit.Stage 1253 | Git.CompareWithBranch 1254 | Git.Configure.Remotes 1255 | Git.ContextMenu 1256 | Git.CreateNewBranch 1257 | Git.CreateNewTag 1258 | Git.Drop.Commits 1259 | Git.Experimental.Branch.Popup.Actions 1260 | Git.Fetch 1261 | Git.FileActions 1262 | Git.FileHistory.ContextMenu 1263 | Git.Fixup.To.Commit 1264 | Git.Ignore.File 1265 | Git.Init 1266 | Git.Interactive.Rebase 1267 | Git.Log 1268 | Git.Log.Branches.Change.Branch.Filter button=1 clickCount=2 modifiers=0 1269 | Git.Log.Branches.Change.Branch.Filter.On.Selection 1270 | Git.Log.Branches.GroupBy.Directory 1271 | Git.Log.Branches.GroupBy.Repository 1272 | Git.Log.Branches.Grouping.Settings 1273 | Git.Log.Branches.Navigate.Log.To.Branch.On.Selection 1274 | Git.Log.Branches.Navigate.Log.To.Selected.Branch 1275 | Git.Log.Branches.Settings 1276 | Git.Log.ContextMenu 1277 | Git.Log.ContextMenu.CheckoutBrowse 1278 | Git.Log.DeepCompare 1279 | Git.Log.Hide.Branches 1280 | Git.Log.Toolbar 1281 | Git.LogContextMenu 1282 | Git.MainMenu 1283 | Git.MainMenu.FileActions 1284 | Git.MainMenu.LocalChanges 1285 | Git.MainMenu.MergeActions 1286 | Git.MainMenu.RebaseActions 1287 | Git.Menu 1288 | Git.Merge 1289 | Git.Merge.Abort 1290 | Git.Ongoing.Rebase.Actions 1291 | Git.OpenExcludeFile 1292 | Git.Pull 1293 | Git.PushUpToCommit 1294 | Git.Rebase 1295 | Git.Rebase.Abort 1296 | Git.Rebase.Continue 1297 | Git.Rebase.Skip 1298 | Git.Rename.Local.Branch 1299 | Git.Reset 1300 | Git.Reset.In.Log 1301 | Git.ResolveConflicts 1302 | Git.Revert.Abort 1303 | Git.Revert.In.Log 1304 | Git.Reword.Commit 1305 | Git.SelectInGitLog 1306 | Git.Show.Stage 1307 | Git.Show.Stash 1308 | Git.ShowBranches 1309 | Git.Squash.Commits 1310 | Git.Squash.Into.Commit 1311 | Git.Stage.AcceptTheirs 1312 | Git.Stage.AcceptYours 1313 | Git.Stage.Add 1314 | Git.Stage.Add.All 1315 | Git.Stage.Add.Tracked 1316 | Git.Stage.Compare.Local.Staged 1317 | Git.Stage.Compare.Staged.Head 1318 | Git.Stage.Compare.Staged.Local 1319 | Git.Stage.Compare.Three.Versions 1320 | Git.Stage.Index.File.Menu 1321 | Git.Stage.Local.File.Menu 1322 | Git.Stage.Merge 1323 | Git.Stage.Reset 1324 | Git.Stage.Revert 1325 | Git.Stage.Show.Local 1326 | Git.Stage.Show.Staged 1327 | Git.Stage.ThreeSideDiff 1328 | Git.Stage.ToggleIgnored 1329 | Git.Stage.Toolbar 1330 | Git.Stage.Tree.Menu 1331 | Git.Stage.Ui.Settings 1332 | Git.Stash 1333 | Git.Stash.Apply 1334 | Git.Stash.ChangesBrowser.ContextMenu 1335 | Git.Stash.Drop 1336 | Git.Stash.Operations.ContextMenu 1337 | Git.Stash.Pop 1338 | Git.Stash.Refresh 1339 | Git.Stash.Silently 1340 | Git.Stash.UnstashAs 1341 | Git.Tag 1342 | Git.Toolbar.ShowMoreActions 1343 | Git.Uncommit 1344 | Git.Unstash 1345 | GitCheckoutAction 1346 | GitCheckoutAsNewBranch 1347 | GitCheckoutFromInputAction 1348 | GitCheckoutWithRebaseAction 1349 | GitCompareWithBranchAction 1350 | GitDeleteBranchAction 1351 | Github.Accounts.AddAccount 1352 | Github.Accounts.AddGHAccount 1353 | Github.Accounts.AddGHAccountWithToken 1354 | Github.Accounts.AddGHEAccount 1355 | Github.Create.Gist 1356 | Github.Create.Pull.Request 1357 | GitHub.MainMenu 1358 | Github.Open.In.Browser 1359 | Github.PullRequest.Branch.Create 1360 | Github.PullRequest.Branch.Update 1361 | Github.PullRequest.Changes.MarkNotViewed 1362 | Github.PullRequest.Changes.MarkViewed 1363 | Github.PullRequest.Changes.Popup 1364 | Github.PullRequest.Changes.Reload 1365 | Github.PullRequest.Changes.Toolbar 1366 | Github.PullRequest.Comments.Reload 1367 | Github.PullRequest.Details.Popup 1368 | Github.PullRequest.Details.Reload 1369 | Github.PullRequest.Diff.Comment.Create 1370 | Github.PullRequest.List.Reload 1371 | Github.PullRequest.Review.Submit 1372 | Github.PullRequest.Show 1373 | Github.PullRequest.Timeline.Popup 1374 | Github.PullRequest.Timeline.Show 1375 | Github.PullRequest.Timeline.Update 1376 | Github.PullRequest.ToolWindow.List.Popup 1377 | Github.Share 1378 | Github.Sync.Fork 1379 | Github.View.Pull.Request 1380 | GithubCopyPathProvider 1381 | GitMergeBranchAction 1382 | Gitmoji.GitCommitAction 1383 | GitNewBranchAction 1384 | GitPullBranchAction$WithMerge 1385 | GitPullBranchAction$WithRebase 1386 | GitPushBranchAction 1387 | GitRebaseBranchAction 1388 | GitRenameBranchAction 1389 | GitRepositoryActions 1390 | GitShowDiffWithBranchAction 1391 | GitUpdateSelectedBranchAction 1392 | Go.NewGoFile 1393 | GoAddContentRootFromGopath 1394 | GoCallHierarchyPopupMenu 1395 | GoCallHierarchyPopupMenu.BaseOnThisDeclaration 1396 | GoCoreDumpAction 1397 | GoEditActionsOnSaveAction 1398 | GoEditSettingsAction 1399 | GoFmtFileAction 1400 | GoFmtProjectAction 1401 | GoGenerateConstructorAction 1402 | GoGenerateFileAction 1403 | GoGenerateForStruct 1404 | GoGenerateGetterAction 1405 | GoGenerateGetterSetterAction 1406 | GoGenerateSetterAction 1407 | GoGenerateStructFieldsFromJsonAction 1408 | GoGenerateTypeFromJsonAction 1409 | GoIdeNewProjectAction 1410 | GoImportsFileAction 1411 | GoIntroduceTypeAction 1412 | GoMarkRootGroup 1413 | GoOpenProjectFromGopath 1414 | GoOpenSettings 1415 | GoRemoveContentRootAction 1416 | GoReplayTraceAction 1417 | GoShareInPlaygroundAction 1418 | GoTestGenerateGroup 1419 | GotoAction 1420 | GotoBookmark0 1421 | GotoBookmark1 1422 | GotoBookmark2 1423 | GotoBookmark3 1424 | GotoBookmark4 1425 | GotoBookmark5 1426 | GotoBookmark6 1427 | GotoBookmark7 1428 | GotoBookmark8 1429 | GotoBookmark9 1430 | GotoBookmarkA 1431 | GotoBookmarkB 1432 | GotoBookmarkC 1433 | GotoBookmarkD 1434 | GotoBookmarkE 1435 | GotoBookmarkF 1436 | GotoBookmarkG 1437 | GotoBookmarkH 1438 | GotoBookmarkI 1439 | GotoBookmarkJ 1440 | GotoBookmarkK 1441 | GotoBookmarkL 1442 | GotoBookmarkM 1443 | GotoBookmarkN 1444 | GotoBookmarkO 1445 | GotoBookmarkP 1446 | GotoBookmarkQ 1447 | GotoBookmarkR 1448 | GotoBookmarkS 1449 | GotoBookmarkT 1450 | GotoBookmarkU 1451 | GotoBookmarkV 1452 | GotoBookmarkW 1453 | GotoBookmarkX 1454 | GotoBookmarkY 1455 | GotoBookmarkZ 1456 | GotoChangedFile 1457 | GoToChangeMarkerGroup 1458 | GotoClass 1459 | GoToCodeGroup 1460 | GotoCustomRegion 1461 | GotoDatabaseObject 1462 | GotoDeclaration button=1 clickCount=1 modifiers=256 Force touch button=2 clickCount=1 modifiers=0 1463 | GotoDeclarationOnly 1464 | GoToEditPointGroup 1465 | GoToErrorGroup 1466 | GotoFile 1467 | GotoImplementation button=1 clickCount=1 modifiers=768 1468 | GoToLastTab 1469 | GotoLine 1470 | GoToLinkTarget 1471 | GoToMenu 1472 | GotoNextBookmark 1473 | GotoNextBookmarkInEditor 1474 | GotoNextElementUnderCaretUsage 1475 | GotoNextError 1476 | GoTools 1477 | GotoPrevElementUnderCaretUsage 1478 | GotoPreviousBookmark 1479 | GotoPreviousBookmarkInEditor 1480 | GotoPreviousError 1481 | GotoRelated 1482 | GotoRow 1483 | GotoSuperMethod 1484 | GotoSymbol 1485 | GoToTab1 1486 | GoToTab2 1487 | GoToTab3 1488 | GoToTab4 1489 | GoToTab5 1490 | GoToTab6 1491 | GoToTab7 1492 | GoToTab8 1493 | GoToTab9 1494 | GoToTargetEx 1495 | GotoTest 1496 | GotoTypeDeclaration button=1 clickCount=1 modifiers=320 1497 | GotoUrlAction 1498 | GoTypeHierarchyPopupMenu 1499 | GoVetFileAction 1500 | Graph.ActualSize 1501 | Graph.AlignNodes.Bottom 1502 | Graph.AlignNodes.Center 1503 | Graph.AlignNodes.Left 1504 | Graph.AlignNodes.Middle 1505 | Graph.AlignNodes.Right 1506 | Graph.AlignNodes.Top 1507 | Graph.AlignNodesGroup 1508 | Graph.AppearanceGroup 1509 | Graph.ApplyCurrentLayout 1510 | Graph.BehaviourGroup 1511 | Graph.CommonLayoutGroup 1512 | Graph.CopyDiagramSelectionToClipboard 1513 | Graph.CopyEntireDiagramToClipboard 1514 | Graph.Current.Node.Dependencies.Filter 1515 | Graph.DefaultGraphPopup 1516 | Graph.DefaultGraphToolbar 1517 | Graph.Delete 1518 | Graph.DistributeNodes.Horizontally 1519 | Graph.DistributeNodes.Vertically 1520 | Graph.DistributeNodesGroup 1521 | Graph.EdgeRealizer.ArcEdgeRealizer 1522 | Graph.EdgeRealizer.BezierEdgeRealizer 1523 | Graph.EdgeRealizer.QuadCurveEdgeRealizer 1524 | Graph.EdgeRealizer.SmoothedPolylineEdgeRealizer 1525 | Graph.EdgeRealizer.SplineEdgeRealizer 1526 | Graph.EdgeRealizer.StraightPolylineEdgeRealizer 1527 | Graph.EdgeRealizerGroup 1528 | Graph.ExportGroup 1529 | Graph.ExportToFile 1530 | Graph.FitContent 1531 | Graph.Layout.ARTreeLayouter 1532 | Graph.Layout.BalloonEdgeBundledLayouter 1533 | Graph.Layout.BalloonLayouter 1534 | Graph.Layout.ChannelLayouter 1535 | Graph.Layout.CircularEdgeBundledLayouter 1536 | Graph.Layout.CircularLayouter 1537 | Graph.Layout.CompactOrthogonalLayouter 1538 | Graph.Layout.FamilyLayouter 1539 | Graph.Layout.Fit.Content 1540 | Graph.Layout.GenericLayouter 1541 | Graph.Layout.HierarchicGroupLayouter 1542 | Graph.Layout.HierarchicLayouter 1543 | Graph.Layout.HVTreeLayouter 1544 | Graph.Layout.OrganicEdgeBundledLayouter 1545 | Graph.Layout.OrganicLayouter 1546 | Graph.Layout.OrthogonalGroupLayouter 1547 | Graph.Layout.RadialEdgeBundledLayouter 1548 | Graph.Layout.RadialLayouter 1549 | Graph.Layout.RandomLayouter 1550 | Graph.Layout.SeriesParallelLayouter 1551 | Graph.Layout.SingleCycleLayouter 1552 | Graph.LayoutOrientation.BottomToTop 1553 | Graph.LayoutOrientation.LeftToRight 1554 | Graph.LayoutOrientation.RightToLeft 1555 | Graph.LayoutOrientation.TopToBottom 1556 | Graph.LayoutOrientationGroup 1557 | Graph.MergeEdges.BySources 1558 | Graph.MergeEdges.ByTargets 1559 | Graph.MergeEdgesGroup 1560 | Graph.NeighborhoodViewPopup 1561 | Graph.NeighborhoodViewPopup.AppearanceGroup 1562 | Graph.NeighborhoodViewPopup.CompactMode 1563 | Graph.NeighborhoodViewPopup.LayoutGroup 1564 | Graph.NeighborhoodViewPopup.SameAsModelLayouter 1565 | Graph.NetsLayoutGroup 1566 | Graph.OrthogonalLayoutGroup 1567 | Graph.RadialLayoutGroup 1568 | Graph.RouteEdges 1569 | Graph.Show.Bridges 1570 | Graph.Show.Edge.Labels 1571 | Graph.ShowHideGrid 1572 | Graph.ShowStructureViewForSelectedNode 1573 | Graph.SnapToGrid 1574 | Graph.TreeLayoutGroup 1575 | Graph.ZoomIn <=> 1576 | Graph.ZoomOut <-> 1577 | GridGeoViewer 1578 | Help.JetBrainsTV 1579 | Help.KeymapReference 1580 | HelpDiagnosticTools 1581 | HelpMenu 1582 | HelpTopics 1583 | Hg.Commit.And.Push.Executor 1584 | Hg.Ignore.File 1585 | Hg.Init 1586 | Hg.Log.ContextMenu 1587 | Hg.Mq 1588 | Hg.MQ.Unapplied 1589 | hg4idea.add 1590 | hg4idea.branches 1591 | hg4idea.CompareWithBranch 1592 | hg4idea.CreateNewBranch 1593 | hg4idea.CreateNewTag 1594 | hg4idea.file.menu 1595 | hg4idea.Graft.Continue 1596 | hg4idea.merge.files 1597 | hg4idea.MergeWithRevision 1598 | hg4idea.mq.ShowUnAppliedPatches 1599 | hg4idea.pull 1600 | hg4idea.QDelete 1601 | hg4idea.QFinish 1602 | hg4idea.QFold 1603 | hg4idea.QGoto 1604 | hg4idea.QGotoFromPatches 1605 | hg4idea.QImport 1606 | hg4idea.QPushAction 1607 | hg4idea.QRefresh 1608 | hg4idea.QRename 1609 | hg4idea.Rebase.Abort 1610 | hg4idea.Rebase.Continue 1611 | hg4idea.resolve.mark 1612 | hg4idea.run.conflict.resolver 1613 | hg4idea.tag 1614 | hg4idea.updateTo 1615 | hg4idea.UpdateToRevision 1616 | HideActiveWindow 1617 | HideAllWindows 1618 | HideCoverage 1619 | HideIgnoredFiles 1620 | HideSideWindows 1621 | HidpiInfo 1622 | HierarchyGroup 1623 | HighlightUsagesInFile 1624 | HippieBackwardCompletion 1625 | HippieCompletion 1626 | HostCodeWithMeMainGroup 1627 | HostCodeWithMeSubMenuGroup 1628 | HostCWMManageLicenseGroup 1629 | HtmlAddTableColumnAfter 1630 | HtmlAddTableColumnBefore 1631 | HtmlTableCellNavigateDown 1632 | HtmlTableCellNavigateLeft 1633 | HtmlTableCellNavigateRight 1634 | HtmlTableCellNavigateUp 1635 | HTTP.Request.NewFile 1636 | HTTPClient.AddRequest 1637 | HTTPClient.Convert 1638 | HTTPClient.CopyResponseBody 1639 | HTTPClient.NewRequestInToolMenuAction 1640 | HTTPClient.OpenCollection 1641 | HTTPClient.RunAll 1642 | HTTPClientConvertToCurlAndCopy 1643 | HTTPClientGroup 1644 | HTTPClientNewEnvironmentFile 1645 | IdeaVim.ReloadVimRc.group 1646 | IdeaVim.ReloadVimRc.reload 1647 | IdeScriptingConsole 1648 | Ignore.AddTemplate 1649 | Ignore.IgnoreGroup 1650 | Ignore.New 1651 | Ignore.TemplateGroup 1652 | Ignore.UnignoreGroup 1653 | IgnoreCreateUserTemplate 1654 | Images.ChangeBackground 1655 | Images.ConvertSvgToPng 1656 | Images.EditExternalEditorPath 1657 | Images.EditExternally 1658 | Images.Editor.ActualSize 1659 | Images.Editor.FitZoomToWindow 1660 | Images.Editor.ToggleGrid 1661 | Images.Editor.ZoomIn 1662 | Images.Editor.ZoomOut 1663 | Images.EditorPopupMenu 1664 | Images.EditorToolbar 1665 | Images.ImageViewActions 1666 | Images.SetBackgroundImage 1667 | Images.ShowBorder 1668 | Images.ShowThumbnails 1669 | Images.Thumbnails.EnterAction 1670 | Images.Thumbnails.Hide 1671 | Images.Thumbnails.ToggleFileName 1672 | Images.Thumbnails.ToggleFileSize 1673 | Images.Thumbnails.ToggleRecursive 1674 | Images.Thumbnails.ToggleTagsPanelName 1675 | Images.Thumbnails.UpFolder 1676 | Images.ThumbnailsPopupMenu 1677 | Images.ThumbnailsToolbar 1678 | Images.ThumbnailViewActions 1679 | Images.ToggleTransparencyChessboard 1680 | ImagesRootGroup 1681 | ImplementMethods 1682 | ImportProfilerResultsFromHistory 1683 | ImportSettings 1684 | ImportTests 1685 | ImportTestsFromFile 1686 | IncomingChanges.Refresh 1687 | IncomingChangesToolbar 1688 | IncreaseColumnWidth 1689 | IncrementalSearch 1690 | IncrementWindowHeight 1691 | IncrementWindowWidth 1692 | Inline 1693 | InsertLiveTemplate 1694 | InspectCode 1695 | InspectCodeActionInPopupMenus 1696 | InspectCodeGroup 1697 | InspectCodeInCodeMenuGroup 1698 | InspectionToolWindow.TreePopup 1699 | InstallNodeLocalDependencies 1700 | InstallNodeLocalDependencies$Root 1701 | IntegrateFiles 1702 | IntroduceActionsGroup 1703 | IntroduceConstant 1704 | IntroduceField 1705 | IntroduceParameter 1706 | IntroduceParameterObject 1707 | IntroduceVariable 1708 | InvalidateCaches 1709 | InvertBoolean 1710 | JasmineGenerateAfterEachMethodAction 1711 | JasmineGenerateBeforeEachMethodAction 1712 | JasmineGenerateNewSpecAction 1713 | JasmineGenerateNewSuiteAction 1714 | JavaScript.Debugger.ReloadInBrowser 1715 | JavaScript.Debugger.RestartFrame 1716 | JavaScript.Debugger.ToggleExceptionBreakpoint 1717 | Javascript.Linters.EsLint.Fix 1718 | Javascript.Linters.StandardJS.Fix 1719 | JavaScriptDebugger.HideActionsGroup 1720 | JavaScriptDebugger.OpenUrl 1721 | Jdbc.OpenConsole.Any 1722 | Jdbc.OpenConsole.New 1723 | Jdbc.OpenConsole.New.Generate 1724 | Jdbc.OpenEditor.Console 1725 | Jdbc.OpenEditor.Data 1726 | Jdbc.OpenEditor.DDL button=1 clickCount=1 modifiers=256 Force touch button=2 clickCount=1 modifiers=0 1727 | Jdbc.OpenEditor.Files 1728 | Jdbc.OpenEditor.Grid.DDL 1729 | JoinCallAction 1730 | JS.TypeScript.Compile 1731 | JS.TypeScript.Include.Generated.Declarations 1732 | JsonCopyPointer 1733 | JsonPathEvaluateAction 1734 | JsonPathExportEvaluateResultAction 1735 | JsTestFrameworkCodeGeneratorGroup 1736 | JumpToColorsAndFonts 1737 | JumpToLastChange 1738 | JumpToLastWindow 1739 | JumpToNextChange 1740 | Kubernetes.AddServiceActions 1741 | Kubernetes.Apply 1742 | Kubernetes.ConfigureHelmParameters 1743 | Kubernetes.Delete 1744 | Kubernetes.Edit 1745 | Kubernetes.HelmCreateChart 1746 | Kubernetes.HelmDependencyUpdate 1747 | Kubernetes.HelmGenerateDependency 1748 | Kubernetes.HelmLint 1749 | Kubernetes.HelmTemplateDiff 1750 | Kubernetes.Refresh 1751 | Kubernetes.RefreshConfiguration 1752 | Kubernetes.ReloadContent 1753 | Kubernetes.ViewSettings 1754 | KUBERNETES_ACTIONS 1755 | LangCodeInsightActions 1756 | LanguageSpecificFoldingGroup 1757 | LearnGroup 1758 | LearnMore 1759 | LeftToolbarSideGroup 1760 | LeftToolbarSideGroupXamarin 1761 | LightEditModePopup 1762 | LightEditOpenFileInProject 1763 | List-scrollDown 1764 | List-scrollDownExtendSelection 1765 | List-scrollUp 1766 | List-scrollUpExtendSelection 1767 | List-selectFirstRow 1768 | List-selectFirstRowExtendSelection 1769 | List-selectLastRow 1770 | List-selectLastRowExtendSelection 1771 | List-selectNextColumn 1772 | List-selectNextColumnExtendSelection 1773 | List-selectNextRow 1774 | List-selectNextRowExtendSelection 1775 | List-selectPreviousColumn 1776 | List-selectPreviousColumnExtendSelection 1777 | List-selectPreviousRow 1778 | List-selectPreviousRowExtendSelection 1779 | ListActions 1780 | LocalChangesView.GearActions 1781 | LocalChangesView.ShowOnDoubleClick 1782 | LocalChangesView.ShowOnDoubleClick.EditorPreview 1783 | LocalChangesView.ShowOnDoubleClick.Source 1784 | LocalHistory 1785 | LocalHistory.MainMenuGroup 1786 | LocalHistory.PutLabel 1787 | LocalHistory.ShowHistory 1788 | LocalHistory.ShowSelectionHistory 1789 | LocalHistory.Vcs.Operations.Popup.Group 1790 | Log.FileHistory.KeymapGroup 1791 | Log.GoToNextEntry 1792 | Log.GoToNextError 1793 | Log.GoToPrevEntry 1794 | Log.JumpToSource 1795 | Log.KeymapGroup 1796 | LogDebugConfigure 1797 | LogFocusRequests 1798 | LookupActions 1799 | Macros 1800 | MacrosGroup 1801 | MainMenu 1802 | MainMenuButton.ShowMenu 1803 | MaintenanceAction 1804 | MaintenanceGroup 1805 | MainToolBar 1806 | MainToolbarPopupActions 1807 | MainToolBarSettings 1808 | ManageProjectTemplates 1809 | ManageRecentProjects 1810 | ManageTargets 1811 | Markdown.ConfigurePandoc 1812 | Markdown.EditorContextMenuGroup 1813 | Markdown.Export 1814 | Markdown.Extensions.CleanupExternalFiles 1815 | Markdown.GenerateTableOfContents 1816 | Markdown.GoogleDocsImport 1817 | Markdown.ImportFromDocx 1818 | Markdown.Insert 1819 | Markdown.InsertEmptyTable 1820 | Markdown.InsertGroup 1821 | Markdown.Layout.EditorAndPreview 1822 | Markdown.Layout.EditorOnly 1823 | Markdown.Layout.PreviewOnly 1824 | Markdown.OpenDevtools 1825 | Markdown.Styling.CreateLink 1826 | Markdown.Styling.CreateOrChangeList 1827 | Markdown.Styling.SetHeaderLevel 1828 | Markdown.Table.ColumnAlignmentActions 1829 | Markdown.Table.InsertRow.InsertAbove 1830 | Markdown.Table.InsertRow.InsertBelow 1831 | Markdown.Table.InsertTableColumn.InsertAfter 1832 | Markdown.Table.InsertTableColumn.InsertBefore 1833 | Markdown.Table.RemoveCurrentColumn 1834 | Markdown.Table.RemoveCurrentRow 1835 | Markdown.Table.SelectCurrentColumn.SelectContentCells 1836 | Markdown.Table.SelectRow 1837 | Markdown.Table.SetColumnAlignment.Center 1838 | Markdown.Table.SetColumnAlignment.Left 1839 | Markdown.Table.SetColumnAlignment.Right 1840 | Markdown.Table.SwapColumns.SwapWithLeftColumn 1841 | Markdown.Table.SwapColumns.SwapWithRightColumn 1842 | Markdown.Table.SwapRows.SwapWithAbove 1843 | Markdown.Table.SwapRows.SwapWithBelow 1844 | Markdown.TableActions 1845 | Markdown.TableColumnActions 1846 | Markdown.TableColumnActions.ColumnAlignmentActions.Popup 1847 | Markdown.TableContextMenuGroup 1848 | Markdown.TableRowActions 1849 | Markdown.Toolbar.Floating 1850 | Markdown.Toolbar.Left 1851 | Markdown.Toolbar.Right 1852 | Markdown.Tools 1853 | MarkExcludeRoot 1854 | MarkFileAs 1855 | MarkNamespacePackageDirectory 1856 | MarkNotificationsAsRead 1857 | MarkResourceRootDirectory 1858 | MarkRootGroup 1859 | MaximizeActiveDialog 1860 | MaximizeEditorInSplit 1861 | MaximizeToolWindow 1862 | MemberPushDown 1863 | MembersPullUp 1864 | MemoryView.SettingsPopupActionGroup 1865 | MemoryView.ShowOnlyWithDiff 1866 | MemoryView.SwitchUpdateMode 1867 | MergeAllWindowsAction 1868 | MethodDown 1869 | MethodHierarchy 1870 | MethodHierarchy.BaseOnThisMethod 1871 | MethodHierarchyPopupMenu 1872 | MethodUp 1873 | MinimizeCurrentWindow 1874 | ModifyObject 1875 | Move 1876 | MoveAttributeInAction 1877 | MoveAttributeOutAction 1878 | MoveEditorToOppositeTabGroup 1879 | MoveElementLeft 1880 | MoveElementRight 1881 | MoveLineDown 1882 | MoveLineUp 1883 | MoveStatementDown 1884 | MoveStatementUp 1885 | MoveTabDown 1886 | MoveTabRight 1887 | Mq.Patches.ContextMenu 1888 | Mq.Patches.Toolbar 1889 | NavBar-cancel 1890 | NavBar-navigate 1891 | NavBar-return 1892 | NavBar-selectDown 1893 | NavBar-selectEnd 1894 | NavBar-selectHome 1895 | NavBar-selectLeft 1896 | NavBar-selectRight 1897 | NavBar-selectUp 1898 | NavBarActions 1899 | NavBarLocationBottom 1900 | NavbarLocationGroup 1901 | NavBarLocationHide 1902 | NavBarLocationTop 1903 | NavbarPopupMenu 1904 | NavBarToolBar 1905 | NavBarToolBarOthers 1906 | NavBarVcsGroup 1907 | NavigateInFileGroup 1908 | newConfigurationDebugClass 1909 | newConfigurationDefaultProfilerExecutorGroupContextActionId 1910 | newConfigurationRecordAndDebug 1911 | newConfigurationRunClass 1912 | newConfigurationRunCoverage 1913 | NewDir 1914 | NewEditorConfigFile 1915 | NewElement 1916 | NewElementMenu 1917 | NewElementSamePlace 1918 | NewFile 1919 | NewFromTemplate 1920 | NewGroup 1921 | NewHtmlFile 1922 | NewJavaScriptFile 1923 | NewPackageJsonFile 1924 | NewPrivateEnvironmentFile 1925 | NewProjectOrModuleGroup 1926 | NewPublicEnvironmentFile 1927 | NewPythonFile 1928 | NewPythonPackage 1929 | NewScratchBuffer 1930 | NewScratchFile 1931 | NewStylesheetFile 1932 | NewToolbarActions 1933 | NewToolbarActionsXamarin 1934 | NewTypeScriptConfigFile 1935 | NewTypeScriptFile 1936 | NewXml 1937 | NewXmlDescriptor 1938 | NextDiff 1939 | NextEditorTab 1940 | NextLessonAction 1941 | NextOccurence 1942 | NextParameter 1943 | NextProjectWindow 1944 | NextSplitter 1945 | NextTab 1946 | NextTemplateParameter 1947 | NextTemplateVariable 1948 | NextWindow 1949 | Notifications 1950 | OasEndpointsSidePanelSaveAction 1951 | OnlineDocAction 1952 | openAssertEqualsDiff 1953 | OpenBlankEditorInBlankDiffWindow 1954 | OpenCallToolwindowAction 1955 | OpenEditorInOppositeTabGroup 1956 | OpenElementInNewWindow 1957 | OpenFile 1958 | OpenFileEditorInBlankDiffWindow 1959 | OpenInBrowser 1960 | OpenInBrowserEditorContextBarGroupAction 1961 | OpenInBrowserGroup 1962 | OpenInRightSplit button=1 clickCount=2 modifiers=512 1963 | OpenMouseWheelSmoothScrollSettings 1964 | OpenProjectWindows 1965 | OpenRecentEditorInBlankDiffWindow 1966 | OpenRemoteDevelopment 1967 | OptimizeImports 1968 | org.editorconfig.configmanagement.generate.EditorConfigGenerateLanguagePropertiesAction 1969 | org.intellij.plugins.markdown.ui.actions.scrolling.AutoScrollAction 1970 | org.intellij.plugins.markdown.ui.actions.styling.HeaderDownAction 1971 | org.intellij.plugins.markdown.ui.actions.styling.HeaderUpAction 1972 | org.intellij.plugins.markdown.ui.actions.styling.InsertImageAction 1973 | org.intellij.plugins.markdown.ui.actions.styling.MarkdownIntroduceLinkReferenceAction 1974 | org.intellij.plugins.markdown.ui.actions.styling.ToggleBoldAction 1975 | org.intellij.plugins.markdown.ui.actions.styling.ToggleCodeSpanAction 1976 | org.intellij.plugins.markdown.ui.actions.styling.ToggleItalicAction 1977 | org.intellij.plugins.markdown.ui.actions.styling.ToggleStrikethroughAction 1978 | Other.KeymapGroup 1979 | OtherMenu 1980 | OverrideFileTypeAction 1981 | OverrideMethods 1982 | PairFileActions 1983 | ParameterInfo 1984 | ParameterNameHints 1985 | PasteGroup 1986 | PasteMultiple 1987 | Patch.MainMenu 1988 | Pause 1989 | PauseOutput 1990 | Performance.ActivityMonitor 1991 | performancePlugin.ExecuteScriptAction 1992 | performancePlugin.OpenIndexingDiagnosticsAction 1993 | performancePlugin.ProfileIndexingAction 1994 | performancePlugin.ProfileSlowStartupAction 1995 | performancePlugin.ShowMemoryDialogAction 1996 | performancePlugin.StartAsyncProfilerAction 1997 | PinActiveEditorTab 1998 | PinActiveTab 1999 | PinActiveTabToggle 2000 | PinToolwindowTab 2001 | PlanViewGroup 2002 | PlatformOpenProjectGroup 2003 | PlaybackLastMacro 2004 | PlaySavedMacrosAction 2005 | plugin.InstallFromDiskAction 2006 | popup@BookmarkContextMenu 2007 | popup@ExpandableBookmarkContextMenu 2008 | PopupHector 2009 | PopupMenu-cancel 2010 | PopupMenu-return 2011 | PopupMenu-selectChild 2012 | PopupMenu-selectNext 2013 | PopupMenu-selectParent 2014 | PopupMenu-selectPrevious 2015 | PopupMenuActions 2016 | PowerSaveGroup 2017 | PreviousDiff 2018 | PreviousEditorTab 2019 | PreviousLessonAction 2020 | PreviousOccurence 2021 | PreviousProjectWindow 2022 | PreviousTab 2023 | PreviousTemplateVariable 2024 | PreviousWindow 2025 | PrevParameter 2026 | PrevSplitter 2027 | PrevTemplateParameter 2028 | Print 2029 | PrintExportGroup 2030 | ProblemsView.AutoscrollToSource 2031 | ProblemsView.CopyProblemDescription 2032 | ProblemsView.GroupByToolId 2033 | ProblemsView.OpenInPreviewTab 2034 | ProblemsView.Options 2035 | ProblemsView.QuickFixes 2036 | ProblemsView.SeverityFilters 2037 | ProblemsView.ShowPreview 2038 | ProblemsView.SortByName 2039 | ProblemsView.SortBySeverity 2040 | ProblemsView.SortFoldersFirst 2041 | ProblemsView.ToolWindow.SecondaryActions 2042 | ProblemsView.ToolWindow.Toolbar 2043 | ProblemsView.ToolWindow.TreePopup 2044 | ProductivityGuide 2045 | Profiler 2046 | Profiler.ExcludeCallAction 2047 | Profiler.ExcludeSubTreeAction 2048 | Profiler.FocusOnCallAction 2049 | Profiler.FocusOnSubtreeAction 2050 | Profiler.OpenBackTracesAction 2051 | Profiler.OpenMergedCalleesAction 2052 | Profiler.OpenTreesInNewTabGroup 2053 | Profiler.RevealSnapshotAction 2054 | Profiler.TransformMainTreeGroup 2055 | ProfilerActions 2056 | ProjectView.AbbreviatePackageNames 2057 | ProjectView.AutoscrollFromSource 2058 | ProjectView.AutoscrollToSource 2059 | ProjectView.CompactDirectories 2060 | ProjectView.FileNesting 2061 | ProjectView.FlattenModules 2062 | ProjectView.FlattenPackages 2063 | ProjectView.FoldersAlwaysOnTop 2064 | ProjectView.HideEmptyMiddlePackages 2065 | ProjectView.ManualOrder 2066 | ProjectView.OpenInPreviewTab 2067 | ProjectView.ShowExcludedFiles 2068 | ProjectView.ShowLibraryContents 2069 | ProjectView.ShowMembers 2070 | ProjectView.ShowModules 2071 | ProjectView.ShowVisibilityIcons 2072 | ProjectView.SortByType 2073 | ProjectView.ToolWindow.Appearance.Actions 2074 | ProjectView.ToolWindow.SecondaryActions 2075 | ProjectViewEditSource 2076 | ProjectViewPopupMenu 2077 | ProjectViewPopupMenuModifyGroup 2078 | ProjectViewPopupMenuRefactoringGroup 2079 | ProjectViewPopupMenuRunGroup 2080 | ProjectViewPopupMenuSettingsGroup 2081 | ProjectViewToolbar 2082 | ProjectWidget.Actions 2083 | prototext.InsertSchemaDirective 2084 | PsiViewer 2085 | PsiViewerForContext 2086 | PublishGroup 2087 | PublishGroup.Base 2088 | PublishGroup.CompareLocalVsRemote 2089 | PublishGroup.CompareLocalVsRemoteWith 2090 | PublishGroup.Download 2091 | PublishGroup.DownloadFrom 2092 | PublishGroup.SyncLocalVsRemote 2093 | PublishGroup.SyncLocalVsRemoteWith 2094 | PublishGroup.Upload 2095 | PublishGroup.UploadAllOpenFiles 2096 | PublishGroup.UploadAllOpenFilesTo 2097 | PublishGroup.UploadTo 2098 | PublishGroupPopupMenu 2099 | PyConsoleRenameAction 2100 | PyConvertModuleToPackage 2101 | PyConvertPackageToModuleAction 2102 | PyDebugger.CustomizeDataView 2103 | PyDebugger.ViewArray 2104 | PyDebugger.ViewAsGroup 2105 | PyManagePackages 2106 | PyPackagingMenu 2107 | PyRunFileInConsole 2108 | PySyncPythonRequirements 2109 | QueryExecution.Settings 2110 | QuickActionPopup 2111 | QuickActions 2112 | QuickChangeScheme 2113 | QuickDocCopy 2114 | QuickEvaluateExpression button=1 clickCount=1 modifiers=576 2115 | QuickFixes 2116 | QuickImplementations 2117 | QuickJavaDoc button=2 clickCount=1 modifiers=128 2118 | QuickList.Deployment 2119 | QuickPreview < > 2120 | QuickTypeDefinition 2121 | QUnitGenerateNewTestAction 2122 | QUnitGenerateSetupAction 2123 | QUnitGenerateTearDownAction 2124 | ReactClassToFunctionComponentAction 2125 | ReactExtractComponentAction 2126 | ReactFunctionToClassComponentAction 2127 | RearrangeCode 2128 | RecentChangedFiles 2129 | RecentChanges 2130 | RecentFiles 2131 | RecentLocations 2132 | RecentProjectListGroup 2133 | RecordAndDebug 2134 | RefactoringMenu 2135 | Refactorings.QuickListPopupAction 2136 | ReformatCode 2137 | Refresh 2138 | Register 2139 | RegistrationActions 2140 | RemoteExternalToolsGroup 2141 | RemoteHost.NewGroup 2142 | RemoteHost.NewRemoteItem 2143 | RemoteHostView.CopyPaths 2144 | RemoteHostView.CreateFile 2145 | RemoteHostView.CreateFolder 2146 | RemoteHostView.EditRemoteFile 2147 | RemoteHostView.EditSource 2148 | RemoteHostView.Rename 2149 | RemoteHostView.SetPermissions 2150 | RemoteHostView.ToggleExclusion 2151 | RemoteHostViewPopupMenu 2152 | RemoteServers.AddCloudConnectionGroup 2153 | RemoteServers.ChooseServerDeployment 2154 | RemoteServers.ChooseServerDeploymentWithDebug 2155 | RemoteServers.ConnectServer 2156 | RemoteServers.DisconnectServer 2157 | RemoteServers.EditDeploymentConfig 2158 | RemoteServers.EditServerConfig 2159 | RemoteServersViewPopup 2160 | RemoteServersViewToolbar 2161 | RemoteServersViewToolbar.Top 2162 | RemoveBom 2163 | RemoveBom.Group 2164 | RenameAttributeAction 2165 | RenameElement 2166 | RenameFile 2167 | RenameProject 2168 | RenameTagAction 2169 | ReopenClosedTab 2170 | Replace 2171 | ReplaceAttributeWithTagAction 2172 | ReplaceInPath 2173 | ReplaceTagWithAttributeAction 2174 | ReportProblem 2175 | RepositoryChangesBrowserToolbar 2176 | Rerun 2177 | RerunFailedTests 2178 | RerunTests 2179 | ResetColumnsWidth 2180 | ResetLearningProgressAction 2181 | ResetWindowsDefenderNotification 2182 | ResizeToolWindowDown 2183 | ResizeToolWindowGroup 2184 | ResizeToolWindowLeft 2185 | ResizeToolWindowRight 2186 | ResizeToolWindowUp 2187 | RestartIde 2188 | RestartLessonAction 2189 | RESTClient.ConvertToNew 2190 | RESTClient.RequestFromLegacyFiles 2191 | RESTClient.ShowHistory 2192 | RestoreDefaultExtensionScripts 2193 | RestoreDefaultLayout 2194 | RestoreDefaultSettings 2195 | RestoreFontPreviewTextAction 2196 | Resume 2197 | RevealGroup 2198 | RevealIn 2199 | ReverteOverrideFileTypeAction 2200 | RightToolbarSideGroup 2201 | RightToolbarSideGroupXamarin 2202 | Run 2203 | RunAnything 2204 | RunClass 2205 | RunConfiguration 2206 | RunConfigurationTemplatesForNewProjects 2207 | RunContextGroup 2208 | RunContextGroupInner 2209 | RunContextGroupMore 2210 | RunContextPopupGroup 2211 | RunCoverage 2212 | RunDashboard.AddType 2213 | RunDashboard.ClearContent 2214 | RunDashboard.CopyConfiguration 2215 | RunDashboard.Debug 2216 | RunDashboard.EditConfiguration 2217 | RunDashboard.Filter 2218 | RunDashboard.GroupBy 2219 | RunDashboard.GroupByStatus 2220 | RunDashboard.GroupByType 2221 | RunDashboard.GroupConfigurations 2222 | RunDashboard.HideConfiguration 2223 | RunDashboard.OpenRunningConfigInNewTab 2224 | RunDashboard.RemoveType 2225 | RunDashboard.RestoreConfiguration 2226 | RunDashboard.RestoreHiddenConfigurations 2227 | RunDashboard.Run 2228 | RunDashboard.Stop 2229 | RunDashboard.UngroupConfigurations 2230 | RunDashboardContentToolbar 2231 | RunDashboardPopup 2232 | RunInspection 2233 | RunInspectionOn 2234 | RunJsbtTask 2235 | RunMenu 2236 | Runner.CloseAllUnpinnedViews 2237 | Runner.CloseAllViews 2238 | Runner.CloseOtherViews 2239 | Runner.CloseView 2240 | Runner.Focus 2241 | Runner.FocusOnStartup 2242 | Runner.Layout 2243 | Runner.RestoreLayout 2244 | Runner.ToggleTabLabels 2245 | Runner.View.Close.Group 2246 | Runner.View.Popup 2247 | Runner.View.Toolbar 2248 | RunnerActions 2249 | RunnerActionsTouchbar 2250 | RunnerLayoutActions 2251 | RunPythonToolwindowAction 2252 | RunSetupPyTask 2253 | runShellFileAction 2254 | RunTestGroup 2255 | RunToCursor Force touch 2256 | RunToolbarActionsGroup 2257 | RunToolbarAdditionalProcessActions 2258 | RunToolbarDebuggerAdditionalActions 2259 | RunToolbarDebugMoreActionGroupName 2260 | RunToolbarDebugMoreActionSubGroupName 2261 | RunToolbarEditConfigurationAction 2262 | RunToolbarMainActionsGroup 2263 | RunToolbarMainMoreActionGroup 2264 | RunToolbarMainMultipleStopAction 2265 | RunToolbarMainRunConfigurationsAction 2266 | RunToolbarMainSlotActive 2267 | RunToolbarMainSlotInfoAction 2268 | RunToolbarMoreActionGroup 2269 | RunToolbarMoveToTopAction 2270 | RunToolbarPauseAction 2271 | RunToolbarProcessActionGroup 2272 | RunToolbarProcessMainActionGroup 2273 | RunToolbarProcessStartedAction 2274 | RunToolbarProfileMainMoreActionGroup 2275 | RunToolbarProfileMoreActionGroupName 2276 | RunToolbarProfileMoreActionSubGroupName 2277 | RunToolbarRemoveSlotAction 2278 | RunToolbarRerunAction 2279 | RunToolbarResumeAction 2280 | RunToolbarRunConfigurationsAction 2281 | RunToolbarShowHidePopupAction 2282 | RunToolbarShowToolWindowTab 2283 | RunToolbarSlotContextMenuGroup 2284 | RunToolbarStopAction 2285 | RunToolbarWidgetAction 2286 | RunToolbarWidgetCustomizableActionGroup 2287 | RunWithDropDown 2288 | SafeDelete 2289 | SaveAll 2290 | SaveAs 2291 | SaveAsTemplate 2292 | SaveDocument 2293 | SaveFileAsTemplate 2294 | SaveProjectAsTemplate 2295 | ScopeView.EditScopes 2296 | ScopeViewPopupMenu 2297 | Scratch.ChangeLanguage 2298 | Scratch.ExportToScratch 2299 | Scratch.ShowFilesPopup 2300 | ScrollPane-scrollDown 2301 | ScrollPane-scrollEnd 2302 | ScrollPane-scrollHome 2303 | ScrollPane-scrollLeft 2304 | ScrollPane-scrollRight 2305 | ScrollPane-scrollUp 2306 | ScrollPane-unitScrollDown 2307 | ScrollPane-unitScrollLeft 2308 | ScrollPane-unitScrollRight 2309 | ScrollPane-unitScrollUp 2310 | ScrollPaneActions 2311 | ScrollTreeToCenter 2312 | SearchAction 2313 | SearchEverywhere 2314 | SearchEverywhere.CompleteCommand 2315 | SearchEverywhere.NavigateToNextGroup 2316 | SearchEverywhere.NavigateToPrevGroup 2317 | SearchEverywhere.NextTab 2318 | SearchEverywhere.PrevTab 2319 | SearchEverywhere.SelectItem 2320 | SearchEverywhereActions 2321 | SearchEverywhereNewToolbarAction 2322 | SegmentedButton-left 2323 | SegmentedButton-right 2324 | SegmentedVcsActionsBarGroup 2325 | SegmentedVcsControlAction 2326 | SelectAllOccurrences 2327 | SelectIn 2328 | SelectInProjectView 2329 | SelectInRemoteHost 2330 | SelectNextOccurrence 2331 | SelectVirtualTemplateElement 2332 | SendEOF 2333 | SendFeedback 2334 | SendToFavoritesGroup 2335 | Servers.Deploy 2336 | Servers.DeployWithDebug 2337 | Servers.Undeploy 2338 | ServiceView.ActivateDatabaseServiceViewContributor 2339 | ServiceView.ActivateDefaultRemoteServersServiceViewContributor 2340 | ServiceView.ActivateDockerRegistryServiceViewContributor 2341 | ServiceView.ActivateDockerServiceViewContributor 2342 | ServiceView.ActivateKubernetesServiceViewContributor 2343 | ServiceView.ActivateRunDashboardServiceViewContributor 2344 | ServiceView.ActivateSshServiceViewContributor 2345 | ServiceView.AddService 2346 | ServiceView.Filter 2347 | ServiceView.GroupBy 2348 | ServiceView.GroupByContributor 2349 | ServiceView.GroupByServiceGroups 2350 | ServiceView.JumpToServices 2351 | ServiceView.OpenEachInNewTab 2352 | ServiceView.OpenInNewTab 2353 | ServiceView.OpenInNewTabGroup 2354 | ServiceView.ShowServices 2355 | ServiceView.SplitByType 2356 | ServiceViewItemPopup 2357 | ServiceViewItemPopupGroup 2358 | ServiceViewItemToolbar 2359 | ServiceViewItemToolbarGroup 2360 | ServiceViewTreeToolbar 2361 | Session.Close 2362 | Session.CloseAll 2363 | Session.Rename 2364 | SetNextStatement 2365 | SetShortcutAction 2366 | SettingsEntryPoint 2367 | SettingsEntryPointGroup 2368 | SeverityEditorDialog 2369 | SharedIndexes.DumpSharedIndex 2370 | Shelve.KeymapGroup 2371 | ShelveChanges.UnshelveWithDialog 2372 | ShelvedChanges.CleanMarkedToDelete 2373 | ShelvedChanges.ImportPatches 2374 | ShelvedChanges.Rename 2375 | ShelvedChanges.Restore 2376 | ShelvedChanges.ShowHideDeleted 2377 | ShelvedChanges.ShowRecentlyDeleted 2378 | ShelvedChangesPopupMenu 2379 | ShelvedChangesToolbar 2380 | ShGenerateForLoop 2381 | ShGenerateGroup 2382 | ShGenerateUntilLoop 2383 | ShGenerateWhileLoop 2384 | Show.Current.Revision 2385 | ShowAnnotateOperationsPopupGroup 2386 | ShowAppliedStylesAction 2387 | ShowBlankDiffWindow 2388 | ShowBookmarks 2389 | ShowColorPicker 2390 | ShowContent 2391 | ShowErrorDescription 2392 | ShowExecutionPoint 2393 | ShowExperiments 2394 | ShowFilePath 2395 | ShowFilterPopup 2396 | ShowFontsUsedByEditor 2397 | ShowFromLibrariesAction 2398 | ShowFromTestsAction 2399 | ShowGruntTasks 2400 | ShowGulpTasks 2401 | ShowGutterIconsSettings 2402 | ShowIntentionActions 2403 | ShowIntentionsGroup 2404 | ShowJsbtTasks 2405 | ShowLearnPanel 2406 | ShowLiveRunConfigurations 2407 | ShowLog 2408 | ShowModulesAction 2409 | ShowNavBar 2410 | ShowNpmScripts 2411 | ShowParameterHintsSettings 2412 | ShowPermissionsAction 2413 | ShowPopupMenu 2414 | ShowProcessWindow 2415 | ShowRecentFindUsagesGroup 2416 | ShowReformatFileDialog 2417 | ShowRegistry 2418 | ShowSearchHistory 2419 | ShowSettings 2420 | ShowSettingsAndFindUsages 2421 | ShowSettingsWithAddedPattern 2422 | ShowSidePanelAction 2423 | ShowSQLLog 2424 | ShowTips 2425 | ShowTypeBookmarks 2426 | ShowUmlDiagram 2427 | ShowUmlDiagramPopup 2428 | ShowUsages 2429 | ShowWholeProjectMicroservicesDiagram 2430 | ShutdownCodeWithMe 2431 | SilentCodeCleanup 2432 | SingleUserFollowAction 2433 | SliceBackward 2434 | SliceForward 2435 | SmartSearchAction 2436 | SmartSelect 2437 | SmartStepInto 2438 | SmartTypeCompletion 2439 | SmartUnSelect 2440 | SmRunTestGroup 2441 | space.actions.MainToolbarActionGroup 2442 | space.review.changes.popup 2443 | space.review.changes.toolbar 2444 | space.review.commits.popup 2445 | Space.Review.CreateDiffComment 2446 | Space.Review.MarkChangesRead 2447 | Space.Review.MarkChangesUnread 2448 | Space.Review.ShowCombinedDiffAction 2449 | SpaceGroup 2450 | SpaceVcsHistoryContextMenu 2451 | SpaceVcsHistoryToolbar 2452 | SpaceVcsLogContextMenu 2453 | SplitHorizontally 2454 | SplitVertically 2455 | sql.ChangeDialect 2456 | sql.ChangeDialect.toolbar 2457 | Sql.EditParameter 2458 | sql.ExtractFunctionAction 2459 | sql.ExtractNamedQueryAction 2460 | sql.IntroduceAliasAction 2461 | sql.SelectCurrentStatement 2462 | sql.SelectInDatabaseView 2463 | SqlGenerateGroup 2464 | StandardMacroActions 2465 | Start.Use.Vcs 2466 | StartStopMacroRecording 2467 | StartYourkitProfiler 2468 | StepInto 2469 | StepIntoMyCode 2470 | StepOut 2471 | StepOver 2472 | Stop 2473 | StopBackgroundProcesses 2474 | StopWithDropDown 2475 | StoreDefaultLayout 2476 | StretchSplitToBottom 2477 | StretchSplitToLeft 2478 | StretchSplitToRight 2479 | StretchSplitToTop 2480 | StructuralSearchActions 2481 | StructuralSearchPlugin.StructuralReplaceAction 2482 | StructuralSearchPlugin.StructuralSearchAction 2483 | StructureViewPopupMenu 2484 | Stylelint.Fix 2485 | SuppressFixes 2486 | SurroundWith 2487 | SurroundWithEmmet 2488 | SurroundWithLiveTemplate 2489 | SwapSidesInDiffWindow 2490 | SwapThreeWayColorModeInDiffWindow 2491 | SwGenerateJsonSelfContainedSpecificationAction 2492 | SwGenerateYamlSelfContainedSpecificationAction 2493 | SwitchCoverage 2494 | Switcher 2495 | SwitcherAndRecentFiles 2496 | SwitcherBackward 2497 | SwitcherForward 2498 | SwitcherIterateItems 2499 | SwitcherNextProblem 2500 | SwitcherPreviousProblem 2501 | SwitcherRecentEditedChangedToggleCheckBox 2502 | SwitchFileBasedIndexStorageAction 2503 | SwMarkFileAsSpecificationAction 2504 | Synchronize 2505 | SynchronizeCurrentFile 2506 | Table-scrollDownChangeSelection 2507 | Table-scrollDownExtendSelection 2508 | Table-scrollUpChangeSelection 2509 | Table-scrollUpExtendSelection 2510 | Table-selectFirstRow 2511 | Table-selectFirstRowExtendSelection 2512 | Table-selectLastRow 2513 | Table-selectLastRowExtendSelection 2514 | Table-selectNextColumn 2515 | Table-selectNextColumnExtendSelection 2516 | Table-selectNextRow 2517 | Table-selectNextRowExtendSelection 2518 | Table-selectPreviousColumn 2519 | Table-selectPreviousColumnExtendSelection 2520 | Table-selectPreviousRow 2521 | Table-selectPreviousRowExtendSelection 2522 | Table-startEditing 2523 | TableActions 2524 | TableResult.GrowSelection 2525 | TableResult.SelectAllOccurrences 2526 | TableResult.SelectNextOccurrence 2527 | TableResult.ShrinkSelection 2528 | TableResult.UnselectPreviousOccurrence 2529 | TabList 2530 | TabsActions 2531 | TechnicalSupport 2532 | TemplateParametersNavigation 2533 | TemplateProjectProperties 2534 | Terminal.ClearBuffer 2535 | Terminal.CopySelectedText 2536 | Terminal.MoveToEditor 2537 | Terminal.MoveToolWindowTabLeft 2538 | Terminal.MoveToolWindowTabRight 2539 | Terminal.NextSplitter 2540 | Terminal.OpenInTerminal 2541 | Terminal.Paste 2542 | Terminal.PrevSplitter 2543 | Terminal.RenameSession 2544 | Terminal.SelectAll 2545 | Terminal.Share 2546 | Terminal.SmartCommandExecution.Debug 2547 | Terminal.SmartCommandExecution.Run 2548 | Terminal.SplitHorizontally 2549 | Terminal.SplitVertically 2550 | Terminal.StopSharing 2551 | Terminal.SwitchFocusToEditor 2552 | TerminalDecreaseFontSize 2553 | TerminalIncreaseFontSize 2554 | TerminalNewPredefinedSession 2555 | TerminalNewSession 2556 | TerminalResetFontSize 2557 | TerminalShareGroup 2558 | TerminalToolwindowActionGroup 2559 | TestTreePopupMenu 2560 | TextComponent.ClearAction 2561 | TextSearchAction 2562 | TextViewerEditorPopupMenu 2563 | TodoMainGroup 2564 | TodoViewGroupByFlattenPackage 2565 | TodoViewGroupByGroup 2566 | TodoViewGroupByShowModules 2567 | TodoViewGroupByShowPackages 2568 | ToggleBookmark 2569 | ToggleBookmark0 2570 | ToggleBookmark1 2571 | ToggleBookmark2 2572 | ToggleBookmark3 2573 | ToggleBookmark4 2574 | ToggleBookmark5 2575 | ToggleBookmark6 2576 | ToggleBookmark7 2577 | ToggleBookmark8 2578 | ToggleBookmark9 2579 | ToggleBookmarkA 2580 | ToggleBookmarkB 2581 | ToggleBookmarkC 2582 | ToggleBookmarkD 2583 | ToggleBookmarkE 2584 | ToggleBookmarkF 2585 | ToggleBookmarkG 2586 | ToggleBookmarkH 2587 | ToggleBookmarkI 2588 | ToggleBookmarkJ 2589 | ToggleBookmarkK 2590 | ToggleBookmarkL 2591 | ToggleBookmarkM 2592 | ToggleBookmarkN 2593 | ToggleBookmarkO 2594 | ToggleBookmarkP 2595 | ToggleBookmarkQ 2596 | ToggleBookmarkR 2597 | ToggleBookmarkS 2598 | ToggleBookmarkT 2599 | ToggleBookmarkU 2600 | ToggleBookmarkV 2601 | ToggleBookmarkW 2602 | ToggleBookmarkWithMnemonic 2603 | ToggleBookmarkX 2604 | ToggleBookmarkY 2605 | ToggleBookmarkZ 2606 | ToggleBreakpointEnabled 2607 | ToggleCompletionHintsAction 2608 | ToggleContentUiTypeMode 2609 | ToggleDistractionFreeMode 2610 | ToggleDockMode 2611 | ToggleFindInSelection 2612 | ToggleFloatingMode 2613 | ToggleFullScreen 2614 | ToggleFullScreenGroup 2615 | ToggleInlayHintsGloballyAction 2616 | ToggleInlineHintsAction 2617 | ToggleLineBreakpoint 2618 | ToggleNodeCoreCodingAssistanceAction 2619 | TogglePinnedMode 2620 | TogglePopupHints 2621 | TogglePowerSave 2622 | TogglePresentationMode 2623 | ToggleReadOnlyAttribute 2624 | ToggleRenderedDocPresentation 2625 | ToggleRenderedDocPresentationForAll 2626 | ToggleSideMode 2627 | ToggleTemporaryLineBreakpoint 2628 | ToggleThreeSideInBlankDiffWindow 2629 | ToggleWindowedMode 2630 | ToggleZenMode 2631 | ToolbarFindGroup 2632 | ToolbarRunGroup 2633 | ToolsBasicGroup 2634 | ToolsMenu 2635 | ToolsXmlGroup 2636 | ToolWindowContextMenu 2637 | ToolWindowsGroup 2638 | TouchBar 2639 | TouchBarDebug 2640 | TouchBarDebug.ForceStepButtons 2641 | TouchBarDebug.StepButtons 2642 | TouchBarDebug_alt 2643 | TouchBarDefault 2644 | TouchBarDefault_alt 2645 | TouchBarDefault_cmd 2646 | TouchBarDefault_cmd.alt 2647 | TouchBarDefault_ctrl 2648 | TouchBarDefault_shift 2649 | TouchBarDefaultOptionalGroup 2650 | TouchBarEditorSearch 2651 | TouchBarEditorSearch_ctrl 2652 | Tree-scrollDownChangeSelection 2653 | Tree-scrollDownExtendSelection 2654 | Tree-scrollUpChangeSelection 2655 | Tree-scrollUpExtendSelection 2656 | Tree-selectChild 2657 | Tree-selectChildExtendSelection 2658 | Tree-selectFirst 2659 | Tree-selectFirstExtendSelection 2660 | Tree-selectLast 2661 | Tree-selectLastExtendSelection 2662 | Tree-selectNext 2663 | Tree-selectNextExtendSelection 2664 | Tree-selectNextSibling 2665 | Tree-selectParent 2666 | Tree-selectParentExtendSelection 2667 | Tree-selectParentNoCollapse 2668 | Tree-selectPrevious 2669 | Tree-selectPreviousExtendSelection 2670 | Tree-selectPreviousSibling 2671 | Tree-startEditing 2672 | TreeActions 2673 | TreeNodeExclusion 2674 | TsLintFileFixAction 2675 | TslintImportCodeStyleAction 2676 | TW.MoveToGroup 2677 | TW.ViewModeGroup 2678 | TWViewModes 2679 | TWViewModesLegacy 2680 | TypeHierarchy 2681 | TypeHierarchy.Class 2682 | TypeHierarchy.Subtypes 2683 | TypeHierarchy.Supertypes 2684 | TypeHierarchyBase.BaseOnThisType 2685 | TypeHierarchyPopupMenu 2686 | TypeScript.Enable.Service 2687 | TypeScript.Include.Sources 2688 | TypeScript.Restart.Service 2689 | TypeScriptExtractTypeAlias 2690 | UiDebugger 2691 | UIToggleActions 2692 | Uml.CollapseNodes 2693 | UML.DefaultGraphPopup 2694 | UML.EditorGroup 2695 | Uml.ExpandNodes 2696 | UML.Find 2697 | UML.Group 2698 | UML.Group.Simple 2699 | Uml.NewElement 2700 | Uml.NewGroup 2701 | Uml.NodeCellEditorPopup 2702 | Uml.NodeCellEditorPopup.GoTo 2703 | Uml.NodeCellEditorPopup.QuickActions 2704 | Uml.NodeIntentions 2705 | Uml.PsiElement.Actions 2706 | Uml.Refactoring 2707 | UML.SaveDiagram 2708 | UML.ShowChanges 2709 | Uml.ShowDiff 2710 | UML.ShowStructure 2711 | UML.SourceActionsGroup 2712 | Uml.SourceActionsGroup.GoTo 2713 | Uml.SourceActionsGroup.QuickActions 2714 | UnattendedHostDropdownGroup 2715 | UnattendedHostImportantActionsGroup 2716 | UndockMode 2717 | UnmarkResourceRootDirectory 2718 | UnmarkRoot 2719 | Unscramble 2720 | UnselectPreviousOccurrence 2721 | Unsplit 2722 | UnsplitAll 2723 | Unversioned.Files.Dialog 2724 | Unversioned.Files.Dialog.Popup 2725 | Unwrap 2726 | UnwrapTagAction 2727 | UpdateActionGroup 2728 | UpdateCopyright 2729 | UpdateFiles 2730 | UpdateRunningApplication 2731 | UsageFiltering.GeneratedCode 2732 | UsageFiltering.Imports 2733 | UsageFiltering.ReadAccess 2734 | UsageFiltering.WriteAccess 2735 | UsageFilteringActionGroup 2736 | UsageGrouping.Directory 2737 | UsageGrouping.DirectoryStructure 2738 | UsageGrouping.FileStructure 2739 | UsageGrouping.FlattenModules 2740 | UsageGrouping.Module 2741 | UsageGrouping.Scope 2742 | UsageGrouping.UsageType 2743 | UsageGroupingActionGroup 2744 | UsageView.Exclude 2745 | UsageView.Include 2746 | UsageView.Popup 2747 | UsageView.Remove 2748 | UsageView.Rerun 2749 | UsageView.ShowRecentFindUsages 2750 | ValidateXml 2751 | Vcs.ApplySelectedChanges 2752 | Vcs.Browse 2753 | Vcs.CheckinProjectMenu 2754 | Vcs.CheckinProjectToolbar 2755 | Vcs.CherryPick 2756 | Vcs.Commit.PrimaryCommitActions 2757 | Vcs.CommitExecutor.Actions 2758 | Vcs.CopyCommitSubjectAction 2759 | Vcs.CopyRevisionNumberAction 2760 | Vcs.Diff.ExcludeChangedLinesFromCommit 2761 | Vcs.Diff.IncludeOnlyChangedLinesIntoCommit 2762 | Vcs.Diff.ShowDiffInEditorTab 2763 | Vcs.Diff.ShowDiffInNewWindow 2764 | Vcs.Diff.ToggleDiffAligningMode 2765 | Vcs.EditSource 2766 | Vcs.FileHistory.ContextMenu 2767 | Vcs.FileHistory.PresentationSettings 2768 | Vcs.FileHistory.Toolbar 2769 | Vcs.GetVersion 2770 | Vcs.History 2771 | Vcs.Import 2772 | Vcs.IntegrateProject 2773 | Vcs.KeymapGroup 2774 | Vcs.Log.AlignLabels 2775 | Vcs.Log.AnnotateRevisionAction 2776 | Vcs.Log.ChangesBrowser.Popup 2777 | Vcs.Log.ChangesBrowser.PresentationSettings 2778 | Vcs.Log.ChangesBrowser.Toolbar 2779 | Vcs.Log.CollapseAll 2780 | Vcs.Log.CompactReferencesView 2781 | Vcs.Log.CompareRevisions 2782 | Vcs.Log.ContextMenu 2783 | Vcs.Log.Diff.Preview.Location 2784 | Vcs.Log.EnableFilterByRegexAction 2785 | Vcs.Log.ExpandAll 2786 | Vcs.Log.FocusTextFilter 2787 | Vcs.Log.GetVersion 2788 | Vcs.Log.GoToChild 2789 | Vcs.Log.GoToParent 2790 | Vcs.Log.GoToRef 2791 | Vcs.Log.HighlightersActionGroup 2792 | Vcs.Log.IntelliSortChooser 2793 | Vcs.Log.LayoutConfiguration 2794 | Vcs.Log.MatchCaseAction 2795 | Vcs.Log.MoveDiffPreviewToBottom 2796 | Vcs.Log.MoveDiffPreviewToRight 2797 | Vcs.Log.OpenAnotherTab 2798 | Vcs.Log.OpenRepositoryVersion 2799 | Vcs.Log.PreferCommitDate 2800 | Vcs.Log.PresentationSettings 2801 | Vcs.Log.Refresh 2802 | Vcs.Log.ResumeIndexing 2803 | Vcs.Log.ShowAllAffected 2804 | Vcs.Log.ShowChangesFromParents 2805 | Vcs.Log.ShowDetailsAction 2806 | Vcs.Log.ShowDiffPreview 2807 | Vcs.Log.ShowLongEdges 2808 | Vcs.Log.ShowOnlyAffectedChanges 2809 | Vcs.Log.ShowOtherBranches 2810 | Vcs.Log.ShowRootsColumnAction 2811 | Vcs.Log.ShowTagNames 2812 | Vcs.Log.ShowTooltip button=2 clickCount=1 modifiers=128 2813 | Vcs.Log.TextFilterSettings 2814 | Vcs.Log.ToggleColumns 2815 | Vcs.Log.Toolbar 2816 | Vcs.Log.Toolbar.Internal 2817 | Vcs.Log.Toolbar.RightCorner 2818 | Vcs.MainMenu 2819 | Vcs.MessageActionGroup 2820 | Vcs.MoveChangedLinesToChangelist 2821 | Vcs.OpenRepositoryVersion 2822 | Vcs.Operations.Popup 2823 | Vcs.Operations.Popup.Annotate 2824 | Vcs.Operations.Popup.NonVcsAware 2825 | Vcs.Operations.Popup.Vcs.Providers 2826 | Vcs.Operations.Popup.VcsAware 2827 | Vcs.Operations.Popup.VcsNameSeparator 2828 | Vcs.Push 2829 | Vcs.Push.Actions 2830 | Vcs.Push.Force 2831 | Vcs.Push.Simple 2832 | Vcs.QuickListPopupAction 2833 | Vcs.ReformatCommitMessage 2834 | Vcs.RefreshFileHistory 2835 | Vcs.RepositoryChangesBrowserMenu 2836 | Vcs.RepositoryChangesBrowserToolbar 2837 | Vcs.RevertSelectedChanges 2838 | Vcs.RollbackChangedLines 2839 | Vcs.RunCommitChecks 2840 | Vcs.SavedPatches.ChangesBrowser.ContextMenu 2841 | Vcs.SavedPatches.ContextMenu 2842 | Vcs.Shelf.Apply 2843 | Vcs.Shelf.ChangesBrowser.ContextMenu 2844 | Vcs.Shelf.Drop 2845 | Vcs.Shelf.Operations.ContextMenu 2846 | Vcs.Shelf.Pop 2847 | Vcs.Shelf.UnshelveChanges 2848 | Vcs.Shelf.UnshelveChangesAndRemove 2849 | Vcs.Show.Local.Changes 2850 | Vcs.Show.Log 2851 | Vcs.Show.Shelf 2852 | Vcs.Show.Toolwindow.Tab 2853 | Vcs.ShowDiffWithLocal 2854 | Vcs.ShowDiffWithLocal.Before 2855 | Vcs.ShowHistoryForBlock 2856 | Vcs.ShowHistoryForRevision 2857 | Vcs.ShowMessageHistory 2858 | Vcs.ShowTabbedFileHistory 2859 | Vcs.Specific 2860 | Vcs.ToggleAmendCommitMode 2861 | Vcs.Toolbar.ShowMoreActions 2862 | Vcs.ToolbarWidget.CreateRepository 2863 | Vcs.ToolbarWidget.ShareProject 2864 | Vcs.ToolWindow.CreateRepository 2865 | Vcs.UmlDiff 2866 | Vcs.UpdateProject 2867 | Vcs.VcsClone 2868 | VcsFileGroupPopup 2869 | VcsGeneral.KeymapGroup 2870 | VcsGlobalGroup 2871 | VcsGroup 2872 | VcsGroups 2873 | VcsHistory.ShowAllAffected 2874 | VcsHistoryActionsGroup 2875 | VcsHistoryActionsGroup.Toolbar 2876 | VcsHistoryInternalGroup.Popup 2877 | VcsHistoryInternalGroup.Toolbar 2878 | VcsNavBarToolbarActions 2879 | VcsSelectionHistoryDialog.Popup 2880 | VcsShowCurrentChangeMarker 2881 | VcsShowNextChangeMarker 2882 | VcsShowPrevChangeMarker 2883 | VcsToolbarActions 2884 | VcsToolbarLabelAction 2885 | VcsTouchBarGroup 2886 | VersionControlsGroup 2887 | Vgo.NewGoModFile 2888 | ViewAppearanceGroup 2889 | ViewBreakpoints 2890 | ViewImportPopups 2891 | ViewInplaceComments 2892 | ViewMainMenu 2893 | ViewMembersInNavigationBar 2894 | ViewMenu 2895 | ViewNavigationBar 2896 | ViewNewToolbarAction 2897 | ViewObsoleteNavBarAction 2898 | ViewObsoleteToolbarAction 2899 | ViewOfflineInspection 2900 | ViewRecentActions 2901 | ViewSource 2902 | ViewStatusBar 2903 | ViewStatusBarWidgetsGroup 2904 | ViewToolBar 2905 | ViewToolbarActionsGroup 2906 | ViewToolButtons 2907 | VimActions 2908 | VimFindActionIdAction 2909 | VimPluginToggle 2910 | VimShortcutKeyAction 2911 | VisualizeSourceMap 2912 | WD.RefreshCurrentRemoteFileAction 2913 | WD.UploadCurrentRemoteFileAction 2914 | WebDeployment.BrowseServers 2915 | WebDeployment.Configuration 2916 | WebDeployment.Options 2917 | WebDeployment.ToggleAutoUpload 2918 | WebOpenInAction 2919 | WeighingNewGroup 2920 | WelcomeScreen.ChangeProjectIcon 2921 | WelcomeScreen.Configure 2922 | WelcomeScreen.Configure.Export 2923 | WelcomeScreen.Configure.Import 2924 | WelcomeScreen.Configure.RestoreDefault 2925 | WelcomeScreen.CopyProjectPath 2926 | WelcomeScreen.CreateDirectoryProject 2927 | WelcomeScreen.Documentation 2928 | WelcomeScreen.EditGroup 2929 | WelcomeScreen.LearnIdeHelp 2930 | WelcomeScreen.ManageLicense 2931 | WelcomeScreen.MoveToGroup 2932 | WelcomeScreen.NewGroup 2933 | WelcomeScreen.OpenDirectoryProject 2934 | WelcomeScreen.OpenSelected 2935 | WelcomeScreen.Options 2936 | WelcomeScreen.Platform.NewProject 2937 | WelcomeScreen.Plugins 2938 | WelcomeScreen.QuickStart 2939 | WelcomeScreen.QuickStart.EmptyState 2940 | WelcomeScreen.QuickStart.Platform 2941 | WelcomeScreen.QuickStart.ProjectsState 2942 | WelcomeScreen.RemoveSelected 2943 | WelcomeScreen.RevealIn 2944 | WelcomeScreen.Settings 2945 | WelcomeScreenRecentProjectActionGroup 2946 | WhatsNewAction 2947 | WindowMenu 2948 | WindowMode 2949 | WrapTagAction 2950 | WrapTagContentsAction 2951 | XDebugger.Actions 2952 | XDebugger.AttachGroup 2953 | XDebugger.AttachToProcess 2954 | XDebugger.CompareValueWithClipboard 2955 | XDebugger.CopyName 2956 | XDebugger.CopyValue 2957 | XDebugger.CopyWatch 2958 | XDebugger.EditWatch 2959 | XDebugger.Evaluate.Code.Fragment.Editor.Popup 2960 | XDebugger.Evaluation.Dialog.Tree.Popup 2961 | XDebugger.Frames.TopToolbar 2962 | XDebugger.Frames.Tree.Popup 2963 | XDebugger.Inline 2964 | XDebugger.Inspect 2965 | XDebugger.Inspect.Tree.Popup 2966 | XDebugger.JumpToSource 2967 | XDebugger.JumpToTypeSource 2968 | XDebugger.MoveWatchDown 2969 | XDebugger.MoveWatchUp 2970 | XDebugger.MuteBreakpoints 2971 | XDebugger.NewWatch 2972 | XDebugger.PinToTop 2973 | XDebugger.PreviewTab 2974 | XDebugger.RemoveAllWatches 2975 | XDebugger.RemoveWatch 2976 | XDebugger.Settings 2977 | XDebugger.SetValue 2978 | XDebugger.SwitchWatchesInVariables 2979 | XDebugger.ToggleEvaluateExpressionField 2980 | XDebugger.ToggleSortValues 2981 | XDebugger.ToolWindow.LeftToolbar 2982 | XDebugger.ToolWindow.TopToolbar 2983 | XDebugger.ToolWindow.TopToolbar3 2984 | XDebugger.ToolWindow.TopToolbar3.Extra 2985 | XDebugger.UnmuteOnStop 2986 | XDebugger.ValueGroup 2987 | XDebugger.ValueGroup.CopyJson 2988 | XDebugger.Variables.Tree.Popup 2989 | XDebugger.Variables.Tree.Toolbar 2990 | XDebugger.Watches.Inline.Popup 2991 | XDebugger.Watches.Tree.Popup 2992 | XDebugger.Watches.Tree.Toolbar 2993 | XmlGenerateToolsGroup 2994 | XMLRefactoringMenu 2995 | XSD2Document 2996 | ZoomCurrentWindow --------------------------------------------------------------------------------