Skip to main content

Asymmetric denial of service

Need

The need is to implement measures that prevent asymmetric denial of service attacks and ensure the server remains responsive even in the presence of malicious requests or resource exhaustion.

Context

  • Usage of C# for building robust and scalable applications
  • Usage of Microsoft.AspNetCore.Mvc for building web applications using the MVC architectural pattern
  • Usage of System.Threading for managing multi-threading and asynchronous operations

Description

Non compliant code

public class HomeController : Controller
{
public IActionResult Index()
{
try
{
string data = Request.Query["data"].ToString();
for (int i = 0; i < 10000; i++)
{
// Simulating a process that consumes a lot of resources
string processedData = ProcessData(data);
// Simulating a process that produces multiple responses
Response.WriteAsync(processedData);
}
}
catch (Exception ex)
{
// Handle exception
}
return View();
}

public string ProcessData(string data)
{
// Simulating a process that consumes a lot of resources
Thread.Sleep(1000);
return data;
}
}

In the above code, the Index action in the HomeController is vulnerable to Asymmetric Denial of Service attacks. The vulnerability arises from the following parts of the code:

  1. The Index action processes a query parameter named data and for each request, it processes the data 10000 times. This leads to the server consuming a lot of resources for a single request, thereby making it vulnerable to a single malicious request that consumes an enormous amount of resources.

  2. After processing the data, the result is written to the response asynchronously for 10000 times. This leads to the server sending multiple responses for a single request, thereby making it vulnerable to an amplification attack.

  3. The ProcessData method, which simulates a process that consumes a lot of resources, has a Thread.Sleep(1000). This causes the server to delay for a significant amount of time, thereby making it unresponsive.

These parts of the code make the server vulnerable to Asymmetric Denial of Service attacks. An attacker can exploit these vulnerabilities by sending a single malicious request that either breaks the application or consumes an enormous amount of resources, thereby rendering the server unresponsive.

Steps

  • Limit the number of responses that can be generated from a single request. This can be done by setting a maximum limit on the loop that generates the responses.
  • Implement rate limiting to control the number of requests a client can make in a certain amount of time.
  • Avoid resource-intensive operations in the request handling process. If such operations are necessary, they should be performed asynchronously or in a separate thread to prevent blocking the main thread.
  • Implement proper error handling to ensure that a single faulty request does not crash the entire application.
  • Use caching mechanisms to store the result of resource-intensive operations. This way, if the same data is requested again, the server can return the cached result instead of processing the data again.
  • Implement input validation to ensure that only valid requests are processed. This can help prevent malicious requests that aim to consume a lot of resources.

Compliant code

public class HomeController : Controller
{
private static readonly MemoryCache cache = new MemoryCache(new MemoryCacheOptions());
private static readonly SemaphoreSlim semaphore = new SemaphoreSlim(1, 1);

[RateLimit(NumberOfRequests = 5, Seconds = 60)] // Rate limiting
public async Task<IActionResult> Index()
{
try
{
string data = Request.Query["data"].ToString();

// Input validation
if (string.IsNullOrEmpty(data))
{
return BadRequest("Invalid request");
}

// Check cache
if (!cache.TryGetValue(data, out string processedData))
{
// Limit the number of responses
for (int i = 0; i < 100; i++)
{
// Resource-intensive operation is performed asynchronously
processedData = await ProcessDataAsync(data);

// Store result in cache
cache.Set(data, processedData, TimeSpan.FromMinutes(5));
}
}

await Response.WriteAsync(processedData);
}
catch (Exception ex)
{
// Proper error handling
return StatusCode(500, "An error occurred while processing your request");
}

return View();
}

public async Task<string> ProcessDataAsync(string data)
{
// Resource-intensive operation is performed asynchronously
await semaphore.WaitAsync();
try
{
await Task.Delay(1000); // Simulate a process that consumes a lot of resources
return data;
}
finally
{
semaphore.Release();
}
}
}

The updated code includes several measures to mitigate the risk of an asymmetric denial of service attack:

  • Rate Limiting: The RateLimit attribute is used to limit the number of requests a client can make in a certain amount of time. In this case, a client can make up to 5 requests per minute.

  • Input Validation: The code checks if the data from the request is null or empty. If it is, the server responds with a BadRequest, preventing further processing of the request.

  • Asynchronous Processing: The ProcessDataAsync method is used to perform the resource-intensive operation asynchronously. This prevents the operation from blocking the main thread and rendering the server unresponsive.

  • Semaphore: A SemaphoreSlim is used to ensure that only one thread can access the resource-intensive operation at a time. This prevents multiple threads from consuming a lot of resources simultaneously.

  • Caching: The result of the resource-intensive operation is stored in a MemoryCache. If the same data is requested again within 5 minutes, the server returns the cached result instead of processing the data again.

  • Error Handling: If an exception occurs while processing the request, the server responds with a StatusCode of 500 and a custom error message. This ensures that a single faulty request does not crash the entire application.

References