注:本文为个人学习摘录,原文地址:https://blogs.msdn.microsoft.com/henrikn/2012/08/07/httpclient-httpclienthandler-and-webrequesthandler-explained/

In two previous blogs I describe how to use HttpClient as well as how to use the HttpMessageHandler pipeline. What we haven’t done explicitly is showing when and how to use HttpClientHttpClientHandler, and WebRequestHandler. This is the purpose of this blog.

The first thing to remember is that HttpClient uses the HttpMessageHandler pipeline for sending and receiving requests. The default handler implementations (HttpClientHandler and WebRequestHandler) both sit on top of HttpWebRequest which has a lot of properties for controlling how to deal with requests and responses. However, in order to stay simple, HttpClient doesn’t expose all these properties up front – it would make it unwieldy and show a lot of things that are rarely used.

If you need to access these properties then there are two ways of doing it: use either HttpClientHandler or WebRequestHandler. Both are HttpMessageHandlers hooked in as part of the HttpMessageHandler pipeline. Below we will describe when and how to use these handlers, how they differ, as well as how to combine them with your own handlers.

You can find this code for this sample in the aspnet.codeplex.com code repository and there are instructions here for how to use the samples.

HttpClient

The default HttpClient is the simplest way in which you can start sending requests. A single HttpClient can be used to send as many HTTP requests as you want concurrently so in many scenarios you can just create one HttpClient and then use that for all your requests.

HttpClient has a few properties that are commonly used and which you can set up until the point where you start sending requests, namely:

The properties exposed by HttpClient directly
Name Description
BaseAddress Gets or sets the base address of Uniform Resource Identifier (URI) of the Internet resource used when sending requests.
DefaultRequestHeaders Gets the headers which should be sent with each request.
MaxResponseContentBufferSize Gets or sets the maximum number of bytes to buffer when reading the response content.
Timeout Gets or sets the number of milliseconds to wait before the request times out.

Here’s an example of how to create a simple HttpClient and issue a request while setting the timeout for all requests:

   1: // Create an HttpClient and set the timeout for requests
   2: HttpClient client = new HttpClient();
   3: client.Timeout = TimeSpan.FromSeconds(10);
   4:  
   5: // Issue a request
   6: client.GetAsync(_address).ContinueWith(
   7:     getTask =>
   8:     {
   9:         if (getTask.IsCanceled)
  10:         {
  11:             Console.WriteLine("Request was canceled");
  12:         }
  13:         else if (getTask.IsFaulted)
  14:         {
  15:             Console.WriteLine("Request failed: {0}", getTask.Exception);
  16:         }
  17:         else
  18:         {
  19:             HttpResponseMessage response = getTask.Result;
  20:             Console.WriteLine("Request completed with status code {0}", response.StatusCode);
  21:         }
  22:     });

If you have additional handlers which you want to wire up as well then the simplest way is to use the HttpClientFactory class. Here’s an example wiring up 3 custom message handlers:

   1: // Create an HttpClient and add message handlers for the client
   2: HttpClient client = HttpClientFactory.Create(
   3:     new SampleHandler("Client A", 2),
   4:     new SampleHandler("Client B", 4),
   5:     new SampleHandler("Client C", 6));

HttpClientHandler

HttpClientHandler is an HttpMessageHandler with a common set of properties that works across most versions of the HttpWebRequest API. This is the default handler and so is what you get if you use the default constructor. However, in order to actually get access to the various properties (see below) you have to explicitly create it and then pass it to HttpClient.

List of Properties for HttpClientHandler
Name Description
AllowAutoRedirect Gets or sets a value that indicates whether the handler should follow redirection responses.
AutomaticDecompression Gets or sets the type of decompression method used by the handler for automatic decompression of the HTTP content response.
ClientCertificateOptions Gets or sets the collection of security certificates that are associated with this handler.
CookieContainer Gets or sets the cookie container used to store server cookies by the handler.
Credentials Gets or sets authentication information used by this handler.
MaxAutomaticRedirections Gets or sets the maximum number of redirects that the handler follows.
MaxRequestContentBufferSize Gets or sets the maximum request content buffer size used by the handler.
PreAuthenticate Gets or sets a value that indicates whether the handler sends an Authorization header with the request.
Proxy Gets or sets proxy information used by the handler.
SupportsAutomaticDecompression Gets a value that indicates whether the handler supports automatic response content decompression.
SupportsProxy Gets a value that indicates whether the handler supports proxy settings.
SupportsRedirectConfiguration Gets a value that indicates whether the handler supports configuration settings for theAllowAutoRedirect and MaxAutomaticRedirections properties.
UseCookies Gets or sets a value that indicates whether the handler uses the CookieContainer property to store server cookies and uses these cookies when sending requests.
UseDefaultCredentials Gets or sets a value that controls whether default credentials are sent with requests by the handler.
UseProxy Gets or sets a value that indicates whether the handler uses a proxy for requests.

