i am using asp.net Authorization to log in with Angular js for client side ,i need to get Current user logged in
i need to get current User to save any operation in my logger Table, and httpcontext.session.current is null , is there is another way to save logged in user in session or some thing else to get it anytime
public class ApplicationOAuthProvider : OAuthAuthorizationServerProvider
{
private readonly string _publicClientId;
static ERPV02_03Entities db;
public ApplicationOAuthProvider(string publicClientId)
{
if (publicClientId == null)
{
throw new ArgumentNullException("publicClientId");
}
db = SingleTonConText.Instance;
_publicClientId = publicClientId;
}
public override async Task GrantResourceOwnerCredentials(OAuthGrantResourceOwnerCredentialsContext context)
{
var userManager = context.OwinContext.GetUserManager<ApplicationUserManager>();
ApplicationUser user = await userManager.FindAsync(context.UserName, context.Password);
if (user == null)
{
context.SetError("invalid_grant", "The user name or password is incorrect.");
return;
}
ClaimsIdentity oAuthIdentity = await user.GenerateUserIdentityAsync(userManager,
OAuthDefaults.AuthenticationType);
ClaimsIdentity cookiesIdentity = await user.GenerateUserIdentityAsync(userManager,
CookieAuthenticationDefaults.AuthenticationType);
AuthenticationProperties properties = CreateProperties(user.UserName);
AuthenticationTicket ticket = new AuthenticationTicket(oAuthIdentity, properties);
context.Validated(ticket);
context.Request.Context.Authentication.SignIn(cookiesIdentity);
}
public override Task TokenEndpoint(OAuthTokenEndpointContext context)
{
foreach (KeyValuePair<string, string> property in context.Properties.Dictionary)
{
context.AdditionalResponseParameters.Add(property.Key, property.Value);
}
var data= Task.FromResult<object>(null);
return data;
}
public override Task ValidateClientAuthentication(OAuthValidateClientAuthenticationContext context)
{
// Resourcee owner password credentials does not provide a client ID.
if (context.ClientId == null)
{
context.Validated();
}
return Task.FromResult<object>(null);
}
public override Task ValidateClientRedirectUri(OAuthValidateClientRedirectUriContext context)
{
if (context.ClientId == _publicClientId)
{
Uri expectedRootUri = new Uri(context.Request.Uri, "/");
if (expectedRootUri.AbsoluteUri == context.RedirectUri)
{
context.Validated();
}
}
return Task.FromResult<object>(null);
}
private static View_Emps GetUserInfo(string username)
{
var user = new View_Emps();
try
{
user = db.View_Emps.FirstOrDefault(p =>
p.Emp_UserName == username);
HttpContext.Current.Session.Add("user", user);
}
catch (Exception e)
{
throw e;
}
return user;
}
public static AuthenticationProperties CreateProperties(string userName)
{
var user = GetUserInfo(userName);
JavaScriptSerializer js = new JavaScriptSerializer();
var res = js.Serialize(user);
IDictionary<string, string> data = new Dictionary<string, string>
{
{ "User", res }
};
return new AuthenticationProperties(data);}}
public void SaveLog( T Obj, string Operation)
{
string hostName = Dns.GetHostName(); // Retrive the Name of HOST IpAddress
string myIP = Dns.GetHostEntry(hostName).AddressList[0].ToString();
var user = HttpContext.Current.Session["user"] as View_Emps;
MyLogger.Data = new JavaScriptSerializer().Serialize(Obj);
MyLogger.OperationType = Operation;
MyLogger.TableName = typeof(T).Name;
MyLogger.DateTime = DateTime.Now;
MyLogger.User_ID = user.Emp_ID;
MyLogger.IP_Address = myIP;
db.Loggers.Add(MyLogger);
Commit();
}
You can get current login user in Api Controller from IPrincipal
and you will no need to reference any namespace for it like,
...
var user = User; //<= "User" comes from System.Security.Principal.IPrincipal
...
You can also get other properties from IPrincipal
like
From the identity of such user like,
var authType = User.Identity.AuthenticationType;
var isAuthenticated = User.Identity.IsAuthenticated;
var name = User.Identity.Name;
Edit:
You can add your custom fields as claim to your identity in GrantResourceOwnerCredentials
method like,
...
ClaimsIdentity oAuthIdentity = await user.GenerateUserIdentityAsync(userManager,
OAuthDefaults.AuthenticationType);
oAuthIdentity.AddClaim(new Claim("UserId", user.Id)); //<= The UserId add here as claim
oAuthIdentity.AddClaim(new Claim("UserName", user.UserName)); //<= The UserName add here as claim
ClaimsIdentity cookiesIdentity = await user.GenerateUserIdentityAsync(userManager,
CookieAuthenticationDefaults.AuthenticationType);
...
And then in Api controller action method you can get this UserId like,
var userId = ((ClaimsIdentity)User.Identity).FindFirst("UserId");
var userName = ((ClaimsIdentity)User.Identity).FindFirst("UserName");
Edit 1:
Here I got UserId
and UserName
from claims.
And from angular js HTTP you can send your auth bearer token like
module.run(function($http) {
$http.defaults.headers.common.Authorization = 'bearer TGAf8ViNUtzb9RP9OCBXHN4Ewm0dQbTMb6x4wJMgi4Wk8pq-QEQLIhp_W1A-9jQa7Rlqa60vsQ2ubbjUL0wGosEwaHFDlbdkQqXbOP_VlBJMxN2KnGQZnmvWZvpLPqMF-jpWzPDvBwtVHnh3AjLviPX0gPQjxZAC1ujIeB0p-QZ8yE1VCnLa8Xql01XDXlLVBCzk1UOqt_er-Gx6pL8SemayY8dqVVUgSZTYhcceLLuWQ-Cy3QATJmoJ41K-7ktAeUTz5H7V3ImlC_b8qnnN8sj7k7WRT51q27pUO4-bzJzkD4LGVvDUqaeAhBEqKyS9TkpMIFbRDMol5ZiJcp2vTunOOYP42Mw7GJv09ctoXegKkWo1LWDsSDxeWP5KQed_VGX193pZvQtvz06g2iyXwuP8Q6NaJcXTF43-M9p2HWgGuXT531YXv59euaWevj1AMJkazlZ61uzYi7KGLHKgCwzAMXLKwzBGK4QP0C4tqonowSdTttH93LBOJHjrDepk';
});
By using the above code at angular side your request will add auth token for each request via Http
learn more about $http
Edit 2:
Add those data as the claim in GrantResourceOwnerCredentials
that you want to be carried over your unit of work repository like,
oAuthIdentity.AddClaim(new Claim("Id", user.Id));
oAuthIdentity.AddClaim(new Claim("UserName", user.UserName));
oAuthIdentity.AddClaim(new Claim("Email", user.Email));
oAuthIdentity.AddClaim(new Claim("PhoneNumber", user.PhoneNumber));
Then read those data in your controller method like
ClaimsPrincipal principal = Request.GetRequestContext().Principal as ClaimsPrincipal;
var claims = principal.Claims.Select(x => new { type = x.Type, value = x.Value });
var id = claims.Where(x => x.type == "Id").FirstOrDefault().value;
var userName = claims.Where(x => x.type == "UserName").FirstOrDefault().value;
var email = claims.Where(x => x.type == "Email").FirstOrDefault().value;
var phoneNumber = claims.Where(x => x.type == "PhoneNumber").FirstOrDefault().value;
ApplicationUser applicationUser = new ApplicationUser //This model is pre generated by web api project and reside in `Models` folder
{
Id = id,
UserName = userName,
Email = email,
PhoneNumber = phoneNumber
};
Now you are free to use this object applicationUser
to pass in your unit of work repository.
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With