Is there a way to get Xcode's debugger to show

2020-07-14 09:29发布

I'm trying to debug code that makes pretty heavy use of dates which has me comparing tons of different NSDate values in the debugger. The debugger is displaying those dates in UTC format--for example:

date1 = (NSDate *) 0x01b11460 @"2012-02-15 18:55:00 +0000"

It would be a lot easier for me if it would show them in my local timezone as that is what the test code I'm debugging seems to be using.

I do have feeling that I'm missing something much more basic here so I'm hoping someone can enlighten me. Thanks in advance.

3条回答
三岁会撩人
2楼-- · 2020-07-14 09:58

In the end, what worked best was in fact adding a Category for NSDate that just overrides the description method to return a string that represents the NSDate in my current timezone. I also made it DEBUG only as I really just need this override in place when debugging.

Here's the .h file I used:

#ifdef DEBUG

@interface NSDate (DebugHelper)

-(NSString *)description;

@end

#endif

and the .m file:

#ifdef DEBUG

#import "NSDate+DebugHelper.h"

@implementation NSDate (DebugHelper)

-(NSString *) description
{
    NSDateFormatter *dateFormatter = [[NSDateFormatter alloc] init];
    [dateFormatter setTimeZone:[NSTimeZone systemTimeZone]];
    [dateFormatter setTimeStyle:NSDateFormatterShortStyle];
    [dateFormatter setDateStyle:NSDateFormatterShortStyle];
    return [dateFormatter stringFromDate:self];
}

@end

#endif

Thanks to Jim Hayes and jrturton for the discussion and ideas that led to this answer.

查看更多
爷、活的狠高调
3楼-- · 2020-07-14 09:58

Just did the same thing, however instead of systemTimeZone I used localTimeZone (see the docs as to why it is slightly better). Also I noticed you are alloc'ing the dateFormatter object but never releasing it which is a leak.

Here's my category method:

-(NSString *) description;
{
    NSDateFormatter *dateFormatter = [[[NSDateFormatter alloc] init]autorelease];

    NSLocale *enUSPOSIXLocale = [[[NSLocale alloc] initWithLocaleIdentifier:@"en_US_POSIX"] autorelease];
    [dateFormatter setLocale:enUSPOSIXLocale]; 
    [dateFormatter setTimeZone:[NSTimeZone localTimeZone]];
    [dateFormatter setDateStyle:NSDateFormatterLongStyle];
    [dateFormatter setTimeStyle:NSDateFormatterLongStyle];

    NSString *dateString = [dateFormatter stringFromDate:self];
    return dateString;
}
查看更多
【Aperson】
4楼-- · 2020-07-14 10:01

While a little "hackish" you can create a subclass of NSDate and override just the

-(NSString *)description;

method to return a date formatted however you want.

The debugger isn't doing any special decoding for you, it's just calling the "description" method of the object it wants to display. A handy trick... (Which is why all my objects publish a concise description suitable for viewing in a debugger.)

查看更多
登录 后发表回答