https://developer.apple.com/library/ios/qa/qa1480/_index.html

- (NSDate *)dateFromString:(NSString *)string {
    if (!string) {
        return nil;
    }
    
    
    NSDateFormatter *formatter = [[NSDateFormatter alloc] init];
    
    [formatter setDateFormat : @"yyyy'-'MM'-'dd'T'HH':'mm':'ss'"];
    [formatter setLocale:[[[NSLocale alloc] initWithLocaleIdentifier:@"zh_CN"] autorelease]];
    NSTimeZone *pdt = [NSTimeZone timeZoneWithAbbreviation:@"GMT"];
    [formatter setTimeZone:pdt];
    
    NSDate *dateTime = [formatter dateFromString:string];
    [formatter release];
    NSLog(@"%@", dateTime);
      return dateTime;
}

- (NSString *)stringFromDate:(NSDate *)date{
    
    NSDateFormatter *dateFormatter = [[NSDateFormatter alloc] init];
    [dateFormatter setDateFormat:@"yyyy-MM-dd HH:mm:ss"];
    [dateFormatter setLocale:[[[NSLocale alloc] initWithLocaleIdentifier:@"zh_CN"] autorelease]];
    NSTimeZone *pdt = [NSTimeZone timeZoneWithAbbreviation:@"GMT"];
    [dateFormatter setTimeZone:pdt];
    [dateFormatter setDateStyle:NSDateFormatterShortStyle];
    [dateFormatter setTimeStyle:NSDateFormatterShortStyle];
    NSString *destDateString = [dateFormatter stringFromDate:date];
    [dateFormatter release];
    
    return destDateString;
    
}

NSDateFormatter and Internet Dates

 
Technical Q&A QA1480

NSDateFormatter and Internet Dates

Q:  I'm using NSDateFormatter to parse an Internet-style date, but this fails for some users in some regions. I've set a specific date format string; shouldn't that force NSDateFormatter to work independently of the user's region settings?

A: I'm using NSDateFormatter to parse an Internet-style date, but this fails for some users in some regions. I've set a specific date format string; shouldn't that force NSDateFormatter to work independently of the user's region settings?

No. While setting a date format string will appear to work for most users, it's not the right solution to this problem. There are many places where format strings behave in unexpected ways. For example:

  • On Mac OS X, a user can change their calendar (using System Preferences > Language & Text > Format > Calendar). In that case NSDateFormatter will treat the numbers in the string you parse as if they were in the user's chosen calendar. For example, if the user selects the Buddhist calendar, parsing the year "2010" will yield an NSDate in 1467, because the year 2010 on the Buddhist calendar was the year 1467 on the (Gregorian) calendar that we use day-to-day.

  • On iPhone OS, the user can override the default AM/PM versus 24-hour time setting (via Settings > General > Date & Time > 24-Hour Time), which causes NSDateFormatter to rewrite the format string you set, which can cause your time parsing to fail.

To solve this problem properly, you have to understand that NSDateFormatter has two common roles:

  • generating and parsing user-visible dates

  • generating and parsing fixed-format dates, such as the RFC 3339-style dates used by many Internet protocols

If you're working with user-visible dates, you should avoid setting a date format string because it's very hard to predict how your format string will be expressed in all possible user configurations. Rather, you should try and limit yourself to setting date and time styles (via -[NSDateFormatter setDateStyle:] and -[NSDateFormatter setTimeStyle:]).

On the other hand, if you're working with fixed-format dates, you should first set the locale of the date formatter to something appropriate for your fixed format. In most cases the best locale to choose is "en_US_POSIX", a locale that's specifically designed to yield US English results regardless of both user and system preferences. "en_US_POSIX" is also invariant in time (if the US, at some point in the future, changes the way it formats dates, "en_US" will change to reflect the new behaviour, but "en_US_POSIX" will not), and between machines ("en_US_POSIX" works the same on iPhone OS as it does on Mac OS X, and as it it does on other platforms).

Once you've set "en_US_POSIX" as the locale of the date formatter, you can then set the date format string and the date formatter will behave consistently for all users.

Listing 1 shows how to use NSDateFormatter for both of the roles described above. First it creates a "en_US_POSIX" date formatter to parse the incoming RFC 3339 date string, using a fixed date format string and UTC as the time zone. Next, it creates a standard date formatter for rendering the date as a string to display to the user.

Listing 1  Parsing an RFC 3339 date-time

- (NSString *)userVisibleDateTimeStringForRFC3339DateTimeString:(NSString *)rfc3339DateTimeString
// Returns a user-visible date time string that corresponds to the
// specified RFC 3339 date time string. Note that this does not handle
// all possible RFC 3339 date time strings, just one of the most common
// styles.
{
NSString * userVisibleDateTimeString;
NSDateFormatter * rfc3339DateFormatter;
NSLocale * enUSPOSIXLocale;
NSDate * date;
NSDateFormatter * userVisibleDateFormatter; userVisibleDateTimeString = nil; // Convert the RFC 3339 date time string to an NSDate. rfc3339DateFormatter = [[[NSDateFormatter alloc] init] autorelease];
assert(rfc3339DateFormatter != nil); enUSPOSIXLocale = [[[NSLocale alloc] initWithLocaleIdentifier:@"en_US_POSIX"] autorelease];
assert(enUSPOSIXLocale != nil); [rfc3339DateFormatter setLocale:enUSPOSIXLocale];
[rfc3339DateFormatter setDateFormat:@"yyyy'-'MM'-'dd'T'HH':'mm':'ss'Z'"];
[rfc3339DateFormatter setTimeZone:[NSTimeZone timeZoneForSecondsFromGMT:0]]; date = [rfc3339DateFormatter dateFromString:rfc3339DateTimeString];
if (date != nil) { // Convert the NSDate to a user-visible date string. userVisibleDateFormatter = [[[NSDateFormatter alloc] init] autorelease];
assert(userVisibleDateFormatter != nil); [userVisibleDateFormatter setDateStyle:NSDateFormatterShortStyle];
[userVisibleDateFormatter setTimeStyle:NSDateFormatterShortStyle]; userVisibleDateTimeString = [userVisibleDateFormatter stringFromDate:date];
}
return userVisibleDateTimeString;
}

The code in Listing 1 is correct, but it's not as efficient as it could be. Specifically, it creates a date formatter, uses it once, and then throws it away. A better approach is the one shown in Listing 2. This holds on to its date formatters for subsequent reuse.

Listing 2  Parsing an RFC 3339 date-time more efficiently

static NSDateFormatter *    sUserVisibleDateFormatter;

- (NSString *)userVisibleDateTimeStringForRFC3339DateTimeString:(NSString *)rfc3339DateTimeString
// Returns a user-visible date time string that corresponds to the
// specified RFC 3339 date time string. Note that this does not handle
// all possible RFC 3339 date time strings, just one of the most common
// styles.
{
static NSDateFormatter * sRFC3339DateFormatter;
NSString * userVisibleDateTimeString;
NSDate * date; // If the date formatters aren't already set up, do that now and cache them
// for subsequence reuse. if (sRFC3339DateFormatter == nil) {
NSLocale * enUSPOSIXLocale; sRFC3339DateFormatter = [[NSDateFormatter alloc] init];
assert(sRFC3339DateFormatter != nil); enUSPOSIXLocale = [[[NSLocale alloc] initWithLocaleIdentifier:@"en_US_POSIX"] autorelease];
assert(enUSPOSIXLocale != nil); [sRFC3339DateFormatter setLocale:enUSPOSIXLocale];
[sRFC3339DateFormatter setDateFormat:@"yyyy'-'MM'-'dd'T'HH':'mm':'ss'Z'"];
[sRFC3339DateFormatter setTimeZone:[NSTimeZone timeZoneForSecondsFromGMT:0]];
} if (sUserVisibleDateFormatter == nil) {
sUserVisibleDateFormatter = [[NSDateFormatter alloc] init];
assert(sUserVisibleDateFormatter != nil); [sUserVisibleDateFormatter setDateStyle:NSDateFormatterShortStyle];
[sUserVisibleDateFormatter setTimeStyle:NSDateFormatterShortStyle];
} // Convert the RFC 3339 date time string to an NSDate.
// Then convert the NSDate to a user-visible date string. userVisibleDateTimeString = nil; date = [sRFC3339DateFormatter dateFromString:rfc3339DateTimeString];
if (date != nil) {
userVisibleDateTimeString = [sUserVisibleDateFormatter stringFromDate:date];
}
return userVisibleDateTimeString;
}

