//
// XRKURLProtocol.m
//
//
// Created by xx on 2022/3/29.
//
#import <Foundation/Foundation.h>
#import "XRKURLProtocol.h"
#include <arpa/inet.h>
#define MAX_DNS_CACHE_SECONDS (5* 60.0f) // DNS缓存在超过此时间后会被刷新
/*!
@abstract DNS解析记录信息
*/
@interface DnsRecord : NSObject
{
NSArray<NSString*> *ipsArr; // IP 地址序列
CFAbsoluteTime updateTime; // 记录更新的时间
}
- (nullable NSArray<const NSString*> *) getIpArr;
- (CFAbsoluteTime) getUpdateTime;
@end
@implementation DnsRecord
- (id)initWithIpArr:(nullable NSArray<NSString*> *) ips {
self = [super init];
if (self) {
updateTime = CFAbsoluteTimeGetCurrent();
ipsArr = ips;
}
return self;
}
- (nullable NSArray<NSString*> *) getIpArr {
return ipsArr;
}
- (CFAbsoluteTime) getUpdateTime {
return updateTime;
}
@end
@interface XRKURLProtocol (){
}
@property (nonatomic, strong) NSURLSession* session;
@end
@implementation XRKURLProtocol
/*!
@abstract 自定义标签,代表这个请求是我们自己创建的,后续不需要再进行处理,防止无限循环
*/
static NSString * URLProtocolHandledKey = @"URLProtocolHandledKey";
static NSCache<NSString*, DnsRecord *> *_dnsCache = NULL;
+(NSCache<NSString*, DnsRecord*> *)dnsCache{
if (!_dnsCache) {
@synchronized (self) {
if (!_dnsCache) {
_dnsCache = [[NSCache<NSString*, DnsRecord *> alloc]init];
}
}
}
return _dnsCache;
}
+ (BOOL)canInitWithRequest:(NSURLRequest *)request {
// 如果是我们自己发出的请求,则不进行拦截操作,直接放行
if ([NSURLProtocol propertyForKey:URLProtocolHandledKey inRequest:request]) {
return NO;
}
//http和https都会出现dns劫持情况,都需要处理
NSString *scheme = [[request URL] scheme];
if ((NSOrderedSame == [scheme caseInsensitiveCompare:@"https"]) || (NSOrderedSame == [scheme caseInsensitiveCompare:@"http"])) {
return YES;
}
return NO;
}
+ (NSURLRequest *)canonicalRequestForRequest:(NSURLRequest *)request {
return request;
}
+ (BOOL)requestIsCacheEquivalent:(NSURLRequest *)a toRequest:(NSURLRequest *)b {
return [super requestIsCacheEquivalent:a toRequest:b];
}
- (void)startLoading {
NSMutableURLRequest *mutableReqeust = [[self request] mutableCopy];
//打标签,防止无限循环
[NSURLProtocol setProperty:@YES forKey:URLProtocolHandledKey inRequest:mutableReqeust];
NSMutableURLRequest *request = [self.class replaceHostInRequset:mutableReqeust];
//使用NSURLSession继续把request发送出去
NSURLSessionConfiguration *config = [NSURLSessionConfiguration defaultSessionConfiguration];
self.session = [NSURLSession sessionWithConfiguration:config delegate:self delegateQueue:nil];
NSURLSessionDataTask *task = [self.session dataTaskWithRequest:request];
[task resume];
}
/*!
@abstract 进行DNS查询,并对返回的结果进行排序,返回顺序中,IPV4优先
*/
+(nonnull NSArray<NSString *> *)fireDnsQueryCommand:(const NSString *)host {
const CFStringRef hostNameRef = CFStringCreateWithCString(kCFAllocatorDefault, [host UTF8String], kCFStringEncodingASCII);
const CFHostRef hostRef = CFHostCreateWithName(kCFAllocatorDefault, hostNameRef);
const CFAbsoluteTime start = CFAbsoluteTimeGetCurrent();
Boolean result = CFHostStartInfoResolution(hostRef, kCFHostAddresses, NULL);
CFArrayRef addresses = NULL;
if (TRUE == result) {
addresses = CFHostGetAddressing(hostRef, &result);
}
const Boolean bResolved = TRUE == result ? true : false;
NSMutableArray<NSString *> * ipsArr = [[NSMutableArray<NSString *> alloc] init];
if(bResolved && (NULL != addresses))
{
for(int i = 0; i < CFArrayGetCount(addresses); i++)
{
const CFDataRef data = (CFDataRef)CFArrayGetValueAtIndex(addresses, i);
const struct sockaddr_in* addr = (struct sockaddr_in*)CFDataGetBytePtr(data);
//获取IP地址
if((NULL != addr) &&(AF_INET == addr->sin_family))
{
char ip[16];
const char* ipv4s = inet_ntop(AF_INET, &(addr->sin_addr),
ip, sizeof(ip));
NSString * const hostipv4 = [NSString stringWithCString:ipv4s encoding:NSUTF8StringEncoding];
[ipsArr addObject:hostipv4];
}
}
for(int i = 0; i < CFArrayGetCount(addresses); i++)
{
const CFDataRef data = (CFDataRef)CFArrayGetValueAtIndex(addresses, i);
const struct sockaddr_in* addr = (struct sockaddr_in*)CFDataGetBytePtr(data);
//获取IP地址
if((NULL != addr) &&(AF_INET6 == addr->sin_family))
{
char ip[64];
const struct sockaddr_in6 * ipv6_addr =(struct sockaddr_in6 *)addr;
const char* ipv6s = inet_ntop(AF_INET6, &(ipv6_addr->sin6_addr),
ip, sizeof(ip));
const NSString * nsipv6 = [NSString stringWithCString:ipv6s encoding:NSUTF8StringEncoding];
NSString * const hostipv6 = [NSString stringWithFormat:@"[%@]",nsipv6];
[ipsArr addObject:hostipv6];
}
}
}
CFAbsoluteTime end = CFAbsoluteTimeGetCurrent();
NSLog(@"=== ip === %@ === time cost: %0.3fs", ipsArr,end - start);
CFRelease(hostNameRef);
CFRelease(hostRef);
return ipsArr;
}
/*!
@abstract 进行DNS查询,并对返回的结果进行排序,返回顺序中,IPV4优先,并对查询结果进行缓存
*/
+(nonnull NSArray<NSString *> *)doDnsQueryCacheCommand:(NSString * const)host {
NSArray<NSString*>* ips = [self fireDnsQueryCommand:host];
if (ips && ips.count > 0) {
DnsRecord* dnsRec = [[DnsRecord alloc] initWithIpArr:ips];
[[self dnsCache] setObject:dnsRec forKey:host];
}
return ips;
}
/*!
@abstract 进行DNS查询,并对返回的结果进行排序,返回顺序中,IPV4优先,并对查询结果进行缓存
*/
+(nullable NSArray<NSString *> *)doDnsQueryCommand:(NSString * const)host {
NSArray<NSString*> * ips = nil;
DnsRecord* dnsRec = [[self dnsCache] objectForKey:host];
if(dnsRec) {
ips = [dnsRec getIpArr];
if (ips && ips.count > 0) {
// 检查是否超时,超时则发出异步更新命令
CFAbsoluteTime recTime = [dnsRec getUpdateTime];
CFAbsoluteTime currTime = CFAbsoluteTimeGetCurrent();
if(fabs(currTime - recTime) > MAX_DNS_CACHE_SECONDS) {
dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{
[self doDnsQueryCacheCommand:host];
});
}
} else {
ips = [self doDnsQueryCacheCommand:host];
}
} else {
ips = [self doDnsQueryCacheCommand:host];
}
return ips;
}
/*!
@abstract 使用IP替换原来的域名,实现访问控制
*/
+ (NSMutableURLRequest *)replaceHostInRequset:(NSMutableURLRequest *)request {
if ([request.URL host].length == 0) {
return request;
}
NSString *nsOriginUrl = [request.URL absoluteString];
NSString *nsOriginHost = [request.URL host];
NSRange hostRange = [nsOriginUrl rangeOfString:nsOriginHost];
if (NSNotFound == hostRange.location) {
return request;
}
//先从缓存中获取IP地址,如果获取不到则进行解析并缓存
NSArray<NSString*> * ips = [self doDnsQueryCommand: nsOriginHost];
if (ips && ips.count > 0) {
NSString *ip = ips[0];
if (ip && ip.length) {
// 替换host
NSString *urlString = [nsOriginUrl stringByReplacingCharactersInRange:hostRange withString:ip];
NSURL *url = [NSURL URLWithString:urlString];
request.URL = url;
[request setValue:nsOriginHost forHTTPHeaderField:@"Host"];
}
}
return request;
}
- (void)stopLoading {
[self.session invalidateAndCancel];
self.session = nil;
}
/*!
@abstract 需要进行HTTPS的证书认证的时候,我们需要使用被替换成IP的域名来进行证书的查询操作
*/
-(void)URLSession:(NSURLSession *)session didReceiveChallenge:(NSURLAuthenticationChallenge *)challenge completionHandler:(void (^)(NSURLSessionAuthChallengeDisposition, NSURLCredential * _Nullable))completionHandler{
if (!challenge) {
return;
}
NSURLSessionAuthChallengeDisposition disposition = NSURLSessionAuthChallengePerformDefaultHandling;
NSURLCredential *credential = nil;
/*
* 获取原始域名信息。
*/
NSString* host = [[self.request allHTTPHeaderFields] objectForKey:@"Host"];
if (!host) {
host = self.request.URL.host;
}
// 检查质询的验证方式是否是服务器端证书验证,HTTPS的验证方式就是服务器端证书验证
if ([challenge.protectionSpace.authenticationMethod isEqualToString:NSURLAuthenticationMethodServerTrust]) {
if ([self evaluateServerTrust:challenge.protectionSpace.serverTrust forDomain:host]) {
disposition = NSURLSessionAuthChallengeUseCredential;
credential = [NSURLCredential credentialForTrust:challenge.protectionSpace.serverTrust];
} else {
disposition = NSURLSessionAuthChallengePerformDefaultHandling;
}
} else {
disposition = NSURLSessionAuthChallengePerformDefaultHandling;
}
// 对于其他的challenges直接使用默认的验证方案
completionHandler(disposition,credential);
}
/*!
@abstract 验证服务器证书是否合法
*/
- (BOOL)evaluateServerTrust:(SecTrustRef)serverTrust
forDomain:(NSString *)domain {
/*
* 创建证书校验策略
*/
NSMutableArray *policies = [NSMutableArray array];
if (domain) {
[policies addObject:(__bridge_transfer id)SecPolicyCreateSSL(true, (__bridge CFStringRef)domain)];
} else {
[policies addObject:(__bridge_transfer id)SecPolicyCreateBasicX509()];
}
/*
* 绑定校验策略到服务端的证书上
*/
SecTrustSetPolicies(serverTrust, (__bridge CFArrayRef)policies);
#if (defined(__IPHONE_OS_VERSION_MIN_REQUIRED) && __IPHONE_OS_VERSION_MIN_REQUIRED < __IPHONE_12_0) || (defined(__MAC_OS_X_VERSION_MIN_REQUIRED) && __MAC_OS_X_VERSION_MIN_REQUIRED < __MAC_10_14)
if (@available(iOS 12.0, macOS 10.14, tvOS 12.0, watchOS 5.0,*)) {
return SecTrustEvaluateWithError(serverTrust, nil);
} else {
/*
* 评估当前serverTrust是否可信任,
* 官方建议在result = kSecTrustResultUnspecified 或 kSecTrustResultProceed
* 的情况下serverTrust可以被验证通过,https://developer.apple.com/library/ios/technotes/tn2232/_index.html
* 关于SecTrustResultType的详细信息请参考SecTrust.h
*/
SecTrustResultType result;
SecTrustEvaluate(serverTrust, &result);
return ((kSecTrustResultUnspecified == result) || (kSecTrustResultProceed == result));
}
#else
return SecTrustEvaluateWithError(serverTrust, nil);
#endif
}
- (void)URLSession:(NSURLSession *)session dataTask:(NSURLSessionDataTask *)dataTask didReceiveResponse:(NSURLResponse *)response completionHandler:(void (^)(NSURLSessionResponseDisposition))completionHandler
{
[self.client URLProtocol:self didReceiveResponse:response cacheStoragePolicy:NSURLCacheStorageNotAllowed];
completionHandler(NSURLSessionResponseAllow);
}
- (void)URLSession:(NSURLSession *)session dataTask:(NSURLSessionDataTask *)dataTask didReceiveData:(NSData *)data
{
// 打印返回数据
// NSString *dataStr = [[NSString alloc] initWithData:data encoding:NSUTF8StringEncoding];
// if (dataStr) {
// NSLog(@"***截取数据***: %@", dataStr);
// }
[self.client URLProtocol:self didLoadData:data];
}
- (void)URLSession:(NSURLSession *)session task:(NSURLSessionTask *)task didCompleteWithError:(NSError *)error
{
if (error) {
[self.client URLProtocol:self didFailWithError:error];
} else {
[self.client URLProtocolDidFinishLoading:self];
}
}
@end