Sublime Text 3 - 在终端中编译并运行c ++程序(路径包含空格)

时间:2017-05-18 14:39:14

标签: c++ bash ubuntu terminal sublimetext3

我使用的是Ubuntu 16.04。我使用Sublime Text 3,我可以编译c ++程序并在终端中运行它。 以下是脚本。

{
    "cmd": ["g++", "$file", "-o", "${file_path}/${file_base_name}"],
    "file_regex": "^(..[^:]*):([0-9]+):?([0-9]+)?:? (.*)$",
    "working_dir": "${file_path}",
    "selector": "source.c, source.c++, source.cxx, source.cpp",
    "variants":
    [
        {
            "name": "RunInShell",
            "shell": true,
            "cmd": ["gnome-terminal -e 'bash -c \"${file_path}/${file_base_name};echo;  echo Press ENTER to continue; read line;exit; exec bash\"'"]
        }
    ]    
}

但是,当c ++程序的路径包含空格(如/algorithms/Search in Rotated Sorted Array)时,脚本不起作用!

当我使用RunInShell时,

bash: /media/algorithms/Search: No such file or directory显示在终端中。

我正在尝试修改脚本,例如插入单引号。

"cmd": ["gnome-terminal -e 'bash -c \"'${file_path}/${file_base_name}';echo; echo Press ENTER to continue; read line;exit; exec bash\"'"]

但它不起作用。

我想知道如何修改脚本以使其运行良好。

1 个答案:

答案 0 :(得分:3)

If we look at the documentation on Build Systems, we see that we can use snippet substitution in the variables used in the build system.

因此,我们可以escape each space to a backslash and a space, for use in Bash。首先在构建系统之外使用它可能更容易,例如在ST(Python)控制台中键入以下内容:

import os.path; file_path = '/algorithms/Search in Rotated Sorted Array'; file_name = os.path.basename(file_path); sublime.expand_variables(r'${file_path/ /\\ /g}/${file_base_name/ /\\ /g}', { 'file_path': os.path.dirname(file_path), 'file': file_path, 'file_name': file_name, 'file_extension': os.path.splitext(file_name)[1], 'file_base_name': os.path.splitext(file_name)[0], 'packages': sublime.packages_path() })

请注意,上面包含的变量多于我们实际需要的变量,但实际上并不包含all the variables available from the build system,但这对于此示例已足够,如果您想进一步尝试,可以轻松添加它们。查看ST API Reference以获取更多信息,特别是缺少的项目是Window课程的一部分。

无论如何,我们得到的输出是:

'/algorithms/Search\\ in\\ Rotated\\ Sorted\\ Array'

(请记住,这是一个Python字符串,因此两个斜杠是表示单个斜杠的转义码。)

所以我们在这里看到的是${file_path/ /\\\\ /g}。这告诉ST,是取file_path变量的值并对其运行正则表达式替换。它应该用文字斜杠替换空格,后跟空格。最后的/g是全局正则表达式修饰符标志,告诉它不要在第一次匹配/替换时停止,以确保它替换所有空格。

现在,将其插入构建系统:

"cmd": ["gnome-terminal -e 'bash -c \"${file_path/ /\\\\ /g}/${file_base_name/ /\\\\ /g};echo;  echo Press ENTER to continue; read line;exit; exec bash\"'"]

请注意,我们有4个斜杠 - 在我展示的用于测试的Python代码和JSON字符串中。这是因为前两个斜杠是一个转义序列,它告诉JSON / Python使用文字斜杠。然后我们想再次执行相同操作,以便正则表达式模式将使用文字斜杠。