9

我正在为 Windows 开发,我还没有找到关于如何正确声明和稍后设置 unicode 字符串的足够信息。至今,

wchar_t myString[1024] = L"My Test Unicode String!";

假设上面的内容是 [1024] 是分配的字符串长度,即我需要在该字符串中有多少个字符。L"" 确保引号中的字符串是 unicode(我发现的一个 alt 是 _T())。现在稍后在我的程序中,当我尝试将该字符串设置为另一个值时,

myString = L"Another text";

我得到编译器错误,我做错了什么?

此外,如果有人有一个简单而深入的 unicode 应用程序资源,我想有一些链接,曾经为一个专门用于此的网站添加了书签,但现在似乎已经消失了。

编辑

我提供了整个代码,我打算将其用作 DLL 函数,但到目前为止没有返回任何内容。

#include "dll.h"
#include <windows.h>
#include <string>
#include <cwchar>

export LPCSTR ex_test()
{
wchar_t myUString[1024];
std::wcsncpy(myUString, L"Another text", 1024);

int myUStringLength = lstrlenW(myUString);

MessageBoxW(NULL, (LPCWSTR)myUString, L"Test", MB_OK);

int bufferLength = WideCharToMultiByte(CP_UTF8, 0, myUString, myUStringLength, NULL, 0, NULL, NULL);
if (bufferLength <= 0) { return NULL; } //ERROR in WideCharToMultiByte
return NULL;

char *buffer = new char[bufferLength+1];
bufferLength = WideCharToMultiByte(CP_UTF8, 0, myUString, myUStringLength, buffer, bufferLength, NULL, NULL);
if (bufferLength <= 0) { delete[] buffer; return NULL; } //ERROR in WideCharToMultiByte

buffer[bufferLength] = 0;

return buffer;
}
4

2 回答 2

5

最简单的方法是首先以不同的方式声明字符串:

std::wstring myString;
myString = L"Another text";

如果你坚持wchar_t直接使用数组,你会使用wcscpy()或更好wcsncpy()的 from <cwchar>

wchar_t myString[1024];
std::wcsncpy(myString, L"Another text", 1024);
于 2013-09-28T19:34:17.973 回答
4
wchar_t myString[1024] = L"My Test Unicode String!";

正在像这样初始化数组

wchar_t myString[1024] = { 'M', 'y', ' ', ..., 'n', 'g', '!', '\0' };

myString = L"Another text";

是一个你不能对数组做的赋值。您必须将新字符串的内容复制到旧数组中:

const auto& newstring = L"Another text";
std::copy(std::begin(newstring), std::end(newstring), myString);

或者如果它是一个指针

wchar_t* newstring = L"Another text";
std::copy(newstring, newstring + wsclen(newstring) + 1, myString);

或如nawaz建议的那样copy_n

std::copy_n(newstring, wsclen(newstring) + 1, myString);
于 2013-09-28T19:34:50.267 回答