如果您想 memcpy 两个结构,那么它们中的内存必须是连续的。但是你必须num
事先确定。
struct test_struct {
int num;
char ** values;
} * TestStruct;
int _num = 0;
// find _num
TestStruct = malloc (sizeof (struct test_struct) + (sizeof(char*) * _num) + (LENGTH * _num));
TestStruct->num = _num;
TestStruct->values = &TestStruct + sizeof (struct test_struct);
for (int i = 0; i < _num; i++){
TestStruct->values[i] = &TestStruct + sizeof (struct test_struct) + (i * LENGTH);
}
我将 char * 更改为 char ** 的原因是因为使用 char * 在第一个之后访问字符串变得更加困难(我假设它们是空终止的)。此外,在调用 memcpy 之后,您必须更新新结构中的所有字符串指针。
要 memcpy,您可以这样做:
memcpy (buf, TestStruct->values[0], LENGTH * TestStruct->num);
但是,在 buf 中,您只会看到第一个字符串(除非您的字符串不是以空值结尾的)。您必须在每个空终止字符之后增加指针,直到您知道,num
您已经到达缓冲区的末尾。
既然我了解了您请求的更多上下文,请考虑以下内容。
如果您使用的是 UDP 数据包,您应该在一个数据包中发送数据,以便它以您期望的顺序到达。当发送多个数据包时,它可能会乱序到达。因此,您需要确保数据的大小 <= 512 字节 - 这是 UDP 数据包的最大大小。此外,您需要确保所有数据都在连续的内存中。我将假设您的数据已经在您在此示例中提供的结构中:
// this function puts the struct in contiguous memory
int PrepareBuffer (struct test_struct TestStruct, char ** buffer){
char * cast = (char *) &TestStruct->num;
* buffer = malloc ((TestStruct->num * LENGTH) + sizeof (int));
for (int i = 0; i < sizeof (int); i++) *buffer[i] = cast[i];
for (int i = 0; i < (TestStruct->num * LENGTH); i++) *buffer[i + sizeof (int)] = TestStruct->values[i];
return 0;
}
您必须在接收端实现另一个函数,将缓冲区映射到struct test_struct
. 另外,为了清楚起见,我省略了错误检查。您应该在分配内存之前检查数据包的大小(它必须 <= 512)。您还应该检查以确保 malloc 返回非空指针。