ChatGPT解决这个技术问题 Extra ChatGPT

如何在 NSLog 中打印布尔标志?

有没有办法在 NSLog 中打印布尔标志的值?


B
BoltClock

这是我的做法:

BOOL flag = YES;
NSLog(flag ? @"Yes" : @"No");

?: 是以下形式的三元条件运算符:

condition ? result_if_true : result_if_false

在适当的地方相应地替换实际的日志字符串。


也很容易将其设为宏:#define StringFromBOOL(b) ((b) ? @"YES" : @"NO")
这怎么会有这么多票?这不是如何记录布尔值,而是如何根据布尔值记录不同的值。
@Acey:显然,人们(包括最初的提问者)对后者更感兴趣。如果我冒险猜测,那是因为直接打印值 (0/1) 不是很有意义。
@BoltClock 0/1 在日志输出中没有意义?我以为我们都是这里的程序员哈哈
K
Kevin

%d0 为 FALSE,1 为 TRUE。

BOOL b; 
NSLog(@"Bool value: %d",b);

或者

NSLog(@"bool %s", b ? "true" : "false");

基于数据类型 %@ 更改如下

For Strings you use %@
For int  you use %i
For float and double you use %f

C
Chandan Shetty SP

布尔值只是整数而已,它们只是类型转换的值,例如...

typedef signed char     BOOL; 

#define YES (BOOL)1
#define NO (BOOL)0

BOOL value = YES; 
NSLog(@"Bool value: %d",value);

如果输出为 1,则为 YES,否则为 NO


不,布尔是 signed char。如果提供了 0 或 1 以外的值,您的表达式可能会计算不正确。
不,BOOL 的类型取决于您的编译器(32 位还是 64 位),并且通常与 bool 类型不同。另一方面,bool 是 bool,它是标准类型,与带符号的 char 不同。
a
arcticmatt

请注意,在 Swift 中,您可以这样做

let testBool: Bool = true
NSLog("testBool = %@", testBool.description)

这将记录 testBool = true


在 Swift 中,您可以只使用 print()
x
xizor

虽然这不是对 Devang 问题的直接回答,但我相信下面的宏对希望记录 BOOL 的人非常有帮助。这将注销 bool 的值,并自动用变量的名称标记它。

#define LogBool(BOOLVARIABLE) NSLog(@"%s: %@",#BOOLVARIABLE, BOOLVARIABLE ? @"YES" : @"NO" )

BOOL success = NO;
LogBool(success); // Prints out 'success: NO' to the console

success = YES;
LogBool(success); // Prints out 'success: YES' to the console

一个有用的宏,尤其是显示变量名的技巧。就个人而言,我不会使用 BOOL 作为参数名称以避免混淆。
g
green_knight

Apple 的 FixIt 提供了 %hhd,它正确地给出了我的 BOOL 值。


u
user3182143

我们可以通过四种方式检查

第一种方法是

BOOL flagWayOne = TRUE; 
NSLog(@"The flagWayOne result is - %@",flagWayOne ? @"TRUE":@"FALSE");

第二种方式是

BOOL flagWayTwo = YES; 
NSLog(@"The flagWayTwo result is - %@",flagWayTwo ? @"YES":@"NO");

第三种方式是

BOOL flagWayThree = 1;
NSLog(@"The flagWayThree result is - %d",flagWayThree ? 1:0);

第四种方式是

BOOL flagWayFour = FALSE; // You can set YES or NO here.Because TRUE = YES,FALSE = NO and also 1 is equal to YES,TRUE and 0 is equal to FALSE,NO whatever you want set here.
NSLog(@"The flagWayFour result is - %s",flagWayFour ? YES:NO);

S
Saqib R.
NSArray *array1 = [NSArray arrayWithObjects:@"todd1", @"todd2", @"todd3", nil];
bool objectMembership = [array1 containsObject:@"todd1"];
NSLog(@"%d",objectMembership);  // prints 1 or 0

j
josliber

您可以这样做:

BOOL flag = NO;
NSLog(flag ? @"YES" : @"NO");

这基本上是四年前@BoltClock 部分答案的重复。
T
Tamás Sengel

在 Swift 中,您可以简单地打印一个布尔值,它将显示为 truefalse

let flag = true
print(flag) //true

Z
Zen Of Kursat
//assuming b is BOOL. ternary operator helps us in any language.
NSLog(@"result is :%@",((b==YES)?@"YES":@"NO"));

(b==YES) 与 b 相同。如所列,您依靠编译器的优化器将其降低到 (b ? @"YES" : @"NO")
c
crifan

直接将 bool 打印为整数

BOOL curBool = FALSE;
NSLog(@"curBool=%d", curBool);

-> curBool=0

将布尔转换为字符串

char* boolToStr(bool curBool){
    return curBool ? "True": "False";
}

BOOL curBool = FALSE;
NSLog(@"curBool=%s", boolToStr(curBool));

-> curBool=False