- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
是否可以在运行时从单独的程序集中引用 ASP.NET Core Razor View ?
我知道如何使用 IActionDescriptorChangeProvider
动态加载 Controller 但找不到意见的方法。
我想创建一个简单的插件系统并在不重新启动应用程序的情况下管理插件。
最佳答案
我正在创建一个动态且完全模块化(基于插件)的应用程序,其中用户可以在运行时将插件程序集放在文件监视目录中以添加 Controller 和编译 View 。
我遇到的问题和你一样。起初,即使我通过 正确添加了程序集,MVC 也没有“检测到” Controller 和 View 。 ApplicationPartManager 服务。
我解决了 Controller 问题,正如你所说,可以用 处理。 IActionDescriptorChangeProvider .
但是,对于 View 问题,似乎没有内置类似的机制。我在谷歌上爬了几个小时,找到了你的帖子(以及许多其他帖子),但没有人回答。我几乎放弃了。几乎。
我开始爬取 ASP.NET Core 源代码并实现了所有我认为与查找已编译 View 相关的服务。我晚上的大部分时间都在拉扯我的头发,然后…… Eureka 。
我发现负责提供这些编译 View 的服务是默认的 IViewCompiler(又名 DefaultViewCompiler),它又由 IViewCompilerProvider(又名 DefaultViewCompilerProvider)提供。
您实际上需要同时实现这两个功能以使其按预期工作。
IViewCompilerProvider:
public class ModuleViewCompilerProvider
: IViewCompilerProvider
{
public ModuleViewCompilerProvider(ApplicationPartManager applicationPartManager, ILoggerFactory loggerFactory)
{
this.Compiler = new ModuleViewCompiler(applicationPartManager, loggerFactory);
}
protected IViewCompiler Compiler { get; }
public IViewCompiler GetCompiler()
{
return this.Compiler;
}
}
IViewCompiler:
public class ModuleViewCompiler
: IViewCompiler
{
public static ModuleViewCompiler Current;
public ModuleViewCompiler(ApplicationPartManager applicationPartManager, ILoggerFactory loggerFactory)
{
this.ApplicationPartManager = applicationPartManager;
this.Logger = loggerFactory.CreateLogger<ModuleViewCompiler>();
this.CancellationTokenSources = new Dictionary<string, CancellationTokenSource>();
this.NormalizedPathCache = new ConcurrentDictionary<string, string>(StringComparer.Ordinal);
this.PopulateCompiledViews();
ModuleViewCompiler.Current = this;
}
protected ApplicationPartManager ApplicationPartManager { get; }
protected ILogger Logger { get; }
protected Dictionary<string, CancellationTokenSource> CancellationTokenSources { get; }
protected ConcurrentDictionary<string, string> NormalizedPathCache { get; }
protected Dictionary<string, CompiledViewDescriptor> CompiledViews { get; private set; }
public void LoadModuleCompiledViews(Assembly moduleAssembly)
{
if (moduleAssembly == null)
throw new ArgumentNullException(nameof(moduleAssembly));
CancellationTokenSource cancellationTokenSource = new CancellationTokenSource();
this.CancellationTokenSources.Add(moduleAssembly.FullName, cancellationTokenSource);
ViewsFeature feature = new ViewsFeature();
this.ApplicationPartManager.PopulateFeature(feature);
foreach(CompiledViewDescriptor compiledView in feature.ViewDescriptors
.Where(v => v.Type.Assembly == moduleAssembly))
{
if (!this.CompiledViews.ContainsKey(compiledView.RelativePath))
{
compiledView.ExpirationTokens = new List<IChangeToken>() { new CancellationChangeToken(cancellationTokenSource.Token) };
this.CompiledViews.Add(compiledView.RelativePath, compiledView);
}
}
}
public void UnloadModuleCompiledViews(Assembly moduleAssembly)
{
if (moduleAssembly == null)
throw new ArgumentNullException(nameof(moduleAssembly));
foreach (KeyValuePair<string, CompiledViewDescriptor> entry in this.CompiledViews
.Where(kvp => kvp.Value.Type.Assembly == moduleAssembly))
{
this.CompiledViews.Remove(entry.Key);
}
if (this.CancellationTokenSources.TryGetValue(moduleAssembly.FullName, out CancellationTokenSource cancellationTokenSource))
{
cancellationTokenSource.Cancel();
this.CancellationTokenSources.Remove(moduleAssembly.FullName);
}
}
private void PopulateCompiledViews()
{
ViewsFeature feature = new ViewsFeature();
this.ApplicationPartManager.PopulateFeature(feature);
this.CompiledViews = new Dictionary<string, CompiledViewDescriptor>(feature.ViewDescriptors.Count, StringComparer.OrdinalIgnoreCase);
foreach (CompiledViewDescriptor compiledView in feature.ViewDescriptors)
{
if (this.CompiledViews.ContainsKey(compiledView.RelativePath))
continue;
this.CompiledViews.Add(compiledView.RelativePath, compiledView);
};
}
public async Task<CompiledViewDescriptor> CompileAsync(string relativePath)
{
if (relativePath == null)
throw new ArgumentNullException(nameof(relativePath));
if (this.CompiledViews.TryGetValue(relativePath, out CompiledViewDescriptor cachedResult))
return cachedResult;
string normalizedPath = this.GetNormalizedPath(relativePath);
if (this.CompiledViews.TryGetValue(normalizedPath, out cachedResult))
return cachedResult;
return await Task.FromResult(new CompiledViewDescriptor()
{
RelativePath = normalizedPath,
ExpirationTokens = Array.Empty<IChangeToken>(),
});
}
protected string GetNormalizedPath(string relativePath)
{
if (relativePath.Length == 0)
return relativePath;
if (!this.NormalizedPathCache.TryGetValue(relativePath, out var normalizedPath))
{
normalizedPath = this.NormalizePath(relativePath);
this.NormalizedPathCache[relativePath] = normalizedPath;
}
return normalizedPath;
}
protected string NormalizePath(string path)
{
bool addLeadingSlash = path[0] != '\\' && path[0] != '/';
bool transformSlashes = path.IndexOf('\\') != -1;
if (!addLeadingSlash && !transformSlashes)
return path;
int length = path.Length;
if (addLeadingSlash)
length++;
return string.Create(length, (path, addLeadingSlash), (span, tuple) =>
{
var (pathValue, addLeadingSlashValue) = tuple;
int spanIndex = 0;
if (addLeadingSlashValue)
span[spanIndex++] = '/';
foreach (var ch in pathValue)
{
span[spanIndex++] = ch == '\\' ? '/' : ch;
}
});
}
}
现在,您需要找到现有的 IViewCompilerProvider 描述符,并将其替换为您自己的描述符,如下所示:
public void ConfigureServices(IServiceCollection services)
{
services.AddControllersWithViews();
ServiceDescriptor descriptor = services.FirstOrDefault(s => s.ServiceType == typeof(IViewCompilerProvider));
services.Remove(descriptor);
services.AddSingleton<IViewCompilerProvider, ModuleViewCompilerProvider>();
}
然后,在加载已编译的 View 插件程序集时,只需进行以下调用:
ModuleViewCompiler.Current.LoadModuleCompiledViews(compiledViewsAssembly);
卸载已编译的 View 插件程序集后,进行该调用:
ModuleViewCompiler.Current.UnloadModuleCompiledViews(compiledViewsAssembly);
这将取消并摆脱我们与插件程序集加载的编译 View 相关联的 IChangeToken。
这很重要如果您打算在运行时加载、卸载然后重新加载特定的插件程序集,因为否则 MVC 会跟踪它,可能会禁止卸载您的 AssemblyLoadContext,并且由于模型类型不匹配(模型 x 来自程序集 z在时间 T 加载的模型 x 与在时间 T+1 加载的组件 z 中的模型 x 不同)
关于razor - 如何在运行时动态加载 ASP.NET Core Razor View ,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/48206993/
我的公司正在尝试制定一些关于使用哪种技术来构建应用程序的指南。在做我的研究时,我感到很困惑。 似乎有 3 种 ASP.NET 技术。 MVC Razor Razor 页 MVC 对我来说相当清楚,因为
我正在尝试使用 Razor(来自预览版)将 MVC 项目升级到 Beta,现在我遇到了 Razor 没有进入它用来访问的登录 View 的奇怪现象(当有人要求执行需要授权的操作时)。 我的网络配置有
我想在 Razor 页面中包含一个类型化的模型子页面。我知道 SS 与 MVC Razor 不同。这样做的方式可能有些不同。 到目前为止,这就是我想出来的(看起来很丑,知道......): /
我在 Views 的同一个子文件夹中有两个 cshtml 文件。其中一个模板旨在包含另一个模板。我试图做到这一点,如下所示: 主模板: @Html.Partial("~/View
尝试通过部分将模型对象呈现为 JSON 结构,如下所示: @if( Model.IsEmpty ) { @( Model.UseNull ? "null" : "" ) } else {
现在我有下一个并且它有效 @foreach (TestLogs.Repository.DatabaseModel.Platforms CurrentPlatform in Model.Appl
我想知道如何在 Razor Pages 2.1 中创建和分配角色。应用。 我已经找到了如何为 MVC 应用程序( How to create roles in asp.net core and ass
我正在使用 Razor Engine from CodePlex在控制台应用程序中。当我在 VS 2010 IDE 中以 Debug模式运行时,一切正常。从 shell 来看,即使是上述 CodePl
我正在学习 ServiceStack razor 并希望更好地使用它(一般是 ServiceStack),但我无法让智能感知在模型上工作(通过继承指令) 这是我到目前为止的尝试:http://www.
如何在 Razor 辅助方法中包含不间断空格 ( )?这是有问题的助手: @helper RenderClipResult(Clip clip, IList searchTerms) {
关闭。这个问题需要更多focused .它目前不接受答案。 想改善这个问题吗?更新问题,使其仅关注一个问题 editing this post . 6年前关闭。 Improve this questi
我有一些 Razor 页面,其中包含大量条件逻辑、循环、部分 View 等。保持输出标记在语义上正确很容易,但使用正确的缩进和换行符对其进行格式化则更困难。我怎样才能在运行时自动执行此操作?有模块或
我有: @: 但它呈现为 ...lesson_icon/d40d2ff2-d06b-4fd8-80a0-0ed31bbc04eb%20.png 如何去掉.png前面的%20? 最佳答案 文件扩展名前
我有 6 个相同内容类型“新闻”的项目,在每个项目中我都有一个字段 newsIntro。我想将特定页面中的字段放在另一个页面上,因此我需要定位特定字段,因此它可能是节点 1702 上的 newsInt
是否有任何支持自动完成的 Razor 模板 (.cshtml) 的轻量级编辑器? 或任何支持 Razor 自动完成的 Notepad++、Sublime Text 2 等插件? 最佳答案 自上次测试版
有没有办法在 Razor View 引擎中创建类似的函数? @{ View.Title = "Clients"; private string GetRowClassName(RowS
我有一个名为 item 的对象,item 有一个属性 itemId。我正在尝试建立一个包含 itemId 后跟 .html 的网址...所以它看起来像“myNiftyItem-123456.html”
我想知道如何在 Razor Pages (Page.cshtml) 中获取路由值。 前任。https://localhost:44320/AdminPanel/Admins如果我使用 MVC,我会将这
如何在 F# 项目中使用 ServiceStack.Razor? 我添加了对 ServiceStack.Razor 的引用(这似乎在 Windows 上没有问题,但出于某种原因在 Mac 上的 Mon
通过Ctrl+E、D格式化这部分代码: if (row % 3 == 0) { @: } 给我: if (row % 3 == 0) { @:
我是一名优秀的程序员,十分优秀!