Here’s an example of how to create an HttpClientHandler,  set a property, and pass it to HttpClient:

   1: // Create HttpClientHandler and set UseDefaultCredentials property
   2: HttpClientHandler clientHandler = new HttpClientHandler();
   3: clientHandler.UseDefaultCredentials = true;
   4:  
   5: // Create an HttpClient using the HttpClientHandler
   6: HttpClient client = new HttpClient(clientHandler);

Like above, you can combine your HttpClientHandler instance with other custom handlers, here’s what it looks like:

   1: // Create HttpClientHandler and set UseDefaultCredentials property
   2: HttpClientHandler clientHandler = new HttpClientHandler();
   3: clientHandler.UseDefaultCredentials = true;
   4:  
   5: // Create an HttpClient and add message handlers for the client
   6: HttpClient client = HttpClientFactory.Create(
   7:     clientHandler,
   8:     new SampleHandler("Client A", 2),
   9:     new SampleHandler("Client B", 4),
  10:     new SampleHandler("Client C", 6));

WebRequestHandler

WebRequestHandler derives from HttpClientHandler but adds properties that generally only are available on full .NET. The WebRequestHandler is not included in the System.Net.Http DLL but rather in System.Net.Http.WebRequest DLL so you have to explicitly include that as a reference in order to see it. Otherwise it won’t show up.

List of Properties for WebRequestHandler in addition to those of HttpClientHandler
Name Description
AllowPipelining Gets or sets a value that indicates whether to pipeline the request to the Internet resource.
AuthenticationLevel Gets or sets a value indicating the level of authentication and impersonation used for this request.
CachePolicy Gets or sets the cache policy for this request.
ClientCertificates Gets or sets the collection of security certificates that are associated with this request.
ContinueTimeout Gets or sets the amount of time, in milliseconds, the application will wait for 100-continue from the server before uploading data.
ImpersonationLevel Gets or sets the impersonation level for the current request.
MaxResponseHeadersLength Gets or sets the maximum allowed length of the response headers.
ReadWriteTimeout Gets or sets a time-out in milliseconds when writing a request to or reading a response from a server.
ServerCertificateValidationCallback Gets or sets a callback for verifying the remote Secure Sockets Layer (SSL) certificate used for authentication.
UnsafeAuthenticatedConnectionSharing Gets or sets a value that indicates whether to allow high-speed NTLM-authenticated connection sharing.

Here’s an example of how to create an WebRequestHandler, set a property, and pass it to HttpClient:

   1: // Create WebRequestHandler and set UseDefaultCredentials and AllowPipelining (for HTTP) properties
   2: WebRequestHandler webRequestHandler = new WebRequestHandler();
   3: webRequestHandler.UseDefaultCredentials = true;
   4: webRequestHandler.AllowPipelining = true;
   5:  
   6: // Create an HttpClient using the WebRequestHandler
   7: HttpClient client = new HttpClient(webRequestHandler);

Again, you can combine the WebRequestHandler with your own handlers as well – here’s what it looks like:

   1: // Create WebRequestHandler and set UseDefaultCredentials and AllowPipelining (for HTTP) properties
   2: WebRequestHandler webRequestHandler = new WebRequestHandler();
   3: webRequestHandler.UseDefaultCredentials = true;
   4: webRequestHandler.AllowPipelining = true;
   5:  
   6: // Create an HttpClient and add message handlers for the client
   7: HttpClient client = HttpClientFactory.Create(
   8:     webRequestHandler,
   9:     new SampleHandler("Client A", 2),
  10:     new SampleHandler("Client B", 4),
  11:     new SampleHandler("Client C", 6));

Have fun!

Henrik

