0

I am trying to use a model to create a user using asp.net core 2 sql server and identity core. But I am having an issue registering the user the following is my code and the errors it generates. I hope someone can help me.

This is not just a null issue its an issue with the posting of the form not getting the correct model so the persons interpetation is incorrect.

Model:

public class Register
{

    [Required]
    [EmailAddress]
    [Display(Name = "Email")]
    public string Email { get; set; }

    [Required]
    [StringLength(100, ErrorMessage = "The {0} must be at least {2} characters long.", MinimumLength = 6)]
    [DataType(DataType.Password)]
    [Display(Name = "Password")]
    public string Password { get; set; }

    [DataType(DataType.Password)]
    [Display(Name = "Confirm password")]
    [Compare("Password", ErrorMessage = "The password and confirmation password do not match.")]
    public string ConfirmPassword { get; set; }
}

To Which I have a register action marked with the post command

[HttpGet]
[AllowAnonymous]
public IActionResult Register(string returnUrl = null)
{
        ViewData["ReturnUrl"] = returnUrl;
        return View();
}

//
// POST: /Account/Register
[HttpPost]
[AllowAnonymous]
[ValidateAntiForgeryToken]
public async Task<IActionResult> Register(AppUser model, string returnUrl = null)
{
        ViewData["ReturnUrl"] = returnUrl;

            var user = new AppUser { UserName = model.Email, Email = model.Email };
            var result = await _userManager.CreateAsync(user, model.Password);
            if (result.Succeeded)
            {
                // For more information on how to enable account confirmation and password reset please visit http://go.microsoft.com/fwlink/?LinkID=532713
                // Send an email with this link
                //var code = await _userManager.GenerateEmailConfirmationTokenAsync(user);
                //var callbackUrl = Url.Action("ConfirmEmail", "Account", new { userId = user.Id, code = code }, protocol: HttpContext.Request.Scheme);
                //await _emailSender.SendEmailAsync(model.Email, "Confirm your account",
                //    "Please confirm your account by clicking this link: <a href=\"" + callbackUrl + "\">link</a>");
                await _signInManager.SignInAsync(user, isPersistent: false);
                   return RedirectToLocal(returnUrl);
            }



        // If we got this far, something failed, redisplay form
        return View(model);
}

This is my html for the form

@model solitude.models.Register
@{
    ViewData["Title"] = "Register";
    Layout = "~/Views/Shared/_LoginAdminLte.cshtml";
}



<body class="hold-transition register-page">
<div class="register-box">
    <div class="register-logo">
        <a href="../../index2.html"><b>Register</b></a>
    </div>
    <div class="register-box-body">
        <p class="login-box-msg">Register a new membership</p>
        <form asp-controller="Account" asp-action="Register" asp-route-returnurl="@ViewData["ReturnUrl"]" method="post" class="form-horizontal" role="form">

            <div class="form-group has-feedback">
                <input type="text" class="form-control" placeholder="Full name">


                <span class="glyphicon glyphicon-user form-control-feedback"></span>
            </div>
            <div class="form-group has-feedback">

                <input asp-for="Email" class="form-control" placeholder="Email"> 

                <span class="glyphicon glyphicon-envelope form-control-feedback"></span>
            </div>
            <div class="form-group has-feedback">
                <input asp-for="Password" class="form-control" />

                <span class="glyphicon glyphicon-lock form-control-feedback"></span>
            </div>
            <div class="form-group has-feedback">
                <input asp-for="ConfirmPassword" class="form-control" />

                <span class="glyphicon glyphicon-log-in form-control-feedback"></span>
            </div>
            <div class="row">
                <div class="col-xs-8">
                    <div class="checkbox icheck">
                        <label>
                            <input type="checkbox"> I agree to the <a href="#">terms</a>
                        </label>
                    </div>
                </div>
                <!-- /.col -->
                <div class="col-xs-4">
                    <button type="submit" class="btn btn-primary btn-block btn-flat">Register</button>
                </div>
                <!-- /.col -->
            </div>
        </form>

But I am having the following error problem

System.NullReferenceException: Object reference not set to an instance of an object. at solitude.admin.core.Controllers.AccountController.d__6.MoveNext() in C:\Projects\solitudeec2core\solitude.admin.core\solitude.admin.core\Controllers\AccountController.cs:line 88 --- End of stack trace from previous location where exception was thrown --- at System.Runtime.ExceptionServices.ExceptionDispatchInfo.Throw() at System.Runtime.CompilerServices.TaskAwaiter.HandleNonSuccessAndDebuggerNotification(Task task) at System.Runtime.CompilerServices.TaskAwaiter`1.GetResult() at Microsoft.AspNetCore.Mvc.Internal.ControllerActionInvoker.d__12.MoveNext() --- End of stack trace from previous location where exception was thrown --- at System.Runtime.ExceptionServices.ExceptionDispatchInfo.Throw() at

When I look at line 88 it shows this but I do not see why I am having this problem

var result = await _userManager.CreateAsync(user, model.Password);

My Startup.cs

    // This method gets called by the runtime. Use this method to add services to the container.
    public void ConfigureServices(IServiceCollection services)
    {
        var connection = @"Server=----SEVER NAME HIDDEN---;Database=solitude;Trusted_Connection=True;";

        services.AddDbContext<SolitudeDBContext>(options => options.UseSqlServer(connection));
        services.AddIdentity<AppUser, IdentityRole>()
         .AddEntityFrameworkStores<SolitudeDBContext>()
         .AddDefaultTokenProviders();

        services.AddMvc();

    }

    // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
    public void Configure(IApplicationBuilder app, IHostingEnvironment env)
    {
        if (env.IsDevelopment())
        {
            app.UseDeveloperExceptionPage();
            app.UseBrowserLink();
        }
        else
        {
            app.UseExceptionHandler("/Home/Error");
        }

        app.UseStaticFiles();
        app.UseAuthentication();
        app.UseMvc(routes =>
        {
            routes.MapRoute(
                name: "default",
                template: "{controller=Home}/{action=Index}/{id?}");
        });
    }

Does any body have an idea what could be wrong.

  • Possible duplicate of [What is a NullReferenceException, and how do I fix it?](https://stackoverflow.com/questions/4660142/what-is-a-nullreferenceexception-and-how-do-i-fix-it) – Hintham Oct 09 '17 at 17:47
  • That is not the case this is a model issue – roguedb593 Oct 09 '17 at 17:51

1 Answers1

0

The error is on this line:

public async Task<IActionResult> Register(AppUser model, string returnUrl = null)

You should provide Register type as an model input parameter, and not AppUser:

public async Task<IActionResult> Register(Register model, string returnUrl = null)
OctoCode
  • 382
  • 4
  • 14