using DNS.Client;
using DNS.Client.RequestResolver;
using DNS.Protocol;
using DNS.Protocol.ResourceRecords;
using FastGithub.Configuration;
using Microsoft.Extensions.Caching.Memory;
using Microsoft.Extensions.Logging;
using Microsoft.Extensions.Options;
using System;
using System.Collections.Concurrent;
using System.Collections.Generic;
using System.Linq;
using System.Net;
using System.Net.Sockets;
using System.Runtime.CompilerServices;
using System.Threading;
using System.Threading.Tasks;
namespace FastGithub.DomainResolve
{
///
/// DNS客户端
///
sealed class DnsClient
{
private const int DNS_PORT = 53;
private const string LOCALHOST = "localhost";
private readonly DnscryptProxy dnscryptProxy;
private readonly FastGithubConfig fastGithubConfig;
private readonly ILogger logger;
private readonly ConcurrentDictionary semaphoreSlims = new();
private readonly IMemoryCache dnsCache = new MemoryCache(Options.Create(new MemoryCacheOptions()));
private readonly TimeSpan defaultEmptyTtl = TimeSpan.FromSeconds(30d);
private readonly int resolveTimeout = (int)TimeSpan.FromSeconds(2d).TotalMilliseconds;
private static readonly TimeSpan maxConnectTimeout = TimeSpan.FromSeconds(2d);
private record LookupResult(IPAddress[] Addresses, TimeSpan TimeToLive);
///
/// DNS客户端
///
///
///
///
public DnsClient(
DnscryptProxy dnscryptProxy,
FastGithubConfig fastGithubConfig,
ILogger logger)
{
this.dnscryptProxy = dnscryptProxy;
this.fastGithubConfig = fastGithubConfig;
this.logger = logger;
}
///
/// 解析域名
///
/// 远程结节
///
///
public async IAsyncEnumerable ResolveAsync(DnsEndPoint endPoint, [EnumeratorCancellation] CancellationToken cancellationToken)
{
var hashSet = new HashSet();
foreach (var dns in this.GetDnsServers())
{
var addresses = await this.LookupAsync(dns, endPoint, cancellationToken);
foreach (var address in addresses)
{
if (hashSet.Add(address) == true)
{
yield return address;
}
}
}
}
///
/// 获取dns服务
///
///
private IEnumerable GetDnsServers()
{
var cryptDns = this.dnscryptProxy.LocalEndPoint;
if (cryptDns != null)
{
yield return cryptDns;
yield return cryptDns;
}
foreach (var fallbackDns in this.fastGithubConfig.FallbackDns)
{
yield return fallbackDns;
}
}
///
/// 解析域名
///
///
///
///
///
private async Task LookupAsync(IPEndPoint dns, DnsEndPoint endPoint, CancellationToken cancellationToken = default)
{
var key = $"{dns}/{endPoint}";
var semaphore = this.semaphoreSlims.GetOrAdd(key, _ => new SemaphoreSlim(1, 1));
await semaphore.WaitAsync(CancellationToken.None);
try
{
if (this.dnsCache.TryGetValue(key, out var value))
{
return value;
}
var result = await this.LookupCoreAsync(dns, endPoint, cancellationToken);
this.dnsCache.Set(key, result.Addresses, result.TimeToLive);
var items = string.Join(", ", result.Addresses.Select(item => item.ToString()));
this.logger.LogInformation($"dns://{dns}:{endPoint.Host}->[{items}]");
return result.Addresses;
}
catch (OperationCanceledException)
{
this.logger.LogInformation($"dns://{dns}无法解析{endPoint.Host}:请求超时");
return Array.Empty();
}
catch (Exception ex)
{
this.logger.LogInformation($"dns://{dns}无法解析{endPoint.Host}:{ex.Message}");
return Array.Empty();
}
finally
{
semaphore.Release();
}
}
///
/// 解析域名
///
///
///
///
///
private async Task LookupCoreAsync(IPEndPoint dns, DnsEndPoint endPoint, CancellationToken cancellationToken = default)
{
if (endPoint.Host == LOCALHOST)
{
return new LookupResult(new[] { IPAddress.Loopback }, TimeSpan.MaxValue);
}
var resolver = dns.Port == DNS_PORT
? (IRequestResolver)new TcpRequestResolver(dns)
: new UdpRequestResolver(dns, new TcpRequestResolver(dns), this.resolveTimeout);
var request = new Request
{
RecursionDesired = true,
OperationCode = OperationCode.Query
};
request.Questions.Add(new Question(new Domain(endPoint.Host), RecordType.A));
var clientRequest = new ClientRequest(resolver, request);
var response = await clientRequest.Resolve(cancellationToken);
var addresses = response.AnswerRecords
.OfType()
.Where(item => IPAddress.IsLoopback(item.IPAddress) == false)
.Select(item => item.IPAddress)
.ToArray();
if (addresses.Length == 0)
{
return new LookupResult(addresses, this.defaultEmptyTtl);
}
if (addresses.Length > 1)
{
addresses = await OrderByConnectAnyAsync(addresses, endPoint.Port, cancellationToken);
}
var timeToLive = response.AnswerRecords.First().TimeToLive;
if (timeToLive <= TimeSpan.Zero)
{
timeToLive = this.defaultEmptyTtl;
}
return new LookupResult(addresses, timeToLive);
}
///
/// 连接速度排序
///
///
///
///
///
private static async Task OrderByConnectAnyAsync(IPAddress[] addresses, int port, CancellationToken cancellationToken)
{
var tasks = addresses.Select(address => ConnectAsync(address, port, cancellationToken));
var fastedAddress = await await Task.WhenAny(tasks);
if (fastedAddress == null)
{
return addresses;
}
var list = new List { fastedAddress };
foreach (var address in addresses)
{
if (address.Equals(fastedAddress) == false)
{
list.Add(address);
}
}
return list.ToArray();
}
///
/// 连接指定ip和端口
///
///
///
///
///
private static async Task ConnectAsync(IPAddress address, int port, CancellationToken cancellationToken)
{
try
{
using var timeoutTokenSource = new CancellationTokenSource(maxConnectTimeout);
using var linkedTokenSource = CancellationTokenSource.CreateLinkedTokenSource(cancellationToken, timeoutTokenSource.Token);
using var socket = new Socket(SocketType.Stream, ProtocolType.Tcp);
await socket.ConnectAsync(address, port, linkedTokenSource.Token);
return address;
}
catch (Exception)
{
return default;
}
}
}
}