0
int main(int argc, char **args) {
    unsigned char* str = "hallo";
    printf("String: %s\n",str);
    uint8_t aktion, id;
    uint32_t str_length;
    aktion = 1;
    id = 4;
    str_length = strlen(str)+1;

    unsigned char *buff;    
    buff = (unsigned char*) calloc(1,str_length+6);
    memcpy(buff, &id, sizeof(id));
    memcpy(buff+sizeof(id), &str_length, sizeof(str_length));
    strcpy(buff+sizeof(id)+sizeof(str_length), str);
    printf("Buffer+5: %s\n",buff+5));
    memcpy(buff+sizeof(id)+sizeof(str_length)+str_length, &aktion, sizeof(aktion));
    return 0;
}

为什么我没有得到输出“你好”?我仍然不确定是否使用指针算法和缓冲区。

问候

4

2 回答 2

2
uint32_t str_length;
aktion = 1;
id = 4;
str_length = strlen(str)+1;

unsigned char *buff;    
buff = (unsigned char*) calloc(1,str_length);

你不应该在 C 中转换 malloc/calloc 的返回指针。

你的buff尺码是 6

memcpy(buff, &id, sizeof(uint8_t));

你在这里写了 1 个字节

memcpy(buff+1, &str_length, sizeof(uint32_t));

你在这里写了 4 个字节:

这意味着您已经用尽了分配给的 6 个字节中的 5 个字节buff

strcpy(buff+5, &str);

您正在为 buff 写入分配的字节。这会导致内存损坏

于 2012-05-19T23:25:42.507 回答
1

它应该是:

strcpy(buff + sizeof id + sizeof str_len, str);
/*                                        ^^^^   no '&'!  */

str已经是一个指针。相比之下,&str是指针的地址,这不是您所追求的。

您还需要在缓冲区中为两个初始变量腾出空间。

于 2012-05-19T23:23:55.747 回答