0

使用 C++(在 Windows 10 上),我试图在 cmd.exe 中执行一个命令,该命令执行一个接受另一个文件(csv 格式)的 python 文件。我想做的就像我在命令行上输入这样的东西一样:

python3 .\plotCSV.py .\filetoplot.csv

或者在更好的模式下:

python3 C:\...\Documents\plotCSV.py C:\...\Documents\filetoplot.csv

为此,我使用ShellExecute这样的:

ShellExecute(NULL, "open", "C:\\Windows\\System32\\cmd.exe", "/c \"python3 C:\...\Documents\plotCSV.py C:\...\Documents\filetoplot.csv\"", NULL, SW_SHOWDEFAULT);

对于选择的 csv 文件(例如 filetoplot.csv),这是可行的。除此之外,对于我需要的,csv 文件的名称是每次在我的 C++ 程序中生成和更改的,并保存在一个变量file_name.c_str()中。所以,如果我在 ShellExecute 中使用它,我有:

ShellExecute(NULL, "open", "C:\\Windows\\System32\\cmd.exe", "/c \"python3 C:\...\Documents\plotCSV.py C:\...\Documents\file_name.c_str()\"", NULL, SW_SHOWDEFAULT);

但不幸的是(显然)它不起作用,因为确实没有一个 csv 文件重命名为“file_name.c_str()”。

我还发现了该功能ShellExecuteEx并希望重复相同的过程,我认为该功能应该像这样使用:

SHELLEXECUTEINFO info = {0};

        info.cbSize = sizeof(SHELLEXECUTEINFO);
        info.fMask = SEE_MASK_NOCLOSEPROCESS;
        info.hwnd = NULL;
        info.lpVerb = NULL;
        info.lpFile = "cmd.exe"; 
        info.lpParameters = ("python3 C:\...\Documents\plotCSV.py C:\...\Documents\file_name.c_str()");
        info.lpDirectory = NULL;
        info.nShow = SW_SHOW;
        info.hInstApp = NULL;

        ShellExecuteEx(&info);

但即使在这里它也不起作用(我可能误解了函数的工作原理)。

希望我已经很好地解释了自己,我恳请您就如何在这方面进行的建议。

非常感谢

4

1 回答 1

0

您正在尝试在字符串文字中编写代码。
这在 C++ 中是不可能的!

您需要首先创建动态参数字符串,然后将其传递给函数。有一个支持字符串文字 ( )
std::string的重载运算符。+const char *

std::string param1 = "/c \"python3 C:\\...\\Documents\\plotCSV.py C:\\...\\Documents\\" + file_name + '\"';

ShellExecute(NULL, "open", "C:\\Windows\\System32\\cmd.exe", param1.c_str(), NULL, SW_SHOWDEFAULT);
于 2021-09-16T11:12:51.553 回答