.Net Core 3.0后台使用httpclient请求网络网页和图片_使用Core3.
目标:使用.net core最新的3.0版本,借助httpclient和本机的host域名代理,实现网络请求转发和内容获取,最终显示到目标客户端! 背景:本人在core领域是个新手,对core的使用不多,因此在实现的过程中遇到了很多坑,在这边博客中,逐一介绍下。下面进入正文 ? 正文:
1-启用httpClient注入: 参考文档:https://docs.microsoft.com/zh-cn/aspnet/core/fundamentals/http-requests?view=aspnetcore-3.0 services.AddHttpClient("configured-inner-handler").ConfigurePrimaryHttpMessageHandler(() => { return new HttpClientHandler() { AllowAutoRedirect = false,UseDefaultCredentials = truenew MyProxy(new Uri(你的代理Host")) }; }); 这里添加了httpClient的服务,且设置了一些其他选项:代理等 ? 2-添加和配置接受请求的中间件: ? 参考文档:1:??官网-中间件? ? ? 2:? ??ASP.NET到ASP.NET Core Http模块的迁移 a-创建中间件: public class DomainMappingMiddleware : BaseMiddleware { public ConfigSetting ConfigSetting { get; set; } public ILogger<DomainMappingMiddleware> Logger { public HttpClient HttpClient = null; private static object _Obj = new object(); public DomainMappingMiddleware(RequestDelegate next,IConfiguration configuration,IMemoryCache memoryCache,ConfigSetting configSetting,ILogger<DomainMappingMiddleware> logger,IHttpClientFactory clientFactory) : base(next,configuration,memoryCache) { this.ConfigSetting = configSetting; this.Logger = logger; this.HttpClient = clientFactory.CreateClient(domainServiceClient); } async Task Invoke(HttpContext httpContext) { string requestUrl = ; string requestHost = ; string dateFlag = DateTime.Now.ToString(yyyy-MM-dd hh:mm:ss:fff); requestUrl = httpContext.Request.GetDisplayUrl(); bool isExistDomain = bool isLocalWebsite = this.ConfigSetting.GetValue(IsLocalDomainService") == trueif (httpContext.Request.Query.ContainsKey(returnurl)) { requestUrl = httpContext.Request.Query[].ToString(); requestUrl = HttpUtility.UrlDecode(requestUrl); isLocalWebsite = ; } Match match = Regex.Match(requestUrl,DomainHostRegex)); if (match.Success) { isExistDomain = ; requestHost = match.Value; } #if DEBUG requestUrl = http://139.199.128.86:444/?returnurl=https%3A%2F%2F3w.huanqiu.com%2Fa%2Fc36dc8%2F9CaKrnKnonm; #endif (isExistDomain) { this.Logger.LogInformation(${dateFlag}_记录请求地址:{requestUrl},是否存在当前域:{isExistDomain},是否是本地环境:{isLocalWebsite}); bool isFile = ; //1-设置响应的内容类型 MediaTypeHeaderValue mediaType = if (requestUrl.Contains(.js)) { mediaType = new MediaTypeHeaderValue(application/x-javascript); mediaType.Encoding = System.Text.Encoding.UTF8; } else .csstext/css.pngimage/png); isFile = ; } .jpgimage/jpeg.icoimage/x-icon.gifimage/gif/api/") && !requestUrl.Contains(/viewsapplication/json); } else { mediaType = text/html); mediaType.Encoding = System.Text.Encoding.UTF8; } 2-获取响应结果 (isLocalWebsite) { 本地服务器将请求转发到远程服务器 requestUrl = MyDomainAgentHost") + ?returnurl=" + HttpUtility.UrlEncode(requestUrl); } if (isFile == ) { string result = await this.HttpClient.MyGet(requestUrl); if (httpContext.Response.HasStarted == ) { {dateFlag}_请求结束_{requestUrl}_长度{result.Length}); 请求结果展示在客户端,需要重新请求本地服务器,因此需要将https转为http result = result.Replace(https://",http://); 替换"/a.ico" 为:"http://www.baidu.com/a.ico" result = Regex.Replace(result,1)">"/(?=[a-zA-Z0-9]+)"{requestHost}/替换"www.baidu.com/a.ico" 为:""//(?=[a-zA-Z0-9]+)"http://必须有请求结果才能给内容类型赋值;如果请求过程出了异常再赋值,会报错:The response headers cannot be modified because the response has already started. httpContext.Response.ContentType = mediaType.ToString(); await httpContext.Response.WriteAsync(result ?? ""); } { {dateFlag}_请求结束_{requestUrl}_图片字节流长度{result.Length}_Response已启动); } } { byte[] result = .HttpClient.MyGetFile(requestUrl); {dateFlag}_请求结束_{requestUrl}_图片字节流长度{result.Length}); httpContext.Response.ContentType = mediaType.ToString(); await httpContext.Response.Body.WriteAsync(result,1)">0); } } } } } 继承类: /// <summary> /// 中间件基类 </summary> abstract BaseMiddleware { <summary> 等同于ASP.NET里面的WebCache(HttpRuntime.Cache) </summary> protected IMemoryCache MemoryCache { ; } 获取配置文件里面的配置内容 protected IConfiguration Configuration { public BaseMiddleware(RequestDelegate next,1)">params [] @params) { foreach (var item in @params) { if (item is IMemoryCache) { this.MemoryCache = (IMemoryCache)item; } IConfiguration) { this.Configuration = (IConfiguration)item; } } } } httpClient扩展类: HttpClientSingleston { async static Task<string> MyGet(this HttpClient httpClient,1)">string url) { using (HttpRequestMessage request = HttpRequestMessage(HttpMethod.Get,url)) { using (var response = await httpClient.SendAsync(request)) { (response.IsSuccessStatusCode) { using (Stream stream = response.Content.ReadAsStreamAsync()) { using (StreamReader streamReader = StreamReader(stream,Encoding.UTF8)) { result = streamReader.ReadToEndAsync(); } } } } } return result ?? ; } byte[]> MyGetFile( (response.IsSuccessStatusCode) { result = response.Content.ReadAsByteArrayAsync(); } } } return result ?? byte[]; } } ? b-注册中间件: 在Startup.cs的Configure方法中: app.UseMiddleware<DomainMappingMiddleware>(); ? 小结:该中间件负责接受请求,并处理请求(由于项目是用来专门处理网络网页和图片的,因此没有对请求的Url筛选过滤,实际使用时需要注意);该中间件即负责处理请求的转发,又负责处理网络图片和内容的获取; 转发的目的,当然是为了规避网络IP的限制,当你想访问某一网站却发现被禁止访问的时候,而这时候你又有一台可以正常访问的服务器且你和你的服务器能正常连接的时候,那么你就可以用这个方式了,做一个简单的代理服务器做中转,来间接访问我们想看的网站,是不是很神奇?? 哈哈,我觉得是的,因为没这么干过。 踩过的坑有:? ? bug0-HTTP Error 500.0 - ANCM In-Process Handler Load Failure bug1-The response headers cannot be modified because the response has already started. bug2-An unhandled exception was thrown by the application. IFeatureCollection has been disposed bug3-An unhandled exception was thrown by the application. The SSL connection could not be established,see inner exception. bug4-this request has no response data bug5-获取的网络图片返回字符串乱码 bug6-浏览器显示网页各种资源请求错误:IIS7.5 500 Internal Server Error bug7-response如何添加响应头? bug8-如何设置在core中设置服务器允许跨域请求? bug9-如何在Core中使用NLog日志记录请求信息和错误? ? 逐一解答: bug0:一般会在第一次在IIS上调试core项目会遇到,一般是因为电脑未安装AspNetCoreModuleV2对IIS支持Core的模块导致,还需要检查项目的应用程序池的.Net Framework版本是否是选择的无托管模式。
? ? ?参考其他道友文章:https://www.cnblogs.com/leoxjy/p/10282148.html
bug1:这是因为response发送响应消息后,又修改了response的头部的值抛出的异常,我上面列举的代码已经处理了该问题,该问题导致了我的大部分坑的产生,也是我遇到的最大的主要问题。这个错误描述很清楚,但是我从始至终的写法并没有在response写入消息后,又修改response的头部,且为了修改该问题,使用了很多辅助手段: 在发送消息前使用:if (httpContext.Response.HasStarted == false) 做判断后再发送,结果是错误少了一些,但是还是有的,后来怀疑是多线程可能导致的问题,我又加上了了lock锁,使用lock锁和response的状态一起判断使用,最后是堵住了该错误,但是我想要的内容并没有出现,且浏览器端显示了很多bug6错误。
最后是在解决bug2的时候,终于在google上搜索到正确的答案:Disposed IFeatureCollection for subsequent API requests? ??通过左边的文档找到了关键的开发指南: ASP.NET核心指南 通过指南发现我的一个严重错误: a-将httpContext及其属性(request,response等)存到了中间件的属性中使用!!!? ? X b-将httpContext及其属性(request,response等)存到了中间件的属性中使用!!!? ? XX c-将httpContext及其属性(request,response等)存到了中间件的属性中使用!!!? ? XXX 这个我自己挖的深坑导致我很多的错误! 不让这样用的原因主要是以为Core的特性,没错,就是注入,其中中间件是一个注入进来的单例模式的类,在启动后会初始化一次构造函数,但是之后的请求就不会再执行了,因此如果把context放到单例的属性中,结果可想而知,单例的属性在多线程下,数据不乱才改,response在发送消息后不被再次修改才怪!! ? ? ? ? bug2:同bug1. bug3:不记得怎么处理的了,可能和权限和https请求有关,遇到在修改解决方案吧,大家也可以百度和谷歌,是能搜到的,能不能解决问题,大家去试吧。 bug4:是请求没有响应的意思,这里是我在获取内容的时候使用的异步方法,没有使用await等待结果导致的。一般使用httpClient获取影响内容要加上:await httpClient.SendAsync(request),等待结果后再做下一步处理。 bug5:获取响应的图片乱码是困扰我的另一个主要问题: 初步的实现方式是:请求图片地址,获取响应字符,直接返回给客户端,这肯定不行。因为你需要在response的内容类型上加上对应的类型值: mediaType = new MediaTypeHeaderValue("image/jpeg"); httpContext.Response.ContentType = mediaType.ToString(); await httpContext.Response.WriteAsync(result ?? "") 蓝后,上面虽然加了响应的内容类型依然不行,因为图片是一种特殊的数据流,不能简单实用字符串传输的方式,字节数据在转换的过程中可能丢失。后来在领导的项目中看到了以下发送图片响应的方法: 直接输出文件 await response.SendFileAsync(physicalFileInfo); 尝试后发现,我只能将response的响应内容读取中字符串,怎么直接转成图片文件呢?? 难道我要先存下来,再通过这种方式发送出去,哎呀!物理空间有限啊,不能这么干,必须另想他发,百度和google搜索后都没有找到解决方案,终于想了好久,突然发现Response对象的Body属性是一个Stream类型,是可以直接出入字节数据的,于是最终的解决方案出炉啦: 本解决方案独一无二,百度谷歌独家一份,看到就是赚到哈!!! 一段神奇的代码产生了:await httpContext.Response.Body.WriteAsync(result,result.Length);
];
}
); MediaTypeHeaderValue mediaType = new MediaTypeHeaderValue("image/gif"); httpContext.Response.ContentType =); } bug6:同bug1. bug7:官网文档给了解决方案,总之就是,你不要在response写入消息后再修改response就好了。? ? 参照官方文档:? 发送HttpContext.Response.Headers
? ? ? bug8:直接上代码吧: 在Setup.cs的ConfigService方法中添加: services.AddCors(options => { options.AddPolicy(AllowSameDomain允许任何来源的主机访问 builder.AllowAnyOrigin() .AllowAnyHeader(); }); }); 在Setup.cs的Configure方法中添加: app.UseCors(); ? bug9:使用NLog日志的代码如下: 在Program.cs其中类的方法CreateHostBuilder添加以下加粗代码: static IHostBuilder CreateHostBuilder(string[] args) => Host.CreateDefaultBuilder(args) .ConfigureWebHostDefaults(webBuilder => { webBuilder.UseStartup<Startup>(); }).ConfigureLogging(logging =>https://github.com/NLog/NLog/wiki/Getting-started-with-ASP.NET-Core-3 logging.ClearProviders(); logging.SetMinimumLevel(LogLevel.Information); }).UseNLog(); 添加Nlog的配置文件:nlog.config <?xml version="1.0" encoding="utf-8" ?> <nlog xmlns="http://www.nlog-project.org/schemas/NLog.xsd" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" autoReload="true" internalLogLevel="Warn" internalLogFile="internal-nlog.txt"> <!--define various log targets--> targets> write logs to file--> target xsi:type="File" name="allfile" fileName="${basedir}/logs/${shortdate}.log" layout="${longdate}|${logger}|${uppercase:${level}}${newline}${message} ${exception}${newline}" /> ="Console"="console" layout= "${longdate}|${logger}|${uppercase:${level}}${newline}${message} ${exception}${newline}"/> </> rulesAll logs,including from Microsoft<logger name="*" minlevel="Trace" writeTo="allfile" />Skip Microsoft logs and so log only own logslogger name="*" minlevel="Info" writeTo="allfile" > nlog> ? 最后是给项目注入NLog的Nuget核心包引用:
? ? 使用方式是注入的方式: );
}
");
? 3-坑说完了,最后说说怎么绕过IP限制吧: 首先我们需要将https请求改成http请求,当然如果你的IIS支持Https可以不改;然后你需要修改本机的Host域名解析规则,将你要绕的域指向本机IIS服务器:127.0.0.1,不知道的小伙伴可以百度怎么修改本机域名解析;
? IIS接收到请求后,你还需要在项目中加上域名配置,端口号一定是80哦:
? ? 应用程序池配置:
? ? ? 这样就实现了将网络请求转到IIS中了,那么通过IIS部署的项目接收后,使用Core3.0最新的httpClient技术将请求转发到你的服务器中,当然你的服务器也需要一个项目来接收发来的请求; 最后是通过服务器项目发送网络请求到目标网站请求真正的内容,最后再依次返回给用户,也就是我们的浏览器,进行展示。。。 ? 结束了。。。写了2个小时的博客,有点累,欢迎大家留言讨论哈,不足之处欢迎指教! (编辑:李大同) 【声明】本站内容均来自网络,其相关言论仅代表作者个人观点,不代表本站立场。若无意侵犯到您的权利,请及时与联系站长删除相关内容! |
- asp.net-mvc – 如何使用app_start或webactivator注册区域?
- asp.net – .Net Core 2.0 – 获取AAD访问令牌以与Microsof
- asp.net-mvc – Asp.Net MVC主题,如何?
- 在asp.net的内容页面中查找母版页内的UnorderedList控件
- 如何在asp.net C#中的SQL Server中以YY格式获取年份#
- ASP.NET总结
- asp.net-core-mvc – 在Mvc6中,WriteAsync函数在哪里?
- asp.net – IIS Express安装目录在哪里?
- 在IIS托管的asp.net Web应用程序中打开页面时“无法找到资源
- asp.net-mvc – 我何时以及为什么要考虑asp.net MVC?
- Repeater中的ASP.NET DataGrid
- asp.net – 可能导致XML解析错误:没有找到元素?
- asp.net-mvc – ASP.NET MVC中的UserManager.Fin
- asp.net-mvc – 标准ASP.NET MVC ModelBinder的文
- asp.net-mvc – ActionExecutingContext – Acti
- asp.net – 防火墙背后的应用洞察
- asp.net-mvc – 在Action Filter中不正确地存储实
- iis-7 – ASP页面中的错误“80131509”
- asp.net – 检测到NonComVisibleBaseClass;我该如
- asp.net-mvc – 有什么图形设计器ASP.NET MVC吗?