时间戳

一. 关于 [NSDate date] 的问题

NSDate *date = [NSDate date];

NSLog(@"date时间 = %@", date);

初始化一个NSDate时间[NSDate date],获取的是零时区的时间(格林尼治的时间: 年-月-日 时:分:秒: +时区)

二.使用NSDateFormatter

NSDateFormatter *formatter = [[NSDateFormatter alloc] init];

[formatter setDateFormat:@"yyyy-MM-dd HH:mm:ss Z"];

//formatter.timeZone = [NSTimeZone timeZoneWithName:@"Asia/Shanghai"];//东八区时间(不设置会默认使用当前所在的时区,与设置系统时区formatter.timeZone = [NSTimeZone systemTimeZone]的效果是一样的)

//formatter.timeZone = [NSTimeZone timeZoneWithName:@"GMT"];//零区时间

NSString *dateStr = [formatter stringFromDate:date];

NSLog(@"当前时区时间时间 = %@", dateStr);

系统会默认[NSDate date]获取的时间为零时区时间,而经过NSDateFormatter转化为字符串时间就是当前所在时区的准确时间

三.NSDate转当前时区的NSDate时间

NSDate *date = [NSDate date];

NSTimeZone *zone = [NSTimeZone systemTimeZone];

NSInteger interval = [zone secondsFromGMTForDate:date];

NSDate *localDate = [date  dateByAddingTimeInterval:interval];

NSLog(@"localDate = %@",localDate);

3.1 这个方法存在的问题

这时如果转为字符串时间,又会增加8小时。因为做时间转换的时候,系统会认为这个NSDate是零时区,得到的字符串时间是东八区的。

解决办法是:将错就错,字符串时间也设置为零时区的字符串时间。从深坑跌入更深的坑!

NSDate *date = [NSDate date];

NSTimeZone *zone = [NSTimeZone systemTimeZone];

NSInteger interval = [zone secondsFromGMTForDate:date];

NSDate *localDate = [date dateByAddingTimeInterval:interval];

NSDateFormatter *formatter = [[NSDateFormatter alloc] init];

[formatter setDateFormat:@"yyyy-MM-dd HH:mm:ss"];

formatter.timeZone = [NSTimeZone timeZoneWithName:@"UTC"]; //(这里的@"UTC"是指世界标准时间,也是现在用的时间标准,东八区比这个时间也是快8小时,这里填@"GMT"也是可以的。)

NSString *dateStr = [formatter stringFromDate:localDate];

NSLog(@"字符串时间 = %@", dateStr);

四.时间戳转当前时间

NSDate *date = [NSDate date];

NSTimeInterval timeIn = [date timeIntervalSince1970];

NSDate *newDate = [NSDate dateWithTimeIntervalSince1970:timeIn];

NSDateFormatter *dateFormatter = [[NSDateFormatter alloc] init];

[dateFormatter setDateFormat:@"yyyy-MM-dd HH:mm:ss Z"];

NSString *newTime = [dateFormatter stringFromDate:newDate];

NSLog(@"初始化时间 = %@,时间戳=%.0f,时间戳转为NSDate时间 = %@,转为字符串时间 = %@", date, timeIn, newDate, newTime);

//注意时间戳使用的NSDate时间是当前零时区的时间!当前零时区时间!当前零时区时间!重要的事情说三遍!不要进行NSDate转当前时区的NSDate时间,再转时间戳。

你可能感兴趣的:(时间戳)