我正在使用ASP.NET Core&身份3。
当我登录时,我会阅读当前选择用户的用户界面模板,在我的_Layout.cshml
文件中,我根据此模板加载css
。
用户可以更改主题,并通过控制器将其存储在会话变量中
public IActionResult ChangeTheme(int id, string returnUrl)
{
HttpContext.Session.SetInt32("Template", (id));
return Redirect(returnUrl);
}
不是每次cshtml
加载查询数据库,而是将模板放在Session变量中,而在Layout.cshtml
我根据模板呈现不同的css
switch (template)
{
case (int)TemplateEnum.Template2:
<text>
<link rel="stylesheet" href="~/css/template1.css" />
</text>
break;
case (int)TemplateEnum.Template2:
<text>
<link rel="stylesheet" href="~/css/template2.css" />
</text>
break;
{
我想知道如果会话到期会发生什么。
考虑到我访问_Layout.cshtml
中的值,无论如何都要抓住它,如果它变为null并在呈现新页面之前立即从db加载它。
由于我使用身份3,声明可能是更好的选择吗?我以前没用过它。我上面的例子代码是什么
另一个更适合我的方案的选项?
答案 0 :(得分:1)
我没有使用每个cshtml加载查询数据库,而是将模板放在Session变量中,而在我的Layout.cshtml中,我根据模板呈现不同的css
如果点击数据库是您唯一关注的问题,并且您已经抽象了您的存储库(或用户存储,如果您将其存储在标识类型上),则可以使用装饰器模式来实现本地缓存。
public interface IUserRepository
{
string GetUserTheme(int userId);
void SetUserTheme(int userId, string theme);
}
public class CachedUserRepository : IUserRepository
{
private readonly IMemoryCache cache;
private readonly IUserRepository userRepository;
// Cache Expire duration
private static TimeSpan CacheDuration = TimeSpan.FromMinutes(5);
public CachedUserRepository(IUserRepository userRepository, IMemoryCache memoryCache)
{
if (userRepository == null)
throw new ArgumentNullException(nameof(userRepository));
if (memoryCache == null)
throw new ArgumentNullException(nameof(memoryCache));
this.userRepository = userRepository;
this.cache = memoryCache;
}
public string GetUserTheme(int userId)
{
string theme;
// adding a prefix to make the key unique
if (cache.TryGetValue($"usertheme-{userId}", out theme))
{
// found in cache
return theme;
};
// fetch from database
theme = userRepository.GetUserTheme(userId);
// put it into the cache, expires in 5 minutes
cache.Set($"usertheme-{userId}", theme, new MemoryCacheEntryOptions { AbsoluteExpirationRelativeToNow = CacheDuration });
return theme;
}
public void SetUserTheme(int userId, string theme)
{
// persist it
userRepository.SetUserTheme(userId, theme);
// put it into the cache, expires in 5 minutes
cache.Set($"usertheme-{userId}", theme, new MemoryCacheEntryOptions { AbsoluteExpirationRelativeToNow = CacheDuration });
}
}
问题是,默认的ASP.NET Core DI系统中没有对装饰器的内置支持。您必须使用第三方IoC容器(Autofac,StructureMap等)。
你当然可以像这样注册
services.AddScoped<IUserRepository>(container => {
return new CachedUserRepository(container.GetService<UserRepository>(), container.GetServices<IMemoryCache>());
});
但这有点麻烦。否则将其存储在长期存在的cookie中,它的优点是当用户未登录时主题仍然处于活动状态,您可以在用户登录时设置cookie。
答案 1 :(得分:0)
如果您愿意,您当然可以将主题存储在用户的身份中,但是每当您更新主题时都必须让用户辞职...
您可以执行以下操作:
userManager.AddClaimAsync(user, new Claim("Template", id+""));
signInManager.SignInAsync(user);