Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to change error message in ASP.NET Identity

I'm trying to change the error message in Identity ASP .NET and I don't know how to do it. I want to change the error message to this: "Login is already taken". CreateAsync method should return this error message.

like image 289
user3160020 Avatar asked Jan 04 '14 10:01

user3160020


2 Answers

The Microsoft.AspNet.Identity.UserManager<TUser> class has a public property called UserValidator of type IIdentityValidator<TUser>. The constructor for UserManager sets that property to an instance of Microsoft.AspNet.Identity.UserValidator<TUser>. The error messages you see when calling CreateAsync come from the resources embedded in the Microsoft.AspNet.Identity.dll and are added to the IdentityResult from inside UserValidator.

You could provide your own implementation of IIdentityValidator<TUser>, which is just a single method with signature: Task<IdentityResult> ValidateAsync(TUser item). You'd have to implement your own validations, but you'd have control over the messages that come out. Something like:

public class UserValidator : IIdentityValidator<ApplicationUser>
{
    public async Task<IdentityResult> ValidateAsync(ApplicationUser item)
    {
        if (string.IsNullOrWhiteSpace(item.UserName))
        {
            return IdentityResult.Failed("Really?!");
        }

        return IdentityResult.Success;
    }
}

The default UserValidator class performs three basic validations to keep in mind if you roll your own:

  1. UserName is not null or whitespace
  2. UserName is alphanumeric
  3. UserName is not a duplicate
like image 134
Josh Rack Avatar answered Nov 08 '22 14:11

Josh Rack


private void AddErrors(IdentityResult result)
{
    foreach (var error in result.Errors)
    {
        if (error.StartsWith("Name"))
        {
            var NameToEmail= Regex.Replace(error,"Name","Email");
            ModelState.AddModelError("", NameToEmail);
        }
        else
        {
            ModelState.AddModelError("", error);
        }
    }
}
like image 20
Grant Li Avatar answered Nov 08 '22 12:11

Grant Li