DEV Community

Adrián Bailador
Adrián Bailador

Posted on • Updated on

Control HTTP Requests in .NET: Methods, Response Handling and Use of External Libraries

HTTP Methods in .NET

In this article, we'll explore various HTTP methods and their applications within .NET. Each method serves a distinct purpose and finds utility in different scenarios. Below, we provide comprehensive explanations for each method along with examples illustrating their usage in a blog application.

1. GET

The GET method retrieves information from a resource without altering anything on the server. For example, it's suitable for fetching a list of all blogs or obtaining details of a specific blog.

HttpClient client = new HttpClient();
HttpResponseMessage response = await client.GetAsync("http://example.com/blogs");
Enter fullscreen mode Exit fullscreen mode

2. POST

POST sends data to the server to create a new resource. For instance, it can be used to create a new blog.

HttpClient client = new HttpClient();
HttpContent content = new StringContent("{\"title\":\"My first blog\", \"content\":\"Hello world!\"}", Encoding.UTF8, "application/json");
HttpResponseMessage response = await client.PostAsync("http://example.com/blogs", content);
Enter fullscreen mode Exit fullscreen mode

3. PUT

PUT updates an existing resource or creates it if it doesn't exist. For instance, it's suitable for fully updating an existing blog.

HttpClient client = new HttpClient();
HttpContent content = new StringContent("{\"id\":1, \"title\":\"Updated my first blog\", \"content\":\"Updated content\"}", Encoding.UTF8, "application/json");
HttpResponseMessage response = await client.PutAsync("http://example.com/blogs/1", content);
Enter fullscreen mode Exit fullscreen mode

4. DELETE

DELETE removes a specified resource. For instance, it can be used to delete a blog.

HttpClient client = new HttpClient();
HttpResponseMessage response = await client.DeleteAsync("http://example.com/blogs/1");
Enter fullscreen mode Exit fullscreen mode

5. PATCH

PATCH applies partial modifications to a resource. For instance, it's useful for updating only the title of a blog, but not its content.

HttpClient client = new HttpClient();
HttpContent content = new StringContent("[{\"op\":\"replace\", \"path\":\"/title\", \"value\":\"Updated Title\"}]", Encoding.UTF8, "application/json");
HttpRequestMessage request = new HttpRequestMessage(new HttpMethod("PATCH"), "http://example.com/blogs/1") { Content = content };
HttpResponseMessage response = await client.SendAsync(request);
Enter fullscreen mode Exit fullscreen mode

6. HEAD

HEAD requests metadata of a resource, similar to GET but without the response body. For instance, it's handy for checking if a blog exists without downloading the entire content.

HttpClient client = new HttpClient();
HttpRequestMessage request = new HttpRequestMessage(HttpMethod.Head, "http://example.com/blogs/1");
HttpResponseMessage response = await client.SendAsync(request);
Enter fullscreen mode Exit fullscreen mode

7. CONNECT

The CONNECT method isn't directly supported by HttpClient in .NET. CONNECT is typically used to establish a tunnel to the server identified by the target resource. This method is commonly used in HTTP proxies for establishing a secure SSL/TLS connection through an unencrypted HTTP proxy.

8. OPTIONS

OPTIONS describe communication options for the target resource. For instance, it can be used to determine which HTTP methods are supported by a blog.

HttpClient client = new HttpClient();
HttpRequestMessage request = new HttpRequestMessage(HttpMethod.Options, "http://example.com/blogs/1");
HttpResponseMessage response = await client.SendAsync(request);
Enter fullscreen mode Exit fullscreen mode

9. TRACE

The TRACE method isn't directly supported by HttpClient in .NET. TRACE is used to echo the received request so that the client can see what (if any) changes or additions have been made by intermediate servers.

Handling HTTP Responses and Status Codes

When you send an HTTP request, the server responds with an HTTP status code, indicating the success or failure of the request. Common status codes include:

  • 200 OK
  • 201 Created
  • 400 Bad Request
  • 401 Unauthorized
  • 403 Forbidden
  • 404 Not Found
  • 500 Internal Server Error

