我只是想知道是否有一种快速简便的方法可以将属性的所有各种值打印到日志中以用于调试目的。就像我想知道所有 BOOL、浮点数等的值是什么。
问问题
9659 次
5 回答
30
这个问题似乎可以回答你的问题。
更新:
我很好奇,做了一个分类:
//Using Xcode 4.5.2 - iOS 6 - LLDB - Automatic Reference Counting
//NSObject+logProperties.h
@interface NSObject (logProperties)
- (void) logProperties;
@end
//NSObject+logProperties.m
#import "NSObject+logProperties.h"
#import <objc/runtime.h>
@implementation NSObject (logProperties)
- (void) logProperties {
NSLog(@"----------------------------------------------- Properties for object %@", self);
@autoreleasepool {
unsigned int numberOfProperties = 0;
objc_property_t *propertyArray = class_copyPropertyList([self class], &numberOfProperties);
for (NSUInteger i = 0; i < numberOfProperties; i++) {
objc_property_t property = propertyArray[i];
NSString *name = [[NSString alloc] initWithUTF8String:property_getName(property)];
NSLog(@"Property %@ Value: %@", name, [self valueForKey:name]);
}
free(propertyArray);
}
NSLog(@"-----------------------------------------------");
}
@end
将其包含在您的课程中:#import "NSObject+logProperties.h"
并调用[self logProperties];
这些属性!
于 2012-12-17T21:42:37.320 回答
7
当前的答案仅显示如何为属性执行此操作。如果您希望打印出每个实例变量,您可以执行以下操作。
- (void)logAllProperties {
unsigned int count;
Ivar *ivars = class_copyIvarList([self class], &count);
for (unsigned int i = 0; i < count; i++) {
Ivar ivar = ivars[i];
const char *name = ivar_getName(ivar);
const char *type = ivar_getTypeEncoding(ivar);
ptrdiff_t offset = ivar_getOffset(ivar);
if (strncmp(type, "i", 1) == 0) {
int intValue = *(int*)((uintptr_t)self + offset);
NSLog(@"%s = %i", name, intValue);
} else if (strncmp(type, "f", 1) == 0) {
float floatValue = *(float*)((uintptr_t)self + offset);
NSLog(@"%s = %f", name, floatValue);
} else if (strncmp(type, "@", 1) == 0) {
id value = object_getIvar(self, ivar);
NSLog(@"%s = %@", name, value);
}
// And the rest for other type encodings
}
free(ivars);
}
虽然我不会特别建议在实践中这样做,但如果它是出于调试目的,那很好。您可以将其实现为一个类别,NSObject
并在调试时保留它以供使用。如果完成了所有类型的编码,那么它可以成为一个非常好的小方法。
于 2012-12-17T22:01:36.597 回答
6
现在有这些方法NSObject
:
@interface NSObject (Private)
-(id)_ivarDescription;
-(id)_shortMethodDescription;
-(id)_methodDescription;
@end
迅速:
myObject.perform("_ivarDescription")
感谢这篇文章
于 2019-02-21T16:50:52.117 回答
0
是的,一种方法是询问所有属性,然后使用 KVC,例如:
//properties
unsigned int cProperties = 0;
objc_property_t *props = class_copyPropertyList(self.class, &cProperties);
for(int i = 0; i < cProperties; i++) {
const char *name = property_getName(props[i]);
NSLog(@"%@=%@", name, [self valueForKey:name];
}
另一种方法是遍历一个类的所有方法,获取返回类型,调用并打印它
于 2012-12-17T21:42:53.673 回答
-2
快速而肮脏的方法是覆盖debugDescription
:
-(NSString*)debugDescription {
NSString *str = [[NSString alloc] initWithFormat:@"My BOOL 1: %d, My Float: %f", self.myBool, self.myFoat];
return str;
}
当然,如果您的对象很复杂,这可能会很耗时。
于 2012-12-17T21:46:47.430 回答