以下代码在一个程序中运行良好 导致其他
的总线错误 char *temp1;
temp1=(char*)malloc(2);
for(b=3;b>=0;b--)
{
sprintf(temp1,"%02x",s_ip[b]);
string temp2(temp1);
temp.append(temp2);
}
s_ip [b]的类型为byte,temp是一个字符串。导致此总线错误的原因是什么? 而且,这种奇怪行为的原因是什么?
答案 0 :(得分:6)
temp
缓冲区的长度必须为3个字符,因为sprintf()
将在两个十六进制字符后附加一个空终止符:
char temp1[3];
似乎没有理由使用动态分配的内存。请注意,您可以使用std::string::append()
来避免创建名为string
的临时temp2
:
temp.append(temp1, 2);
另一种方法是避免使用sprintf()
并在IO操纵器上使用std::ostringstream
:
#include <sstream>
#include <iomanip>
std::ostringstream s;
s << std::hex << std::setfill('0');
for (b = 3; b >= 0; b--)
{
s << std::setw(2) << static_cast<int>(s_ip[b]);
}
然后使用s.str()
获取std::string
个实例。
答案 1 :(得分:3)
一个包含2个字符的字符串实际上需要3个字节,因为字符串末尾还有一个终止'\0'
。