我正在尝试读取mp3文件的ID3V2的标题。我可以得到/打印ID3,并希望打印出类型为char的“version”和“subversion”,但我无法得到我需要的东西。
这是代码:
}
.....
fseek(file,0,SEEK_SET);
fread(&tag.TAG, 1, sizeof(tag),file); // tag is structure with elements of header
if(strncmp(tag.TAG,"ID3", 3) == 0)
{
fread(&tag.version,1, sizeof(tag),file);
fread(&tag.subversion,1, sizeof(tag),file);
printf("ID3v2.%s.%s", tag.version, tag.subversion);
}
}
一个。
答案 0 :(得分:0)
你在读足够的字节吗?您传递的是tag.TAG的地址,但提供的是sizeof(tag)而不是sizeof(tag.TAG)。
答案 1 :(得分:0)
用于打印字符的%c
而不是%s
(用于打印以null结尾的char*
):
printf("ID3v2.%c.%c", tag.version, tag.subversion);
如果要将字节视为数字,请使用%d
。
答案 2 :(得分:0)
您应该只读标题一次。即如果你有
struct id3v2hdr {
char TAG[3];
unsigned char version;
unsigned char subversion;
...
}
您的代码将是:
fseek(file,0,SEEK_SET);
fread(&tag.TAG, 1, sizeof(tag),file); // tag is structure with elements of header
if(strncmp(tag.TAG,"ID3", 3) == 0)
{
printf("ID3v2.%hhd.%hhd", tag.version, tag.subversion);
}
请注意,version
和subversion
是字节大小的整数,而不是可打印的字符,因此您应该使用%hhu
(%hhd
,如果它们已签名)作为其格式规范
此外,指向struct的第一个元素的指针和指向struct的指针比较相等,因此将fread
行更改为:
fread(&tag, 1, sizeof(tag),file); // tag is structure with elements of header
是不必要的(很难说它会更清楚地表明意图)。