Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Get UserID of logged-in user in Asp.Net MVC 5

I'm relatively new to ASP.Net MVC and try to use the built-in user login functionality now. I'm able to register an user in the registration view. If I try to login with the created user this also works. I'm redirected to the master page.

But I'm not able to get the UserID of the current user. I tried my code in the HomeController and in the AccountController, but both didn't work. The statement in the first line returns always null.

var userID = User.Identity.GetUserId();  if (!string.IsNullOrEmpty(userID)) {     var manager = new UserManager<ApplicationUser>(new UserStore<ApplicationUser>(ApplicationDbContext.Create()));     var currentUser = manager.FindById(User.Identity.GetUserId()); } 

Do I have to to something else before getting the UserID?

like image 316
Philipp Eger Avatar asked Nov 04 '14 16:11

Philipp Eger


People also ask

How can I get username in MVC?

If you need to get the user from within the controller, use the User property of Controller. If you need it from the view, I would populate what you specifically need in the ViewData , or you could just call User as I think it's a property of ViewPage .

How can we get logged in User details in asp net core?

You can create a method to get the current user : private Task<ApplicationUser> GetCurrentUserAsync() => _userManager. GetUserAsync(HttpContext. User);

Which string is used to obtain the user name of the current User inside an ASP NET MVC web application?

HttpContext.User.Identity.Name is empty.


1 Answers

The answer is right there in your code. What does this return?

var userID = User.Identity.GetUserId(); 

If you are using ASP.NET Identity, then after logging in (and redirecting to another page), the IPrincipal.IIdentity should be a ClaimsIdentity. You can try this:

var claimsIdentity = User.Identity as ClaimsIdentity; if (claimsIdentity != null) {     // the principal identity is a claims identity.     // now we need to find the NameIdentifier claim     var userIdClaim = claimsIdentity.Claims         .FirstOrDefault(x => x.Type == ClaimTypes.NameIdentifier);      if (userIdClaim != null)     {         var userIdValue = userIdClaim.Value;     } } 

The above block of code is not exactly, but essentially, what the IIdentity.GetUserId extension method does.

If none of this works, then the user may not really be logged into your site yet. After logging in, you have to redirect to another page before the server will write the authentication cookie to the browser. This cookie must be written before the User.Identity has all of this claims information (including the NameIdentifier) on subsequent requests.

like image 50
danludwig Avatar answered Sep 30 '22 15:09

danludwig