10
char cmd[40];
driver = FuncGetDrive(driver);
sprintf_s(cmd, "%c:\\test.exe", driver);

我不能用cmd

sei.lpFile = cmad;

那么,如何将char数组转换为wchar_t数组?

4

3 回答 3

21

只需使用这个:

static wchar_t* charToWChar(const char* text)
{
    const size_t size = strlen(text) + 1;
    wchar_t* wText = new wchar_t[size];
    mbstowcs(wText, text, size);
    return wText;
}

完成后不要忘记调用delete [] wCharPtr返回结果,否则如果你在没有清理的情况下继续调用它,这是一个等待发生的内存泄漏。或者使用下面评论者建议的智能指针。

或者使用标准字符串,如下所示:

#include <cstdlib>
#include <cstring>
#include <string>

static std::wstring charToWString(const char* text)
{
    const size_t size = std::strlen(text);
    std::wstring wstr;
    if (size > 0) {
        wstr.resize(size);
        std::mbstowcs(&wstr[0], text, size);
    }
    return wstr;
}
于 2011-03-31T17:31:00.030 回答
16

来自MSDN

#include <iostream>
#include <stdlib.h>
#include <string>

using namespace std;
using namespace System;

int main()
{
    char *orig = "Hello, World!";
    cout << orig << " (char *)" << endl;

    // Convert to a wchar_t*
    size_t origsize = strlen(orig) + 1;
    const size_t newsize = 100;
    size_t convertedChars = 0;
    wchar_t wcstring[newsize];
    mbstowcs_s(&convertedChars, wcstring, origsize, orig, _TRUNCATE);
    wcscat_s(wcstring, L" (wchar_t *)");
    wcout << wcstring << endl;
}
于 2010-06-19T07:45:05.200 回答
0

从您的示例中使用swprintf_s将起作用

wchar_t wcmd[40];
driver = FuncGetDrive(driver);
swprintf_s(wcmd, "%C:\\test.exe", driver);

注意%C中的 C必须大写,因为驱动程序是普通字符而不是 wchar_t。
将您的字符串传递给 swprintf_s(wcmd,"%S",cmd) 也应该有效

于 2010-06-19T08:38:24.540 回答