• 分享一个基于Net Core 3.1开发的模块化的项目(补充数据库脚本)


    先简单介绍下项目(由于重新基于模块化设计了整个项目,所以目前整个项目功能不多)

    1.Asp.Net Core 3.1.2+MSSQL2019(LINUX版)

    2.中间件涉及Redis、RabbitMQ等

    3.完全模块化的设计,支持每个模块有独立的静态资源文件

    github开源地址(数据库脚本也已经上传到github打开下面地址就能看到SQL文件):

    https://github.com/yupingyong/mango

    上一张项目结构图:

     上图中 Modules目录下放的项目的模块

    Mango.WebHost 承载整个项目运行

    Mango.Framework 封装整个项目模块化核心

    下面我会分享实现模块化的几个核心要点,更详细的我会在后续的博文中陆续发布.

    框架如何去加载所写的模块这是最核心的问题之一,好在Asp.Net Core MVC为模块化提供了一个部件管理类

    Microsoft.AspNetCore.Mvc.ApplicationParts.ApplicationPartManager

     它支持从外部DLL程序集加载组件以及组件的管理.不过要从外部组件去获取哪些是组件我们需要借助一个工厂类ApplicationPartFactory,这个类支持从外部程序集得到对应的控制器信息,核心代码如下:

     1         /// <summary>
     2         /// 向MVC模块添加外部应用模块组件
     3         /// </summary>
     4         /// <param name="mvcBuilder"></param>
     5         /// <param name="assembly"></param>
     6         private static void AddApplicationPart(IMvcBuilder mvcBuilder, Assembly assembly)
     7         {
     8             var partFactory = ApplicationPartFactory.GetApplicationPartFactory(assembly);
     9             foreach (var part in partFactory.GetApplicationParts(assembly))
    10             {
    11                 mvcBuilder.PartManager.ApplicationParts.Add(part);
    12             }
    13             
    14             var relatedAssemblies = RelatedAssemblyAttribute.GetRelatedAssemblies(assembly, throwOnError: false);
    15             foreach (var relatedAssembly in relatedAssemblies)
    16             {
    17                 partFactory = ApplicationPartFactory.GetApplicationPartFactory(relatedAssembly);
    18                 foreach (var part in partFactory.GetApplicationParts(relatedAssembly))
    19                 {
    20                     mvcBuilder.PartManager.ApplicationParts.Add(part);
    21                     mvcBuilder.PartManager.ApplicationParts.Add(new CompiledRazorAssemblyPart(relatedAssembly));
    22                 }
    23             }
    24         }

    上面的代码展示了如何加载控制器信息,但是视图文件在项目生成的时候是单独的*.Views.dll文件,我们接下来介绍如何加载视图文件,同样还是用到了ApplicationPartManager类

    mvcBuilder.PartManager.ApplicationParts.Add(new CompiledRazorAssemblyPart(module.ViewsAssembly));

    new一个CompiledRazorAssemblyPart对象表示添加进去的是视图编译文件,完整的核心代码

     1         /// <summary>
     2         /// 添加MVC组件
     3         /// </summary>
     4         /// <param name="services"></param>
     5         /// <returns></returns>
     6         public static IServiceCollection AddCustomizedMvc(this IServiceCollection services)
     7         {
     8             services.AddSession();
     9 
    10             var mvcBuilder = services.AddControllersWithViews(options=> {
    11                 //添加访问授权过滤器
    12                 options.Filters.Add(new AuthorizationComponentFilter());
    13             })
    14                 .AddJsonOptions(options=> {
    15                     options.JsonSerializerOptions.Converters.Add(new DateTimeToStringConverter());
    16                 });    
    17             foreach (var module in GlobalConfiguration.Modules)
    18             {
    19                 if (module.IsApplicationPart)
    20                 {
    21                     if (module.Assembly != null)
    22                         AddApplicationPart(mvcBuilder, module.Assembly);
    23                     if (module.ViewsAssembly != null)
    24                         mvcBuilder.PartManager.ApplicationParts.Add(new CompiledRazorAssemblyPart(module.ViewsAssembly));
    25                 }
    26             }
    27             return services;
    28         }

    那如何去加载程序集呢?这里我使用了自定义的ModuleAssemblyLoadContext去加载程序集,这个类继承自AssemblyLoadContext(它支持卸载加载过的程序集,但是部件添加到MVC中时,好像不支持动态卸载会出现异常,可能是我还没研究透吧)

     1 using System;
     2 using System.Collections.Generic;
     3 using System.Linq;
     4 using System.Threading.Tasks;
     5 using System.Reflection;
     6 using System.Runtime.CompilerServices;
     7 using System.Runtime.Loader;
     8 
     9 namespace Mango.Framework.Module
    10 {
    11     public class ModuleAssemblyLoadContext : AssemblyLoadContext
    12     {
    13         public ModuleAssemblyLoadContext() : base(true)
    14         {
    15         }
    16     }
    17 }

    在使用ModuleAssemblyLoadContext类加载程序集时,先使用FileStream把程序集文件读取出来(这样能够避免文件一直被占用,方便开发中编译模块时报文件被占用的异常),加载文件路径时需要注意的问题一定要使用/(在windows server下没问题,但是如果在linux下部署就会出现问题),代码如下:

     1         /// <summary>
     2         /// 添加模块
     3         /// </summary>
     4         /// <param name="services"></param>
     5         /// <param name="contentRootPath"></param>
     6         /// <returns></returns>
     7         public static IServiceCollection AddModules(this IServiceCollection services, string contentRootPath)
     8         {
     9             try
    10             {
    11                 GlobalConfiguration.Modules = _moduleConfigurationManager.GetModules();
    12                 ModuleAssemblyLoadContext context = new ModuleAssemblyLoadContext();
    13                 foreach (var module in GlobalConfiguration.Modules)
    14                 {
    15                     var dllFilePath = Path.Combine(contentRootPath, $@"Modules/{module.Id}/{module.Id}.dll");
    16                     var moduleFolder = new DirectoryInfo(dllFilePath);
    17                     if (File.Exists(moduleFolder.FullName))
    18                     {
    19                         using FileStream fs = new FileStream(moduleFolder.FullName, FileMode.Open);
    20                         module.Assembly = context.LoadFromStream(fs);
    21                         //
    22                         RegisterModuleInitializerServices(module, ref services);
    23                     }
    24                     else
    25                     {
    26                         _logger.Warn($"{dllFilePath} file is not find!");
    27                     }
    28                     //处理视图文件程序集加载
    29                     var viewsFilePath = Path.Combine(contentRootPath, $@"Modules/{module.Id}/{module.Id}.Views.dll");
    30                     moduleFolder = new DirectoryInfo(viewsFilePath);
    31                     if (File.Exists(moduleFolder.FullName))
    32                     {
    33                         using FileStream viewsFileStream = new FileStream(moduleFolder.FullName, FileMode.Open);
    34                         module.ViewsAssembly = context.LoadFromStream(viewsFileStream);
    35                     }
    36                     else
    37                     {
    38                         _logger.Warn($"{viewsFilePath} file is not find!");
    39                     }
    40                 }
    41             }
    42             catch (Exception ex)
    43             {
    44                 _logger.Error(ex);
    45             }
    46             return services;
    47         }

    上面简单介绍了如何利用MVC自带的部件管理类去加载外部程序集,这里需要说明的一点的是每个模块我们采用创建区域的方式去区分模块,如下图展示的账号模块结构

     基于模块化开发我们可能碰到一个比较常见的需求就是,如果每个模块需要拥有自己独立的静态资源文件呢?这种情况如何去解决呢?

    好在MVC框架也提供了一个静态资源配置方法UseStaticFiles,我们在Configure方法中启用静态资源组件时,可以自定义设置静态文件访问的路径,设置代码如下

     1             //设置每个模块约定的静态文件目录
     2             foreach (var module in GlobalConfiguration.Modules)
     3             {
     4                 if (module.IsApplicationPart)
     5                 {
     6                     var modulePath = $"{env.ContentRootPath}/Modules/{module.Id}/wwwroot";
     7                     if (Directory.Exists(modulePath))
     8                     {
     9                         app.UseStaticFiles(new StaticFileOptions()
    10                         {
    11                             FileProvider = new PhysicalFileProvider(modulePath),
    12                             RequestPath = new PathString($"/{module.Name}")
    13                         });
    14                     }
    15                 }
    16             }

    上述代码片段中我们能够看到通过new StaticFileOptions()添加配置项, StaticFileOptions中有两个重要的属性,只需要配置好这两个就能满足基本需求了

    FileProvider:该属性表示文件的实际所在目录(如:{env.ContentRootPath}/Modules/Mango.Module.Account/wwwroot)

    RequestPath:该属性表示文件的请求路径(如 /account/test.js 这样访问到就是 {env.ContentRootPath}/Modules/Mango.Module.Account/wwwroot下的test.js文件)

    这篇博文我就暂时只做一个模块化开发实现的核心代码展示和说明,更具体的只能在接下来的博文中展示了.

    其实我也开发了一个前后分离的,只剩下鉴权,实现的核心和上面所写的一样,这里我就只把开源地址分享出来,我后面还是会用业余时间来继续完成它

    https://github.com/yupingyong/mango-open

    该项目我已经在linux 上使用docker容器部署了,具体地址我就不发布了(避免打广告的嫌疑,我截几张效果图)

     

     结语:这个项目我会一个更新下去,接下去这个框架会向DDD发展.

    因为喜欢.net 技术栈,所以愿意在开发社区分享我的知识成果,也想向社区的人学习更好的编码风格,更高一层编程技术.

  • 相关阅读:
    电源符号:VCC、VDD、VEE、VSS、VBAT各表示什么意思?
    Maven项目打包成war包并启动war包运行
    Jeecg-Boot 快速开发平台(前后端分离版本)
    ATX , UATX , MATX这三个板型有什么区别,ATX大板,MATX小板,UATX是什么板子。
    IO模型之NIO代码及其实践详解
    nio原理和示例代码
    jvisualvm远程监控tomcat
    jvisualvm 远程监控tomcat
    springmvc 自定义注解
    Bootstrap3基础 pagination 分页按钮 简单示例
  • 原文地址:https://www.cnblogs.com/yupingyong/p/12447585.html
Copyright © 2020-2023  润新知