以下代码有效:
void CMyPlugin8::myMessageBox(std::string& myString)
{
myString = "Received the following string\n" + myString;
char * writable = new char[myString.size() + 1];
std::copy(myString.begin(), myString.end(), writable);
writable[myString.size()] = '\0'; // don't forget the terminating 0 "delete[] writable;"
int msgboxID = MessageBox(
NULL,
writable,
"Notice",
MB_OK
);
delete[] writable;
}
为了自动清理,我使用了以下信息:How to convert a std::string to const char* or char*?。
以下代码会引发错误:
void CMyPlugin8::myMessageBox(std::string& myString)
{
myString = "Received the following string\n" + myString;
std::vector<char> writable(myString.begin(), myString.end());
writable.push_back('\0');
int msgboxID = MessageBox(
NULL,
writable,
"Notice",
MB_OK
);
}
我收到此错误: 'MessageBoxA':无法从'std :: vector&lt; _Ty&gt;'转换参数2到'LPCSTR'
答案 0 :(得分:4)
您不能将矢量作为LPCSTR传递。使用:
&writable[0]
或:
writable.data()
代替。或者只使用myString.c_str()
答案 1 :(得分:2)
MessageBox
需要const char*
。您不需要首先复制该字符串。只需使用c_str
:
void CMyPlugin8::myMessageBox(std::string& myString)
{
myString = "Received the following string\n" + myString;
int msgboxID = MessageBox(
NULL,
myString.c_str(),
"Notice",
MB_OK
);
}
请注意,我认为您的API很差:您正在修改传入的字符串的值。通常调用者不会期望这样。我认为你的功能应该是这样的:
void CMyPlugin8::myMessageBox(const std::string& myString)
{
std::string message = "Received the following string\n" + myString;
int msgboxID = MessageBox(
NULL,
message.c_str(),
"Notice",
MB_OK
);
}
答案 2 :(得分:0)
void CMyPlugin8::myMessageBox(const std::string& myString)
{
std::string message = "Received the following string\n" + myString;
int msgboxID = MessageBox(
NULL,
message.c_str(),
"Notice",
MB_OK
);
}
谢谢大家和@Falcon