我正在为旧产品使用较旧的网络传输功能,该产品采用char
阵列并通过网络传输。这个char
数组只是数据,不需要它有意义(或者是空终止)。因此,过去发生了以下情况:
struct robot_info {
int robot_number;
int robot_type;
...
} // A robot info data structure for sending info.
char str[1024], *currentStrPos = str;
robot_info r_info;
... // str has some header data added to it.
... // robot info structure is filled out
memcpy(currentStrPos, (char *)&r_info, sizeof robot_info); // Add the robot info
scanSocket.writeTo(str, currentStrPos - str); // Write to the socket.
我们刚刚向robot_info
添加了一堆内容但是我对上面代码的单长度方法不满意,我更喜欢动态分配的raii类型以便可扩展,特别是因为可以是多个robot_info结构。我提出以下建议:
std::vector<char> str;
... // str has some header information added to it.
... // r_info is filled out.
str.insert(str.end(), (char *)&r_info, (char *)&r_info + sizeof r_info);
scanSocket.writeTo(str.data(), str.size());
使用std::vector
insert
函数(带有指向r_info
开头的指针作为迭代器)并依赖于这里的结构至少与{{{1}对齐的事实{1}}并且可以像这样操作。该struct没有动态内存元素,也没有继承。
这会有明确定义的行为吗?有没有更好的方法来执行相同的操作?
答案 0 :(得分:0)
尽管这可行,但它最终是通过运行时解决方案解决了编译时问题。由于robot_info
是已定义的类型,因此更好的解决方案是:
std::array<char, sizeof robot_info> str;
memcpy(str.data(), static_cast<char *>(&r_info), sizeof robot_info);
scanSocket.writeTo(str.data(), str.size());
这具有以下优点: