最近遇见一个问题:我们的产品有服务期限,我就用系统的时间来判断服务期限是否到期。但是发现呢,用户可以通过改iPhone的系统时间从而继续使用我们的产品,也就是说[NSDate date]获取的是手机系统的时间,不是世界统一时间(在没网的情况下是无法去校准的)。所以最后决定用网络时间来处理这个问题。
思路很简单:1、创建一个网络请求,向一个永远生效的URL获取它的Respone。2、从Respone的allHeaderFields中拿到时间字符串。3、将时间字符串经过一些格式转换后,从而获取NSDate。
我对http://www.jianshu.com/p/ffc758b8eb0e上的代码进行了修改,我使用了异步获取,主线程返回,同时兼容中文和英文环境,返回的是时间戳(时间戳比较好对比),大家可以根据时间戳自行处理。
以下是源码(一个类方法),复制便可使用。
#pragma mark --请求网络时间戳
+ (void)getInternetDateWithSuccess:(void(^)(NSTimeInterval timeInterval))success
failure:(void(^)(NSError *error))failure{
//1.创建URL
NSString *urlString = @"http://m.baidu.com";
urlString = [urlString stringByAddingPercentEncodingWithAllowedCharacters:[NSCharacterSet URLQueryAllowedCharacterSet]];
//2.创建request请求对象
NSMutableURLRequest *request = [[NSMutableURLRequest alloc] init];
[request setURL:[NSURL URLWithString: urlString]];
[request setCachePolicy:NSURLRequestReloadIgnoringCacheData];
[request setTimeoutInterval:5];
[request setHTTPShouldHandleCookies:FALSE];
[request setHTTPMethod:@"GET"];
//3.创建URLSession对象
NSURLSession *session = [NSURLSession sharedSession];
//4.设置数据返回回调的block
NSURLSessionDataTask *task = [session dataTaskWithRequest:request completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
if (error == nil && response != nil) {
//这么做的原因是简体中文下的手机不能识别“MMM”,只能识别“MM”
NSArray *monthEnglishArray = @[@"Jan",@"Feb",@"Mar",@"Apr",@"May",@"Jun",@"Jul",@"Aug",@"Sept",@"Sep",@"Oct",@"Nov",@"Dec"];
NSArray *monthNumArray = @[@"01",@"02",@"03",@"04",@"05",@"06",@"07",@"08",@"09",@"09",@"10",@"11",@"12"];
NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *)response;
NSDictionary *allHeaderFields = [httpResponse allHeaderFields];
NSString *dateStr = [allHeaderFields objectForKey:@"Date"];
dateStr = [dateStr substringFromIndex:5];
dateStr = [dateStr substringToIndex:[dateStr length]-4];
dateStr = [dateStr stringByAppendingString:@" +0000"];
//当前语言是中文的话,识别不了英文缩写
for (NSInteger i = 0 ; i < monthEnglishArray.count ; i++) {
NSString *monthEngStr = monthEnglishArray[i];
NSString *monthNumStr = monthNumArray[i];
dateStr = [dateStr stringByReplacingOccurrencesOfString:monthEngStr withString:monthNumStr];
}
NSDateFormatter *dMatter = [[NSDateFormatter alloc] init];
[dMatter setDateFormat:@"dd MM yyyy HH:mm:ss Z"];
NSDate *netDate = [dMatter dateFromString:dateStr];
NSTimeInterval timeInterval = [netDate timeIntervalSince1970];
dispatch_async(dispatch_get_main_queue(), ^{
success(timeInterval);
});
}else{
dispatch_async(dispatch_get_main_queue(), ^{
failure(error);
});
}
}];
//5、执行网络请求
[task resume];
}
希望能帮到您。