您好我正在尝试在Objective-C中创建一个Decimal到二进制数字转换器但是已经不成功了...到目前为止,我有以下方法,这是一种尝试从Java转换为类似方法的方法。任何使这种方法有效的帮助都非常感激。
+(NSString *) DecToBinary: (int) decInt
{
int result = 0;
int multiplier;
int base = 2;
while(decInt > 0)
{
int r = decInt % 2;
decInt = decInt / base;
result = result + r * multiplier;
multiplier = multiplier * 10;
}
return [NSString stringWithFormat:@"%d",result];
答案 0 :(得分:10)
我会使用位移来达到整数
的每一位x = x >> 1;
将位向左移动一位,小数13以位为单位表示为1101,因此将其向右移位会产生110-> 1。 6。
x&1
是掩码x与1
1101
& 0001
------
= 0001
组合这些行将从最低位到最高位进行迭代,我们可以将此位作为格式化整数添加到字符串中。
对于unsigned int,可能就是这样。
#import <Foundation/Foundation.h>
@interface BinaryFormatter : NSObject
+(NSString *) decToBinary: (NSUInteger) decInt;
@end
@implementation BinaryFormatter
+(NSString *)decToBinary:(NSUInteger)decInt
{
NSString *string = @"" ;
NSUInteger x = decInt;
while (x>0) {
string = [[NSString stringWithFormat: @"%lu", x&1] stringByAppendingString:string];
x = x >> 1;
}
return string;
}
@end
int main(int argc, const char * argv[])
{
@autoreleasepool {
NSString *binaryRepresentation = [BinaryFormatter decToBinary:13];
NSLog(@"%@", binaryRepresentation);
}
return 0;
}
此代码将返回1101
,即二进制表示形式13。
使用do-while缩短表单,x >>= 1
是x = x >> 1
的缩写形式:
+(NSString *)decToBinary:(NSUInteger)decInt
{
NSString *string = @"" ;
NSUInteger x = decInt ;
do {
string = [[NSString stringWithFormat: @"%lu", x&1] stringByAppendingString:string];
} while (x >>= 1);
return string;
}
答案 1 :(得分:0)
dup2()