我正在尝试编写一个解析ID3标签的程序,用于教育目的(所以请深入解释,因为我正在努力学习)。到目前为止,我已经取得了巨大的成功,但仍坚持编码问题。
读取mp3文件时,所有文本的默认编码为ISO-8859-1。可以在该编码中读取所有标题信息(帧ID等)。
我就是这样做的:
ifstream mp3File("../myfile.mp3");
mp3File.read(mp3Header, 10); // char mp3Header[10];
// .... Parsing the header
// After reading the main header, we get into the individual frames.
// Read the first 10 bytes from buffer, get size and then read data
char encoding[1];
while(1){
char frameHeader[10] = {0};
mp3File.read(frameHeader, 10);
ID3Frame frame(frameHeader); // Parses frameHeader
if (frame.frameId[0] == 'T'){ // Text Information Frame
mp3File.read(encoding, 1); // Get encoding
if (encoding[0] == 1){
// We're dealing with UCS-2 encoded Unicode with BOM
char data[frame.size];
mp3File.read(data, frame.size);
}
}
}
这是错误的代码,因为data
是char*
,其内部应该如下所示(将不可显示的字符转换为int):
char = [0xFF, 0xFE, C, 0, r, 0, a, 0, z, 0, y, 0]
两个问题:
编辑澄清:我不确定这是否是正确的方法,但基本上我想做的是..将前11个字节读取到字符串数组(标题+编码),然后接下来的12个字节字节到wchar_t数组(歌曲的名称),然后接下来的10个字节到一个char数组(下一个标题)。这可能吗?
答案 0 :(得分:1)
我找到了一个不错的解决方案:创建一个新的wchar_t缓冲区并成对添加char数组中的字符。
wchar_t* charToWChar(char* cArray, int len) {
char wideChar[2];
wchar_t wideCharW;
wchar_t *wArray = (wchar_t *) malloc(sizeof(wchar_t) * len / 2);
int counter = 0;
int endian = BIGENDIAN;
// Check endianness
if ((uint8_t) cArray[0] == 255 && (uint8_t) cArray[1] == 254)
endian = LITTLEENDIAN;
else if ((uint8_t) cArray[1] == 255 && (uint8_t) cArray[0] == 254)
endian = BIGENDIAN;
for (int j = 2; j < len; j+=2){
switch (endian){
case LITTLEENDIAN: {wideChar[0] = cArray[j]; wideChar[1] = cArray[j + 1];} break;
default:
case BIGENDIAN: {wideChar[1] = cArray[j]; wideChar[0] = cArray[j + 1];} break;
}
wideCharW = (uint16_t)((uint8_t)wideChar[1] << 8 | (uint8_t)wideChar[0]);
wArray[counter] = wideCharW;
counter++;
}
wArray[counter] = '\0';
return wArray;
}
用法:
if (encoding[0] == 1){
// We're dealing with UCS-2 encoded Unicode with BOM
char data[frame.size];
mp3File.read(data, frame.size);
wcout << charToWChar(data, frame.size) << endl;
}