传递包含空格和引号的参数字符串

时间:2014-03-27 11:13:03

标签: c++ qt

使用QProcess::startDetached,我需要将一个动态参数列表传递给起始过程。

  

const QString & prog, const QStringList & args, const QString & workingDirectory ...)

     

请注意,包含空格的参数不会传递给进程   作为单独的论点。

     

...

     

Windows:包含空格的参数用引号括起来。该   已启动的流程将作为常规独立流程运行。

我有一个包含下面文字的字符串,它来自一个没有任何控制权的外部程序:

-c "resume" -c "print 'Hi!'" -c "print 'Hello World'"

我需要将上面的字符串传递给QProcess::startDetached,以便启动程序捕获它与上面的字符串相同。

我是否必须解析字符串并构建字符串列表?或者任何人都有更好的解决方案?

2 个答案:

答案 0 :(得分:2)

您根本不需要使用QStringList作为参数,因为存在这个重载函数: -

bool QProcess::startDetached(const QString & program)

正如文件所述: -

  

在新流程中启动程序程序。 program是包含程序名称及其参数的单个文本字符串。参数由一个或多个空格分隔。

     

程序字符串也可以包含引号,以确保包含空格的参数正确地提供给新进程。

您可能需要替换“with \”,但您可以从QString

执行此操作

您可以使用parseCombinedArgString(来自Qt的源代码)来解析:

QStringList parseCombinedArgString(const QString &program)
{
    QStringList args;
    QString tmp;
    int quoteCount = 0;
    bool inQuote = false;
    // handle quoting. tokens can be surrounded by double quotes
    // "hello world". three consecutive double quotes represent
    // the quote character itself.
    for (int i = 0; i < program.size(); ++i)
    {
        if (program.at(i) == QLatin1Char('"'))
        {
            ++quoteCount;
            if (quoteCount == 3)
            {
                // third consecutive quote
                quoteCount = 0;
                tmp += program.at(i);
            }
            continue;
        }
        if (quoteCount)
        {
            if (quoteCount == 1)
                inQuote = !inQuote;
            quoteCount = 0;
        }
        if (!inQuote && program.at(i).isSpace())
        {
            if (!tmp.isEmpty())
            {
                args += tmp;
                tmp.clear();
            }
        }
        else
        {
            tmp += program.at(i);
        }
    }
    if (!tmp.isEmpty())
        args += tmp;
    return args;
}

答案 1 :(得分:1)

是的,你必须&#34;解析&#34;字符串,将其拆分到正确的位置,并将每个子字符串输入到传递给函数的QStringList对象中。