将Unicodestring转换为Char []

时间:2012-08-30 14:58:17

标签: c++builder chars

我有一个包含四个单词行的列表框。 当我点击一行时,应在四个不同的文本框中看到这些单词。 到目前为止,我已经完成了所有工作,但我遇到了字符转换的问题。 列表框中的字符串是UnicodeString,但strtok使用char []。 编译器告诉met无法将UnicodeString转换为Char []。这是我正在使用的代码:

{
 int a;
 UnicodeString b;

 char * pch;
 int c;

 a=DatabaseList->ItemIndex;   //databaselist is the listbox
 b=DatabaseList->Items->Strings[a]; 

 char str[] = b; //This is the part that fails, telling its unicode and not char[].
 pch = strtok (str," ");      
 c=1;                          
 while (pch!=NULL)
    {
       if (c==1)
       {
          ServerAddress->Text=pch;
       } else if (c==2)
       {
          DatabaseName->Text=pch;
       } else if (c==3)
       {
          Username->Text=pch;
       } else if (c==4)
       {
          Password->Text=pch;
       }
       pch = strtok (NULL, " ");
       c=c+1;
    }
}

我知道我的代码看起来不太好,实际上非常糟糕。我只是在学习一些C ++编程。 谁能告诉我如何转换它?

2 个答案:

答案 0 :(得分:8)

strtok实际上会修改您的char数组,因此您需要构造一个允许修改的字符数组。直接引用UnicodeString字符串将不起作用。

// first convert to AnsiString instead of Unicode.
AnsiString ansiB(b);  

// allocate enough memory for your char array (and the null terminator)
char* str = new char[ansiB.Length()+1];  

// copy the contents of the AnsiString into your char array 
strcpy(str, ansiB.c_str());  

// the rest of your code goes here

// remember to delete your char array when done
delete[] str;  

答案 1 :(得分:0)

这适用于我并节省了我转换为AndiString

// Using a static buffer
#define MAX_SIZE 256
UnicodeString ustring = "Convert me";
char mbstring[MAX_SIZE];

    wcstombs(mbstring,ustring.c_str(),MAX_SIZE);

// Using dynamic buffer
char *dmbstring;

    dmbstring = new char[ustring.Length() + 1];
    wcstombs(dmbstring,ustring.c_str(),ustring.Length() + 1);
    // use dmbstring
    delete dmbstring;