Команды, не отображаемые в палитре команд с RegReplace (Sublime Text 3) - PullRequest
0 голосов
/ 05 июня 2018

Я пытаюсь запустить серию команд с плагином RegReplace в Sublime Text 3, но не могу загрузить команду и не могу заставить работать сочетания клавиш.Понятия не имею, что не так.

Выполнено шагов:

  • Установлено RegReplace
  • Открыта палитра команд
  • Искал "RegReplace: Создать новый"Регулярное выражение "
  • Изменено правило на следующий

    """
    If you don't need a setting, just leave it as None.
    When the rule is parsed, the default will be used.
    Each variable is evaluated separately, so you cannot substitute variables in other variables.
    """
    
    # name (str): Rule name.  Required.
    name = "extract_variables"
    
    # find (str): Regular expression pattern or literal string.
    #    Use (?i) for case insensitive. Use (?s) for dotall.
    #    See https://docs.python.org/3.4/library/re.html for more info on regex flags.
    #    Required unless "scope" is defined.
    find = r".*\[(.*[^(<|>)]*?)\].*"
    
    # replace (str - default=r'\g<0>'): Replace pattern.
    replace = r"\1"
    
    # literal (bool - default=False): Preform a non-regex, literal search and replace.
    literal = None
    
    # literal_ignorecase (bool - default=False): Ignore case when "literal" is true.
    literal_ignorecase = None
    
    # scope (str): Scope to search for and to apply optional regex to.
    #    Required unless "find" is defined.
    scope = None
    
    # scope_filter ([str] - default=[]): An array of scope qualifiers for the match.
    #    Only used when "scope" is not defined.
    #
    #    - Any instance of scope qualifies match: scope.name
    #    - Entire match of scope qualifies match: !scope.name
    #    - Any instance of scope disqualifies match: -scope.name
    #    - Entire match of scope disqualifies match: -!scope.name
    scope_filter = None
    
    # greedy (bool - default=True): Apply action to all instances (find all).
    #    Used when "find" is defined.
    greedy = None
    
    # greedy_scope (bool - default=True): Find all the scopes specified by "scope."
    greedy_scope = None
    
    # format_replace (bool - default=False): Use format string style replace templates.
    #    Works only for Regex (with and without Backrefs) and Re (with Backrefs).
    #    See http://facelessuser.github.io/backrefs/#format-replacements for more info.
    format_replace = None
    
    # selection_inputs (bool -default=False): Use selection for inputs into find pattern.
    #    Global setting "selection_only" must be disabled for this to work.
    selection_inputs = None
    
    # multi_pass (bool - default=False): Perform multiple sweeps on the scope region to find
    #    and replace all instances of the regex when regex cannot be formatted to find
    #    all instances. Since a replace can change a scope, this can be useful.
    multi_pass = None
    
    # plugin (str): Define replace plugin for more advanced replace logic.
    plugin = None
    
    # args (dict): Arguments for 'plugin'.
    args = None
    
    # ----------------------------------------------------------------------------------------
    # test: Here you can setup a test command.  This is not saved and is just used for this session.
    #     - replacements ([str]): A list of regex rules to sequence together.
    #     - find_only (bool): Highlight current find results and prompt for action.
    #     - action (str): Apply the given action (fold|unfold|mark|unmark|select).
    #       This overrides the default replace action.
    #     - options (dict): optional parameters for actions (see documentation for more info).
    #         - key (str): Unique name for highlighted region.
    #         - scope (str - default="invalid"): Scope name to use as the color.
    #         - style (str - default="outline"): Highlight style (solid|underline|outline).
    #     - multi_pass (bool): Repeatedly sweep with sequence to find all instances.
    #     - no_selection (bool): Overrides the "selection_only" setting and forces no selections.
    #     - regex_full_file_with_selections (bool): Apply regex search to full file then apply
    #       action to results under selections.
    test = {
        "replacements": ["extract_variables"],
        "find_only": True,
        "action": None,
        "options": {},
        "multi_pass": False,
        "no_selection": False,
        "regex_full_file_with_selections": False
    }
    

Этот код создает следующее в AppData \ Roaming \ Sublime Text 3 \ Packages \ User\ reg_replace_rules.sublime-settings

{
    "replacements":
    {
        "extract_variables":
        {
            "find": ".*\\[(.*[^(<|>)]*?)\\].*",
            "name": "extract_variables",
            "replace": "\\1"
        }
    }
}

И затем я создал следующую команду в том же каталоге с именем файла Default.sublime-команды

[   
    { 
        "caption": "Reg Replace: Extract ERS Variables",
        "command": "extract_ers_variables",
        "args": {
            "replacements": [
                "extract_variables"
            ]
        }
    }
]

После сохранения всего этого я все ещене вижу команду в палитре команд, и она не отображалась, когда я пытался сохранить ее как таблицу ключей.

Любая помощь очень ценится

1 Ответ

0 голосов
/ 05 июня 2018

Причина, по которой это не работает для вас, заключается в том, что в вашем файле Default.sublime-commands есть ошибка command.В частности, команда extract_ers_variables не существует, поэтому запись для нее в палитре команд скрыта, поскольку ее выбор ничего не изменит.Визуально говоря, если бы эта команда была в файле sublime-menu, запись в меню выглядела бы отключенной.

Если вы выберете Preferences > Package Settings > RegReplace > Quick Start Guide в меню и выполните показанный пример, обратите внимание, что когда онречь идет о создании записи команды в Default.sublime-commands, она говорит вам использовать reg_replace в качестве команды, а имя аргумента replacements - это то, что говорит команде, какую замену делать.

Таким образом, ваша запись должна выглядеть примерно так:

[   
    { 
        "caption": "Reg Replace: Extract ERS Variables",
        "command": "reg_replace",
        "args": {
            "replacements": [
                "extract_variables"
            ]
        }
    }
]
...