嘿,我完全脱离了我的深度,我的大脑开始受伤...... :(
我需要转换一个整数,以便它适合3字节数组。(是24位int?)然后再返回通过套接字从字节流发送/接收这个数字
我有:
NSMutableData* data = [NSMutableData data];
int msg = 125;
const void *bytes[3];
bytes[0] = msg;
bytes[1] = msg >> 8;
bytes[2] = msg >> 16;
[data appendBytes:bytes length:3];
NSLog(@"rtn: %d", [[[NSString alloc] initWithData:data encoding:NSASCIIStringEncoding] intValue]);
//log brings back 0
我想我的主要问题是我不知道如何检查我确实正确地转换了我的int,这是我需要做的转换以及发送数据。
任何帮助都非常感谢!
答案 0 :(得分:6)
假设您有一个32位整数。您希望将最后24位放入字节数组中:
int msg = 125;
byte* bytes = // allocated some way
// Shift each byte into the low-order position and mask it off
bytes[0] = msg & 0xff;
bytes[1] = (msg >> 8) & 0xff;
bytes[2] = (msg >> 16) & 0xff;
将3个字节转换回整数:
// Shift each byte to its proper position and OR it into the integer.
int msg = ((int)bytes[2]) << 16;
msg |= ((int)bytes[1]) << 8;
msg |= bytes[0];
而且,是的,我完全清楚有更多的最佳方式。上面的目标是清晰度。
答案 1 :(得分:1)
你可以使用联盟:
union convert {
int i;
unsigned char c[3];
};
从int转换为bytes:
union convert cvt;
cvt.i = ...
// now you can use cvt.c[0], cvt.c[1] & cvt.c[2]
从字节转换为int:
union convert cvt;
cvt.i = 0; // to clear the high byte
cvt.c[0] = ...
cvt.c[1] = ...
cvt.c[2] = ...
// now you can use cvt.i
注意:以这种方式使用联合依赖于处理器字节顺序。我给出的例子将适用于小端系统(如x86)。
答案 2 :(得分:0)
一点指针诡计怎么样?
int foo = 1 + 2*256 + 3*65536;
const char *bytes = (const char*) &foo;
printf("%i %i %i\n", bytes[0], bytes[1], bytes[2]); // 1 2 3
如果你打算在生产代码中使用它,可能需要注意的事情,但基本的想法是理智的。