我有一个使用Windows身份验证设置的Intranet应用程序。 我需要在标题中显示用户名和用户的缩写,例如:
欢迎jSmith JS
我到目前为止所做的:
<div class="header__profile-name">Welcome <b>@User.Identity.Name.Split('\\')[1]</b></div>
<div class="header__profile-img">@User.Identity.Name.Split('\\')[1].Substring(0, 2)</div>
问题在于用户名并非总是名字的第一个字母+姓氏,有时用户名可以是ex的第一个名字+姓氏的首字母:
John Smith-用户名可以是 jsmith ,但有时也可以 是: johns
在那种情况下,我的代码是错误的,因为它将导致:
jo 代替 js
如何获取完整的用户名:User.identity
的名字和姓氏?
然后,我将基于完整的用户名(名字和姓氏)来设置我的代码,以便设置缩写名,而不是基于并非始终一致的用户名。
答案 0 :(得分:4)
在ApplicationUser类中,您会注意到一条注释(如果使用标准MVC5模板),该注释为“在此处添加自定义用户声明”。
鉴于此,添加FullName如下所示:
public class ApplicationUser : IdentityUser
{
public string FullName { get; set; }
public async Task<ClaimsIdentity> GenerateUserIdentityAsync(UserManager<ApplicationUser> manager)
{
// Note the authenticationType must match the one defined in CookieAuthenticationOptions.AuthenticationType
var userIdentity = await manager.CreateIdentityAsync(this, DefaultAuthenticationTypes.ApplicationCookie);
// Add custom user claims here
userIdentity.AddClaim(new Claim("FullName", this.FullName));
return userIdentity;
}
}
使用此方法,当有人登录时,FullName声明将被放入cookie。您可以像这样使一个助手来访问它:
public static string GetFullName(this System.Security.Principal.IPrincipal usr)
{
var fullNameClaim = ((ClaimsIdentity)usr.Identity).FindFirst("FullName");
if (fullNameClaim != null)
return fullNameClaim.Value;
return "";
}
更新
或者,您可以在创建用户时将其添加到用户的版权声明中,然后从User.Identity中检索它作为版权声明:
await userManager.AddClaimAsync(user.Id, new Claim("FullName", user.FullName));
检索:
((ClaimsIdentity)User.Identity).FindFirst("FullName")
或者您可以直接获取用户并从用户那里访问它。直接使用全名:
var user = await userManager.FindById(User.Identity.GetUserId())
return user.FullName
更新
对于intranet
,您可以执行以下操作:
using (var context = new PrincipalContext(ContextType.Domain))
{
var principal = UserPrincipal.FindByIdentity(context, User.Identity.Name);
var firstName = principal.GivenName;
var lastName = principal.Surname;
}
您需要添加对System.DirectoryServices.AccountManagement
程序集的引用。
您可以像这样添加Razor助手:
@helper AccountName()
{
using (var context = new PrincipalContext(ContextType.Domain))
{
var principal = UserPrincipal.FindByIdentity(context, User.Identity.Name);
@principal.GivenName @principal.Surname
}
}
如果您是从视图而不是从控制器执行此操作,则还需要向您的web.config添加程序集引用:
<add assembly="System.DirectoryServices.AccountManagement" />
在configuration/system.web/assemblies
下添加。