C ++:字符串的字符迭代(我疯了)

时间:2010-12-17 16:17:20

标签: c++ string iterator

我有这个字符串:

std::string str = "presents";

当我遍历角色时,它们按此顺序排列:

spresent

所以,最后一个字母首先出现。

这是代码:

uint16_t c;
printf("%s: ", str.c_str());
for (unsigned int i = 0; i < str.size(); i += extractUTF8_Char(str, i, &c)) {
    printf("%c", c);
}
printf("\n");

这是exctract方法:

uint8_t extractUTF8_Char(string line, int offset, uint16_t *target) {
 uint8_t ch = uint8_t(line.at(offset));
 if ((ch & 0xC0) == 0xC0) {
  if (!target) {
   return 2;
  }
  uint8_t ch2 = uint8_t(line.at(offset + 1));
  uint16_t fullCh = (uint16_t(((ch & 0x1F) >> 2)) << 8) | ((ch & 0x3) << 0x6) | (ch2 & 0x3F);
  *target = fullCh;
  return 2;
 }
 if (target) {
 *target = ch;
 }
 return 1;
}

此方法返回字符的长度。所以:1个字节或2个字节。如果长度为2个字节,则从UTF8字符串中提取UNICODE点。

1 个答案:

答案 0 :(得分:17)

您的第一个printf正在打印废话(c的初始值)。最后c获得的内容未打印。

这是因为extractUTF8_char的调用发生在for语句的最后一个子句中。您可能想将其更改为

for (unsigned int i = 0; i < str.size();) {
    i += extractUTF8_Char(str, i, &c);
    printf("%c", c);
}

代替。