0

我有一个 UTF-16LE 字符串“TEST”及其 hexdump,如下所示

feff 0074 0065 0073 0074 000a

如果我在 bash 上使用命令 iconv 将此字符串转换为 UTF-8,那么它将被转换而没有任何问题。

6574 7473 000a

但是,如果我对我的 C 程序执行相同的操作,那么一旦遇到字符“T”的 0x00,iconv 函数似乎将其视为空终止,即使我已将字符串长度指定为 12(包括bom 和空终止)。

65 000个

下面是我正在测试的代码。但是,如果我转换任何大小的宽字符字符串(中间没有 0x00 字节)会返回正确的输出。

char *cOutput;    // Output buffer with more enough size required
size_t tOutput; 
char *cInput;     // string wide characters
size_t tInput;
iconv_t cd;

........

cd = iconv_open("UTF8//TRANSLIT", "UTF-16LE");
iconv(cd, &cInput, &tInput, &cOutput, &tOutput);

这个问题有什么解决方案吗?或者我做错了什么?任何输入将不胜感激。

4

1 回答 1

1

猜测一下,您的问题是您初始化tInput不正确,可能使用strlen(cInput).

这段代码为我产生了预期的输出:

#include <stdio.h>
#include <string.h>
#include <iconv.h>

int main()
{
    char utf16le_str[] = { '\xff', '\xfe', '\x74', '\x00', '\x65', '\x00',
        '\x73', '\x00', '\x74', '\x00', '\x0a', '\x00' };
    char dest_str[100];
    char *in = utf16le_str;
    char *out = dest_str;
    size_t inbytes = sizeof utf16le_str;
    size_t outbytes = sizeof dest_str;
    iconv_t conv = iconv_open("UTF-8//TRANSLIT", "UTF-16LE");

    if (conv == (iconv_t)-1) {
        perror("iconv_open");
        return 1;
    }

    if (iconv(conv, &in, &inbytes, &out, &outbytes) == (size_t)-1) {
        perror("iconv");
        return 1;
    }

    dest_str[sizeof dest_str - outbytes] = 0;
    puts(dest_str);

    return 0;
}
于 2013-06-28T11:15:06.980 回答