HttpClient, HttpClientHandler, and WebRequestHandler介绍的更多相关文章

  1. HttpClient, HttpClientHandler, and WebRequestHandler Explained

    原文地址 https://blogs.msdn.microsoft.com/henrikn/2012/08/07/httpclient-httpclienthandler-and-webrequest ...

  2. 理解并使用.NET 4.5中的HttpClient

    HttpClient介绍 HttpClient是.NET4.5引入的一个HTTP客户端库,其命名空间为System.Net.Http..NET 4.5之前我们可能使用WebClient和HttpWeb ...

  3. 理解并使用.NET 4.5中的HttpClient(转)

    原文地址:http://www.cnblogs.com/wywnet/p/httpclient.html HttpClient介绍HttpClient是.NET4.5引入的一个HTTP客户端库,其命名 ...

  4. httpclient cer

    X509Certificate2 cer = new X509Certificate2(@"path", "********", X509KeyStorageF ...

  5. HttpClient相关

    HTTPClient的主页是http://jakarta.apache.org/commons/httpclient/,你可以在这里得到关于HttpClient更加详细的信息 HttpClient入门 ...

  6. HttpClient(4.3.3)实例讲解

    HttpClient的作用强大,真的是十分强大. 本实例是基于v4.3.3写的,,作用是模拟登陆后进行上下班打卡,,,使用htmlparser进行解析返回的html文件 关于HttpClient的一些 ...

  7. 重新想象 Windows 8.1 Store Apps (88) - 通信的新特性: 新的 HttpClient

    [源码下载] 重新想象 Windows 8.1 Store Apps (88) - 通信的新特性: 新的 HttpClient 作者:webabcd 介绍重新想象 Windows 8.1 Store ...

  8. .Net HttpClient 模拟登录微信公众平台发送消息

    1.模拟登录 public WeiXinRetInfo ExecLogin(string name, string pass) { CookieContainer cc = new CookieCon ...

  9. 使用HttpClient发送GET请求

    HttpRequestMessage http_req_msg = new HttpRequestMessage(); http_req_msg.Method = HttpMethod.Get; ht ...

随机推荐

  1. hdu 5997 rausen loves cakes(线段数合并+启发式修改)

    题目链接:hdu 5997 rausen loves cakes 题意: 给你n个点,每个点有一个颜色,现在有两个操作,第一个操作,将颜色x改为颜色y,第二个操作,询问[x,y]区间有多少颜色段(颜色 ...

  2. android 沉浸式状态栏的实现

    本文介绍一种简单的实现沉浸式状态栏的方法,要高于或等于api19才可以. 实现android沉浸式状态栏很简单,添加代码两步就可以搞定. 一.在activity中添加 getWindow().addF ...

  3. 随机love'...

    <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8&quo ...

  4. webservice(二)

    ---摘自网络,感谢提供者 WsExplorer和Tcp/Ip Monitor工具本身就存在于eclipse和MyEclipse中 使用工具的原因: 1.  使用工具可以更好的了解WebService ...

  5. layoutSubviews在什么情况下会被调用

    layoutSubviews在以下情况下会被调用: 1.init初始化不会触发layoutSubviews. 2.addSubview会触发layoutSubviews. 3.设置view的Frame ...

  6. css和css3学习

    css和css3学习 css布局理解 css颜色大全 样式的层叠和继承 css ::before和::after伪元素的用法 中文字体font-family常用列表 cursor属性 css选择器 F ...

  7. [SOJ] shortest path in unweighted graph

    Description 输入一个无向图,指定一个顶点s开始bfs遍历,求出s到图中每个点的最短距离. 如果不存在s到t的路径,则记s到t的距离为-1.   Input 输入的第一行包含两个整数n和m, ...

  8. [转] windows 上用程序putty使用 ssh自动登录Linux(Ubuntu)

    需求: 在Win7电脑上使用putty(一种ssh客户端)连接Ubuntu 工具: puttygen.exe 和 putty.exe 第一步:生成密匙 运行puttygen.exe,选择需要的密匙类型 ...

  9. BestCoder 百度之星2016

    20160523 百度之星初赛第一场 1001 All X Problem Description F(x, m)F(x,m) 代表一个全是由数字xx组成的mm位数字.请计算,以下式子是否成立: F( ...

  10. Visual Studio 2010 使用 ankhsvn

    之前用的 Windows XP + Visual Studio 2010 + ankhSvn,其中ankhSvn安装完后直接可用, 后来系统换成Windows10后安装ankhSvn,Extentio ...