我需要在我的 C++ 程序中执行这个命令:
WinExec("program_name.exe", SW_SHOW);
我正在使用 Visual Studio 2010。有什么方法可以使用变量、常量或其他东西,以避免字符串“program_name.exe”?现在它正在我的计算机上运行,但我的程序将在另一台我不知道项目/exe文件名称的计算机上进行测试。
我需要在我的 C++ 程序中执行这个命令:
WinExec("program_name.exe", SW_SHOW);
我正在使用 Visual Studio 2010。有什么方法可以使用变量、常量或其他东西,以避免字符串“program_name.exe”?现在它正在我的计算机上运行,但我的程序将在另一台我不知道项目/exe文件名称的计算机上进行测试。
可执行文件名在主函数中作为参数传递:
int main(int argc, char **argv)
{
string exename = argv[0];
}
(详细说明阿卜杜勒的回答:)
WinExec 函数会为您检查错误,如下面的代码所示。如果您有兴趣,可以在此处阅读有关 WinExec 函数的更多信息。
我们来看看函数语法:
UINT WINAPI WinExec(
_In_ LPCSTR lpCmdLine,
_In_ UINT uCmdShow
);
由于LPCSTR
(Long Pointer to Const String) 实际上是 a const string
,您可以将字符串类型作为第一个参数传递,但您需要将其转换为 const char*,这实际上是LPCSTR
(Long Pointer to Const String)。在下面的代码中,它是通过使用c_str()
.
#include<iostream>
#include<string>
#include<Windows.h>
using namespace std;
int main()
{
string appName="yourappname.exe";
int ExecOutput = WinExec(appName.c_str(), SW_SHOW);
/*
If the function succeeds, the return value is greater than 31.
If the function fails, the return value is one of the following error values.
0 The system is out of memory or resources.
ERROR_BAD_FORMAT The .exe file is invalid.
ERROR_FILE_NOT_FOUND The specified file was not found.
ERROR_PATH_NOT_FOUND The specified path was not found.
*/
if(ExecOutput > 31){
cout << appName << " executed successfully!" << endl;
}else {
switch(ExecOutput){
case 0:
cout << "Error: The system is out of memory or resources." << endl;
break;
case ERROR_BAD_FORMAT:
cout << "Error: The .exe file is invalid." << endl;
break;
case ERROR_FILE_NOT_FOUND:
cout << "Error: The specified file was not found." << endl;
break;
case ERROR_PATH_NOT_FOUND:
cout << "Error: The specified path was not found." << endl;
break;
}
}
return 0;
}
我故意排除了另一个函数(由 abdul 创建),以免误导您的问题,并让您更清楚地了解您实际上可以使用 WinExec 函数做什么。您可以轻松添加他创建的应用程序检查功能,并将您需要的任何其他检查放入其中。
您可以将要运行的 .exe 文件存储在与运行它的 .exe 相同的位置,这样您就可以保持硬编码的常量名称不变。
或者一个不错的方法是通过命令行参数传入你想要运行的程序名称,这里有一个解析参数的教程: tutorial
这样,您可以用变量替换该字符串,并在运行 .exe 时通过命令行传入名称。
打开conf文件读取应用名称,测试应用是否存在保存路径,然后传递给函数
这只是一个例子,同样的想法
int main()
{
string appName;
if (getAppName(appName))
{
WinExec(appName.c_str(), SW_SHOW);
/// WinExec(appName, SW_SHOW);
/// ^^^ one of these
}
return 0;
}
函数看起来像这样
bool getAppName(string& appName)
{
string str;
///file open, and read;
///read(str)
if(fileExist(str))
{
appName = str;
return true;
}
return false;
}