14

我试图弄清楚如何将一个 NSInteger(比如 56)转换为一个 NSString,它是原始(int)值的二进制表示。也许有人知道一种可以接受 56 并在 Objective C 中返回“111000”的格式化技术。谢谢大家。

4

3 回答 3

27

没有内置的格式化运算符可以做到这一点。如果您想将其转换为十六进制字符串,您可以这样做:

NSString *str = [NSString stringWithFormat:@"%x", theNumber];

要将其转换为二进制字符串,您必须自己构建它:

NSMutableString *str = [NSMutableString stringWithFormat:@""];
for(NSInteger numberCopy = theNumber; numberCopy > 0; numberCopy >>= 1)
{
    // Prepend "0" or "1", depending on the bit
    [str insertString:((numberCopy & 1) ? @"1" : @"0") atIndex:0];
}
于 2009-03-17T20:13:11.797 回答
21
NSString * binaryStringFromInteger( int number )
{
    NSMutableString * string = [[NSMutableString alloc] init];

    int spacing = pow( 2, 3 );
    int width = ( sizeof( number ) ) * spacing;
    int binaryDigit = 0;
    int integer = number;

    while( binaryDigit < width )
    {
        binaryDigit++;

        [string insertString:( (integer & 1) ? @"1" : @"0" )atIndex:0];

        if( binaryDigit % spacing == 0 && binaryDigit != width )
        {
            [string insertString:@" " atIndex:0];
        }

        integer = integer >> 1;
    }

    return string;
}

我从 Adam Rosenfield 的版本开始,修改为:

  • 在字节之间添加空格
  • 处理有符号整数

样本输出:

-7            11111111 11111111 11111111 11111001
7             00000000 00000000 00000000 00000111
-1            11111111 11111111 11111111 11111111
2147483647    01111111 11111111 11111111 11111111
-2147483648   10000000 00000000 00000000 00000000
0             00000000 00000000 00000000 00000000
2             00000000 00000000 00000000 00000010
-2            11111111 11111111 11111111 11111110
于 2010-12-08T23:09:42.983 回答
4

大致:

-(void)someFunction
{
  NSLog([self toBinary:input]);
}

-(NSString *)toBinary:(NSInteger)input
{
  if (input == 1 || input == 0) {
    return [NSString stringWithFormat:@"%d", input];
  }
  else {
    return [NSString stringWithFormat:@"%@%d", [self toBinary:input / 2], input % 2];
  }
}
于 2009-03-17T20:13:51.030 回答