This content originally appeared on DEV Community and was authored by Klein Houzin
Whether youâre in .NET, Node.js, Java, or Python â you need to care about what hosts your app trusts.
This is one of those small details that can quietly make or break your appâs security posture.
And itâs straight out of the OWASP Top 10:
â A10:2021 â Server-Side Request Forgery (SSRF) and
â A01:2021 â Broken Access Control.
Letâs check both sides of âallowed hostsâ
1ïžâŁ The Built-in One: Protecting Inbound Traffic
In ASP.NET Core, youâll often see this in appsettings.json:
{
  "AllowedHosts": "example.com"
}
Thatâs not for redirects, API calls, or URLs inside your app.
Itâs for incoming HTTP requests â it tells your app which Host headers are allowed.
If someone tries to access your server as https://evilproxy.com, the request is dropped.
Think of it as your front door lock đ  â
It stops fake domains from pretending to be you.
đĄ Other frameworks have similar controls:
Express.js â use helmet() or host-validation middleware
Django â ALLOWED_HOSTS in settings.py
Spring Boot â server.forward-headers-strategy with a proxy-aware filter
2ïžâŁ The Custom One: Protecting Outbound URLs (OWASP SSRF)
Now comes the untold part:
Even if your appâs front door is locked, what about the URLs inside it?
When users can submit or trigger URLs (for example, a redirect after login, a webhook, or an image fetch), attackers can trick your backend into calling something internal like http://localhost:8080/admin.
Thatâs Server-Side Request Forgery (SSRF) â and itâs on OWASPâs radar for a reason.
The fix? A custom whitelist middleware that validates every URL before use.
đ§± Code Example: .NET Middleware to Block Untrusted URLs
Hereâs a simple example in C# â easy to adapt to any stack:
using Microsoft.AspNetCore.Http;
using Microsoft.Extensions.Options;
using System;
using System.Linq;
using System.Threading.Tasks;
public class UrlWhitelistMiddleware
{
    private readonly RequestDelegate _next;
    private readonly string[] _allowedHosts;
    public UrlWhitelistMiddleware(RequestDelegate next, IOptions<SecuritySettings> settings)
    {
        _next = next;
        _allowedHosts = settings.Value.AllowedHosts;
    }
    public async Task InvokeAsync(HttpContext context)
    {
        var returnUrl = context.Request.Query["returnUrl"].ToString();
        if (!string.IsNullOrEmpty(returnUrl) && !IsAllowed(returnUrl))
        {
            context.Response.StatusCode = 400;
            await context.Response.WriteAsync("Blocked: Untrusted redirect target.");
            return;
        }
        await _next(context);
    }
    private bool IsAllowed(string url)
    {
        if (!Uri.TryCreate(url, UriKind.Absolute, out var uri))
            return false;
        if (uri.Scheme != Uri.UriSchemeHttps && uri.Scheme != Uri.UriSchemeHttp)
            return false;
        return _allowedHosts.Any(host =>
            uri.Host.Equals(host, StringComparison.OrdinalIgnoreCase) ||
            uri.Host.EndsWith("." + host, StringComparison.OrdinalIgnoreCase));
    }
}
public class SecuritySettings
{
    public string[] AllowedHosts { get; set; } = Array.Empty<string>();
}
Add your whitelist in appsettings.json:
{
  "Security": {
    "AllowedHosts": [ "example.com", "trustedpartner.org" ]
  }
}
And register it in your app:
app.UseMiddleware<UrlWhitelistMiddleware>();
â TL;DR â What Devs Should Remember
Purpose Type Example OWASP Relevance
- Inbound host validation Built-in AllowedHosts Prevents Host Header Injection A05:2021 
- Security Misconfiguration 
 Outbound / redirect URL validation Custom middleware whitelist Prevents SSRF, open redirects A10:2021 â SSRF
đ Final Word
Whether you write in .NET, Node, or Go, make your app paranoid about URLs like you are when clicking on a link received in an email.
A trusted host list is one of the simplest, cheapest, and most effective shields against SSRF and open redirect attacks.
đ§© Lock the door. Guard the window.
OWASP and Reality has been warning us for years â time to listen, especially devs and software architects.
This content originally appeared on DEV Community and was authored by Klein Houzin
 
	
			Klein Houzin | Sciencx (2025-10-22T04:04:31+00:00) đ§ Two âAllowedHostsâ Every Developer Should Know. Retrieved from https://www.scien.cx/2025/10/22/%f0%9f%a7%a0-two-allowedhosts-every-developer-should-know/
Please log in to upload a file.
There are no updates yet.
Click the Upload button above to add an update.