To handle these status codes in .NET:

if (response.StatusCode == HttpStatusCode.OK)
{
    // Successful request.
}
else if (response.StatusCode == HttpStatusCode.NotFound)
{
    // Resource not found.
}
else
{
    // Other errors.
}
Enter fullscreen mode Exit fullscreen mode

Handling Errors and Exceptions

It's essential to handle errors and exceptions when working with HTTP requests. For example, network errors or unavailability of the server can lead to request failures. To handle these, use a try/catch block:

try
{
    HttpResponseMessage response = await client.GetAsync("http://example.com/blogs");
    // Process the response here.
}
catch (HttpRequestException e)
{
    // Request error.
    Console.WriteLine($"Request exception: {e.Message}");
}
catch (Exception e)
{
    // Other exceptions.
    Console.WriteLine($"General exception: {e.Message}");
}
Enter fullscreen mode Exit fullscreen mode

Closing the HTTP Connection

After using HttpClient, it's crucial to close the HTTP connection. Failing to do so may exhaust the maximum allowed connections to a server. You can close the connection by calling the Dispose method:

client.Dispose();
Enter fullscreen mode Exit fullscreen mode

Alternatively, use the using statement for automatic closure:

using (HttpClient client = new HttpClient())
{
    HttpResponseMessage response = await client.GetAsync("http://example.com/blogs");
    // Process the response here.
}
Enter fullscreen mode Exit fullscreen mode

Examples of Usage in Different Scenarios

User Authentication

HttpClient client = new HttpClient();
HttpContent content = new StringContent("{\"username\":\"user\", \"password\":\"pass\"}", Encoding.UTF8, "application/json");
HttpResponseMessage response = await client.PostAsync("http://example.com/login", content);
Enter fullscreen mode Exit fullscreen mode

Managing Comments on a Blog

HttpClient client = new HttpClient();
HttpContent content = new StringContent("{\"postId\":1, \"comment\":\"Great article!\"}", Encoding.UTF8, "application/json");
HttpResponseMessage response = await client.PostAsync("http://example.com/blogs/1/comments", content);
Enter fullscreen mode Exit fullscreen mode

File Upload

HttpClient client = new HttpClient();
MultipartFormDataContent formData = new MultipartFormDataContent();
byte[] fileBytes = File.ReadAllBytes("file.txt");
formData.Add(new ByteArrayContent(fileBytes), "file", "file.txt");
HttpResponseMessage response = await client.PostAsync("http://example.com/upload", formData);
Enter fullscreen mode Exit fullscreen mode

Using External Libraries

There are popular libraries that simplify handling HTTP requests in .NET, such as RestSharp and Refit. These libraries provide convenient abstractions and additional features to streamline your code and improve readability. Here's a brief example of how these libraries can be used:

RestSharp

RestSharp is a simple REST and HTTP API client for .NET. It offers a fluent interface for building HTTP requests and handling responses.

var client = new RestClient("http://example.com");
var request = new RestRequest("blogs/{id}", Method.GET);
request.AddUrlSegment("id", "1");
var response = await client.ExecuteAsync(request);
Enter fullscreen mode Exit fullscreen mode

Refit

Refit automatically creates an implementation of an interface you define, making API calls in a type-safe manner.

public interface IBlogApi
{
    [Get("/blogs/{id}")]
    Task<Blog> GetBlogAsync(int id);

    [Post("/blogs")]
    Task CreateBlogAsync(Blog

}


var client = RestService.For<IBlogApi>("http://example.com");
var blog = await client.GetBlogAsync(1);
Enter fullscreen mode Exit fullscreen mode

These libraries significantly simplify your code and make it more maintainable, especially for complex API interactions.

With the combination of native .NET HTTP methods and these external libraries, you have a wide range of tools for handling HTTP requests in your .NET applications. Whether building a simple blog or a complex web application, mastering these tools will help you develop robust and efficient solutions.

Top comments (0)