If you cache date formatters, or any other objects that depend on the user's current locale, you should subscribe to the NSCurrentLocaleDidChangeNotification notification and update your cached objects when the current locale changes. The code in Listing 2 defines sUserVisibleDateFormatter outside of the method so that other code, not shown, can update it as necessary. In contrast, sRFC3339DateFormatter is defined inside the method because, by design, it is not dependent on the user's locale settings.

Warning: In theory you could use +[NSLocale autoupdatingCurrentLocale] to create a locale that automatically accounts for changes in the user's locale settings. In practice this currently does not work with date formatters (r. 7792724) .

Finally, if you're willing to look at solutions outside of the Cocoa space, it's very easy and efficient to parse and generate fixed-format dates using the standard C library functions strptime_l and strftime_l. Be aware that the C library also has the idea of a current locale. To guarantee a fixed date format, you should pass NULL to the loc parameter of these routines. This causes them to use the POSIX locale (also known as the C locale), which is equivalent to Cocoa's "en_US_POSIX" locale.


Document Revision History

Date Notes
2010-04-29

RFC 3339 dates are always in UTC, so set the time zone on the RFC 3339 date formatter to UTC.

2010-03-31

New document that
explains how to use NSDateFormatter with fixed-format dates, like those in various Internet protocols.

 

Copyright © 2010 Apple Inc. All Rights Reserved. Terms of Use | Privacy Policy | Updated: 2010-04-29

 
 
Provide Feedback

How helpful is this document?

*

Very helpful

Somewhat helpful

Not helpful

How can we improve this document?

Fix typos or links

Fix incorrect information

Add or update code samples

Add or update illustrations

Add information about...

*

* Required information

To submit a product bug or enhancement request, please visit the Bug Reporter page.

Please read Apple's Unsolicited Idea Submission Policy before you send us your feedback.

最新文章

  1. Android开发学习—— Service 服务
  2. 【WPF】 通过FarPoint显示Excel
  3. Runtime 动态加载方法
  4. svn强制解锁的几种做法
  5. HTML5 重要标签以及属性学习
  6. Eclipse中通过Android模拟器调用OpenGL ES2.0函数操作步骤
  7. Earth Mover's Distance (EMD)
  8. 同一台电脑上安装两个tomcat服务器
  9. C# 中奇妙的函数–7. String Split 和 Join
  10. 【转】IOS 输入框被键盘遮盖的解决方法
  11. block 的演练和使用
  12. Docker-Linux环境安装
  13. addEventListener解决多个window.onscroll共存的2个方法
  14. Java 类的加载机制
  15. 清北学堂 清北-Day1-R1-Count
  16. Shell 变量、脚本参数
  17. VSCODE安装以及使用Python运行调试代码的简单记录
  18. Docker 技巧:删除 Docker 所有镜像
  19. 常用模块:os模块,logging模块等
  20. ABAP很厉害是怎么一种体验?

热门文章

  1. Java--容器/集合类(Collection)理解和使用
  2. windows显示文件扩展名
  3. vue源码构建代码分析
  4. Mysql 随机函数 rand()
  5. **没有规则可以创建“XXX”需要的目标“XXX”问题的解决方案
  6. numpy模块(对矩阵的处理,ndarray对象)
  7. python中 “==”和"is"的区别
  8. Python基础-__main__
  9. int (*a)[10] 和 int *a[10] 的区别
  10. python基础学习笔记——方法返回值