idunno.Authentication.Basic
2.3.1
Prefix Reserved
See the version list below for details.
dotnet add package idunno.Authentication.Basic --version 2.3.1
NuGet\Install-Package idunno.Authentication.Basic -Version 2.3.1
<PackageReference Include="idunno.Authentication.Basic" Version="2.3.1" />
paket add idunno.Authentication.Basic --version 2.3.1
#r "nuget: idunno.Authentication.Basic, 2.3.1"
// Install idunno.Authentication.Basic as a Cake Addin #addin nuget:?package=idunno.Authentication.Basic&version=2.3.1 // Install idunno.Authentication.Basic as a Cake Tool #tool nuget:?package=idunno.Authentication.Basic&version=2.3.1
idunno.Authentication.Basic
This project contains an implementation of Basic Authentication for ASP.NET.
It started as a demonstration of how to write authentication middleware and not as something you would seriously consider using, but enough of you want to go with the world's worse authentication standard, so here we are. You are responsible for hardening it.
Getting started
First acquire an HTTPS certificate (see Notes below). Apply it to your website. Remember to renew it when it expires, or go the Lets Encrypt route and look like a phishing site.
In your web application add a reference to the package, then in the ConfigureServices
method in startup.cs
call
app.AddAuthentication(BasicAuthenticationDefaults.AuthenticationScheme).AddBasic(...);
with your options,
providing a delegate for OnValidateCredentials
to validate any user name and password sent with requests and turn that information
into an ClaimsPrincipal
, set it on the context.Principal
property and call context.Success()
.
If you change your scheme name in the options for the basic authentication handler you need to change the scheme name in
AddAuthentication()
to ensure it's used on every request which ends in an endpoint that requires authorization.
You should also add app.UseAuthentication();
in the Configure
method, otherwise nothing will ever get called.
You can also specify the Realm used to isolate areas of a web site from one another.
For example;
public void ConfigureServices(IServiceCollection services)
{
services.AddAuthentication(BasicAuthenticationDefaults.AuthenticationScheme)
.AddBasic(options =>
{
options.Realm = "idunno";
options.Events = new BasicAuthenticationEvents
{
OnValidateCredentials = context =>
{
if (context.Username == context.Password)
{
var claims = new[]
{
new Claim(
ClaimTypes.NameIdentifier,
context.Username,
ClaimValueTypes.String,
context.Options.ClaimsIssuer),
new Claim(
ClaimTypes.Name,
context.Username,
ClaimValueTypes.String,
context.Options.ClaimsIssuer)
};
context.Principal = new ClaimsPrincipal(
new ClaimsIdentity(claims, context.Scheme.Name));
context.Success();
}
return Task.CompletedTask;
}
};
});
// All the other service configuration.
}
public void Configure(IApplicationBuilder app, IHostingEnvironment env)
{
app.UseAuthentication();
// All the other app configuration.
}
For .NET 6 minimal templates
var builder = WebApplication.CreateBuilder(args);
builder.Services.AddAuthentication(BasicAuthenticationDefaults.AuthenticationScheme)
.AddBasic(options =>
{
options.Realm = "Basic Authentication";
options.Events = new BasicAuthenticationEvents
{
OnValidateCredentials = context =>
{
if (context.Username == context.Password)
{
var claims = new[]
{
new Claim(ClaimTypes.NameIdentifier, context.Username, ClaimValueTypes.String, context.Options.ClaimsIssuer),
new Claim(ClaimTypes.Name, context.Username, ClaimValueTypes.String, context.Options.ClaimsIssuer)
};
context.Principal = new ClaimsPrincipal(new ClaimsIdentity(claims, context.Scheme.Name));
context.Success();
}
return Task.CompletedTask;
}
};
});
builder.Services.AddAuthorization();
and then, before calls to any app.Map functions
app.UseAuthentication();
app.UseAuthorization();
In the sample you can see that the delegate checks if the user name and password are identical. If they
are then it will consider that a valid login, create set of claims about the user, using the ClaimsIssuer
from the handler options,
then create an ClaimsPrincipal
from those claims, using the SchemeName
from the handler options, then finally call context.Success();
to show there's been a successful authentication.
Of course you'd never implement such a simple validation mechanism would you? No? Good. Have a cookie.
If you want to use Basic authentication within an Ajax application then it you may want to stop the browser prompting for a user name and password.
This prompt happens when a WWWAuthenticate
header is sent, you can suppress this header by setting the SuppressWWWAuthenticateHeader
flag on options.
The handler will throw an exception if wired up in a site not running on HTTPS and will refuse to respond to the challenge flow
which ends up prompting the browser to ask for a user name and password. You can override this if you're a horrible person by
setting AllowInsecureProtocol
to true
in the handler options. If you do this you deserve everything you get. If you're
using a non-interactive client, and are sending a user name and password to a server over HTTP the handler will not throw and
will process the authentication header because frankly it's too late, you've sent everything in plain text, what's the point?
The original Basic Authentication RFC never specifically set a character set for the encoding/decoding of the user name and password, and the superseding RFC 7616 only requires it
to be compatible with US ASCII (which limits the encoding to Utf8) so various clients differ in what encoding they use. You can switch been encodings by using the EncodingPreference
options property.
The EncodingPreference
property to allow you to select from three possible values, Utf8
, Latin1
, and PeferUtf8
.
EncodingPreference.Utf8
will only decode using UnicodeEncodingPreference.Latin1
will only attempt decoding using ISO-8859-1/Latin1.EncodingPreference.PreferUtf8
will first attempt to decode using Unicode, and if an exception is thrown during the Unicode decoding it will then attempt to decode using ISO-8859-1/Latin1.
There is no fall back from Latin1 to Unicode as every possible byte sequence is a valid Latin1 string, so it will always decode "successfully", but not correctly if fed UTF8 encoded strings.
RFC 7616 also allows the server to specify the charset/encoding it accepts. To enable this set the AdvertiseEncodingPreference
flag on options to true.
There is no ability for a client to specify the encoding as part if the user name or password as suggested by RFC2616, section 2.1, as that way lies madness and no sane client does this.
Accessing a service inside your delegate
For real functionality you will probably want to call a service registered in DI which talks to a database or other type of user store. You can grab your service by using the context passed into your delegates, like so
services.AddAuthentication(BasicAuthenticationDefaults.AuthenticationScheme)
.AddBasic(options =>
{
options.Realm = "idunno";
options.Events = new BasicAuthenticationEvents
{
OnValidateCredentials = context =>
{
var validationService =
context.HttpContext.RequestServices.GetService<IUserValidationService>();
if (validationService.AreCredentialsValid(context.Username, context.Password))
{
var claims = new[]
{
new Claim(ClaimTypes.NameIdentifier, context.Username, ClaimValueTypes.String, context.Options.ClaimsIssuer),
new Claim(ClaimTypes.Name, context.Username, ClaimValueTypes.String, context.Options.ClaimsIssuer)
};
context.Principal = new ClaimsPrincipal(new ClaimsIdentity(claims, context.Scheme.Name));
context.Success();
}
return Task.CompletedTask;
}
};
})
Using Basic Authentication in production
I'd never recommend you use basic authentication in production unless you're forced to in order to comply with a standard, but, if you must here are some ideas on how to harden your validation routine.
In your
OnValidateCredentials
implementation keep a count of failed login attempts, and the IP addresses they come from.Lock out accounts after X failed login attempts, where X is a count you feel is reasonable for your situation.
Implement the lock out so it unlocks after Y minutes. In case of repeated attacks increase Y.
Be careful when locking out your administration accounts. Have at least one admin account that is not exposed via basic auth, so an attacker cannot lock you out of your site just by sending an incorrect password.
Throttle attempts from an IP address, especially one which sends lots of incorrect passwords. Considering dropping/banning attempts from an IP address that appears to be under the control of an attacker. Only you can decide what this means, what consitutes legimate traffic varies from application to application.
Always use HTTPS. Redirect all HTTP traffic to HTTPS using
[RequireHttps]
. You can apply this to all of your site via a filter;services.Configure<MvcOptions>(options => { options.Filters.Add(new RequireHttpsAttribute()); });
Implement HSTS and preload your site if your site is going to be accessed through a browser.
Reconsider your life choices, and look at using OAuth2 or OpenIDConnect instead.
Support for older versions of ASP.NET Core
Older versions are available in the appropriate branch.
ASP.NET Core MVC Version | Branch |
---|---|
1.1 | rel/1.1.1 |
1.0 | rel/1.0.0 |
No nuget packages are available for older versions of ASP.NET Core.
Notes
Basic Authentication sends credentials unencrypted. You should only use it over HTTPS.
It may also have performance impacts as credentials are sent and validated with every request. As you should not be storing passwords in clear text your validation procedure will have to hash and compare values with every request, or cache results of previous hashes (which could lead to data leakage).
Remember that hash comparisons should be time consistent to avoid timing attacks.
Product | Versions Compatible and additional computed target framework versions. |
---|---|
.NET | net5.0 is compatible. net5.0-windows was computed. net6.0 is compatible. net6.0-android was computed. net6.0-ios was computed. net6.0-maccatalyst was computed. net6.0-macos was computed. net6.0-tvos was computed. net6.0-windows was computed. net7.0 is compatible. net7.0-android was computed. net7.0-ios was computed. net7.0-maccatalyst was computed. net7.0-macos was computed. net7.0-tvos was computed. net7.0-windows was computed. net8.0 was computed. net8.0-android was computed. net8.0-browser was computed. net8.0-ios was computed. net8.0-maccatalyst was computed. net8.0-macos was computed. net8.0-tvos was computed. net8.0-windows was computed. |
.NET Core | netcoreapp2.0 was computed. netcoreapp2.1 was computed. netcoreapp2.2 was computed. netcoreapp3.0 is compatible. netcoreapp3.1 is compatible. |
.NET Standard | netstandard2.0 is compatible. netstandard2.1 was computed. |
.NET Framework | net461 was computed. net462 was computed. net463 was computed. net47 was computed. net471 was computed. net472 was computed. net48 was computed. net481 was computed. |
MonoAndroid | monoandroid was computed. |
MonoMac | monomac was computed. |
MonoTouch | monotouch was computed. |
Tizen | tizen40 was computed. tizen60 was computed. |
Xamarin.iOS | xamarinios was computed. |
Xamarin.Mac | xamarinmac was computed. |
Xamarin.TVOS | xamarintvos was computed. |
Xamarin.WatchOS | xamarinwatchos was computed. |
-
.NETCoreApp 3.0
- No dependencies.
-
.NETCoreApp 3.1
- No dependencies.
-
.NETStandard 2.0
- Microsoft.AspNetCore.Authentication (>= 2.0.0)
- Microsoft.AspNetCore.Http.Abstractions (>= 2.0.0)
- Microsoft.Extensions.Options.ConfigurationExtensions (>= 2.0.0)
-
net5.0
- No dependencies.
-
net6.0
- No dependencies.
-
net7.0
- No dependencies.
NuGet packages (3)
Showing the top 3 NuGet packages that depend on idunno.Authentication.Basic:
Package | Downloads |
---|---|
Sitko.Core.Auth.Basic
Sitko.Core is a set of libraries to help build .NET Core applications fast |
|
PanoramicData.HealthChecks.BasicAuthentication
PanoramicData.HealthChecks.BasicAuthentication |
|
Mavanmanen.Apollo.Handling
Package Description |
GitHub repositories (3)
Showing the top 3 popular GitHub repositories that depend on idunno.Authentication.Basic:
Repository | Stars |
---|---|
SteeltoeOSS/Samples
Steeltoe samples and reference application collection
|
|
sitkoru/Sitko.Core
Sitko.Core is a set of libraries to help build .NET Core applications fast
|
|
FritzAndFriends/TagzApp
An application that discovers content on social media for hashtags
|