如何在 Linux unsing QProcess 下执行 shell 命令?

How to execute a shell command under Linux unsing QProcess?

我试图从 Qt 应用程序中读取屏幕分辨率,但没有使用 GUI 模块。

所以我尝试使用:

xrandr |grep \* |awk '{print }'

命令通过 QProcess,但显示警告并且不给出任何输出:

unknown escape sequence:'\*'

\\* 重写它没有帮助,因为它会导致以下错误:

/usr/bin/xrandr: unrecognized option '|grep'\nTry '/usr/bin/xrandr --help' for more information.\n

我该如何解决?

您不能像那样使用 QProcess 执行管道系统命令,它被设计为 运行 带有参数的单个程序 Try:

QProcess process;
process.start("bash -c xrandr |grep * |awk '{print }'");

QProcess process;
QStringList args = QString("-c,xrandr,|,grep *,|,awk '{print }'").split(",");
process.start("bash", args);

您必须使用 bash 并在引号中传递参数:

#include <QCoreApplication>
#include <QProcess>
#include <QDebug>

int main(int argc, char *argv[])
{
    QCoreApplication a(argc, argv);

    QProcess process;
    QObject::connect(&process, &QProcess::readyReadStandardOutput, [&process](){
       qDebug()<<process.readAllStandardOutput();
    });
    QObject::connect(&process, &QProcess::readyReadStandardError, [&process](){
       qDebug()<<process.readAllStandardError();
    });
    process.start("/bin/bash -c \"xrandr |grep \* |awk '{print }' \"");
    return a.exec();
}

输出:

"1366x768\n"

或者:

QProcess process;
process.start("/bin/bash", {"-c" , "xrandr |grep \* |awk '{print }'"});

或者:

QProcess process;
QString command = R"(xrandr |grep \* |awk '{print }')";
process.start("/bin/sh", {"-c" , command});