优化NSDateFormatter?

为什么要优化NSDateFormatter?

首先,过度的创建NSDateFormatter用于NSDate与NSString之间转换,会导致App卡顿,打开Profile工具查一下性能,你会发现这种操作占CPU比例是非常高的。据官方说法,创建NSDateFormatter代价是比较高的,如果你使用的非常频繁,那么建议你缓存起来,缓存NSDateFormatter一定能提高效率。

Creating a date formatter is not a cheap operation. If you are likely to use a formatter frequently, it is typically more efficient to cache a single instance than to create and dispose of multiple instances. One approach is to use a static variable

在iOS 7之前,NSDateFormatter是非线程安全的,因此可能就会有两条或以上的线程同时访问同一个日期格式化对象,从而导致App崩溃。在iOS 7、macOS 10.9及以上系统版本,NSDateFormatter都是线程安全的,因此我们无需担心日期格式化对象在使用过程中被另外一条线程给修改

static NSDateFormatter *cachedDateFormatter = nil;
 
+ (NSDateFormatter *)cachedDateFormatter {
 
  // If the date formatters aren't already set up, create them and cache them for reuse.
 
  if (!dateFormatter) {
 
    dateFormatter = [[NSDateFormatter alloc] init];
 
    [dateFormatter setLocale:[NSLocale currentLocale]];
 
    [dateFormatter setDateFormat: @"YYYY-MM-dd HH:mm:ss"];
 
  }
 
  return dateFormatter;
 
}

如果缓存了日期格式化或者是其他依赖于current locale的对象,那么我们应该监听NSCurrentLocaleDidChangeNotification通知,当current locale变化时及时更新被缓存的日期格式化对象。

Date_Format_Patterns

优化NSDateFormatter?_第1张图片
常用时间样式

你可能感兴趣的:(优化NSDateFormatter?)