ASP.NET MVC升级到ASP.NET Core MVC踩坑小结

写在前面

ASP.NET Core是微软新推出的支持跨平台、高性能、开源的开发框架,它的优势不必多说,因为已经说得太多了。当然,现在依然有着数量庞大的系统运行于.NET Framework上,由于有大量的Break Changes,很多项目项目团队也不敢贸然升级,其中的考量也不全部是技术原因,更多的可能还是业务推进因素。

小编自年前开始考虑升级一套电商系统,原先是基于.NET Framework 4.5的,打算直接升级到.NET Core 3.1,由于系统规模比较庞大,所以一旦开工就是一个漫长的工程,我的博客也在很长时间没有再更新,有点对不起读者了。

年前第一次重构时,由于低估这套系统的复杂性再加上有些冒进,步子迈得有点大,出现了很多问题,不得不重新开始。这一次重构先易后难,步步为营,难题统一在后面解决,到现在已经完成了全部工程的百分之八十,后面的也没有太困难了,所以特地抽出时间小结一下。

详细内容

类库部分

类库部分的迁移应该是最简单的了,我是创建了一个新的类库,然后把代码copy过去,很少有地方需要修改,当然了有一些引用的第三方类库需要特殊对待,如Automapper、Autofac、FluentValidation等,这些也很简单,看看文档就行。

.NET Framework中,会有一些常用的封装库,如Session、Cookie和HttpRuntime等,这些变化比较大,所以自己在Startup中启用。

  • Session:

    • Startup.Configure:

      app.UseSession(new SessionOptions
      {Cookie = new CookieBuilder{},IdleTimeout = TimeSpan.FromSeconds(1),IOTimeout = Timeout.InfiniteTimeSpan
      });
      
    • Startup.ConfigureServices:

      services.AddSession();
      
    • 使用Session,可以通过HttpContext调用:

      HttpContext.Session.SetString("sessionId", sessionValue);
      HttpContext.Session.GetString("sessionId");
      context.Session.Remove("sessionId");
      
  • Cookie:

  • Response.Cookies.Append("User", "1", new CookieOptions()
    {Expires = DateTime.Now.AddMinutes(10)
    });//新增操作
    Response.Cookies.Delete("User");//删除操作
    
  • HttpRuntime的使用,可以通过IMemoryCache替换,具体的使用方法可参考MSDN(链接:https://docs.microsoft.com/en-us/aspnet/core/performance/caching/memory?view=aspnetcore-3.1)

  • System.Drawing已经不存在了,我使用的是ZKWeb.System.Drawing,基本上类名、枚举名没变化,只是命名空间Drawing变成了DrawingCore

  • 依赖注入部分全部迁移到Startup.ConfigureServices

  • Controller部分

    顺便说一下,静态资源部分,如JS、CSS、Image、Font这些复制到wwwroot目录上,另外app.UseStaticFiles();会在模板中出现。

    1、获取Controller及Action信息,可以通过RouteData.Values["controller"].ToString(),RouteData.Values["action"].ToString()

    2、很多的信息都放到了Request.Header[“”]中,如果之前可以用过Request直接点出来的,但是现在点不出来了,可以尝试使用这种方式,说不准会有意外惊喜。另外有一个相关的常量在这里出示一下,使用方式即Request.Header[HeaderNames.Authority],当然Request.HttpMethod 改为了 Request.Method。

    public static class HeaderNames
    {public static readonly string Accept;public static readonly string AcceptCharset;public static readonly string AcceptEncoding;public static readonly string AcceptLanguage;public static readonly string AcceptRanges;public static readonly string AccessControlAllowCredentials;public static readonly string AccessControlAllowHeaders;public static readonly string AccessControlAllowMethods;public static readonly string AccessControlAllowOrigin;public static readonly string AccessControlExposeHeaders;public static readonly string AccessControlMaxAge;public static readonly string AccessControlRequestHeaders;public static readonly string AccessControlRequestMethod;public static readonly string Age;public static readonly string Allow;public static readonly string Authority;public static readonly string Authorization;public static readonly string CacheControl;public static readonly string Connection;public static readonly string ContentDisposition;public static readonly string ContentEncoding;public static readonly string ContentLanguage;public static readonly string ContentLength;public static readonly string ContentLocation;public static readonly string ContentMD5;public static readonly string ContentRange;public static readonly string ContentSecurityPolicy;public static readonly string ContentSecurityPolicyReportOnly;public static readonly string ContentType;public static readonly string Cookie;public static readonly string CorrelationContext;public static readonly string Date;public static readonly string DNT;public static readonly string ETag;public static readonly string Expect;public static readonly string Expires;public static readonly string From;public static readonly string Host;public static readonly string IfMatch;public static readonly string IfModifiedSince;public static readonly string IfNoneMatch;public static readonly string IfRange;public static readonly string IfUnmodifiedSince;public static readonly string KeepAlive;public static readonly string LastModified;public static readonly string Location;public static readonly string MaxForwards;public static readonly string Method;public static readonly string Origin;public static readonly string Path;public static readonly string Pragma;public static readonly string ProxyAuthenticate;public static readonly string ProxyAuthorization;public static readonly string Range;public static readonly string Referer;public static readonly string RequestId;public static readonly string RetryAfter;public static readonly string Scheme;public static readonly string SecWebSocketAccept;public static readonly string SecWebSocketKey;public static readonly string SecWebSocketProtocol;public static readonly string SecWebSocketVersion;public static readonly string Server;public static readonly string SetCookie;public static readonly string Status;public static readonly string StrictTransportSecurity;public static readonly string TE;public static readonly string TraceParent;public static readonly string TraceState;public static readonly string Trailer;public static readonly string TransferEncoding;public static readonly string Translate;public static readonly string Upgrade;public static readonly string UpgradeInsecureRequests;public static readonly string UserAgent;public static readonly string Vary;public static readonly string Via;public static readonly string Warning;public static readonly string WebSocketSubProtocols;public static readonly string WWWAuthenticate;public static readonly string XFrameOptions;
    }
    

    3、Request.IsAjaxRequest

    这个已经不存在了,可以自行实现。

    public static bool IsAjaxRequest(this HttpRequest request)
    {if (request == null)throw new ArgumentNullException("request");if (request.Headers != null)return request.Headers["X-Requested-With"] == "XMLHttpRequest";return false;
    }
    

    4、Area注册

    之前的AreaRegistration已经不存在,如果需要设置Area,可以在每个Controller上设置[Area(“Admin”)],路由处的注册可以考虑如下方式,

    app.UseEndpoints(endpoints =>
    {endpoints.MapControllerRoute(name: "default",pattern: "{controller=Home}/{action=Index}/{id?}");endpoints.MapControllerRoute(name: "areas",pattern: "{area:exists}/{controller=Home}/{action=Index}/{id?}");
    });
    

    5、AbsoluteUri也已经不存在了,但是可以通过如下三个方法取代:

    /// <summary>/// Returns the combined components of the request URL in a fully un-escaped form (except for the QueryString)/// suitable only for display. This format should not be used in HTTP headers or other HTTP operations./// </summary>/// <param name="request">The request to assemble the uri pieces from.</param>/// <returns>The combined components of the request URL in a fully un-escaped form (except for the QueryString)/// suitable only for display.</returns>public static string GetDisplayUrl(this HttpRequest request);/// <summary>Returns the relative URI.</summary>/// <param name="request">The request to assemble the uri pieces from.</param>/// <returns>The path and query off of <paramref name="request" />.</returns>public static string GetEncodedPathAndQuery(this HttpRequest request);/// <summary>/// Returns the combined components of the request URL in a fully escaped form suitable for use in HTTP headers/// and other HTTP operations./// </summary>/// <param name="request">The request to assemble the uri pieces from.</param>/// <returns>The encoded string version of the URL from <paramref name="request" />.</returns>public static string GetEncodedUrl(this HttpRequest request);
    

    6、过滤器

    之前继承ActionFilterAttribute,现在实现IActionFilter,注册方式为services.AddMvc(o=>o.Filters.Add(new XX())),当然之前的很多过滤器或者Controller基类方法已经不存在了,如Controller OnAuthentication。

    IResultFilter中的OnResultExecuting(ResultExecutingContext filterContext)需要通过filterContext.Controller as Controller来获取默认的Controller。

    最后有一个比较重要的类ActionDescriptorControllerDescriptor继承自ActionDescriptor,这里可以通过类型转换获取相关信息。

    之前有很多的FilterAttribute也可以通过中间件来取代。


    7、Action上被去掉的Attribute,如[ValidateInput(false)],[ChildActionOnly]

    View部分

    1、页面基类型及扩展

    之前我们创建页面基类型,是通过继承System.Web.Mvc.WebViewPage<TModel>来实现,现在我们可以通过RazorPage<TModel>来取代。

    扩展HtmlHelper也换成了IHtmlHelper接口。HtmlString也替换了MvcHtmlString,更上层也以接口方式来取代IHtmlContent。


    2、Ajax.BeginForm换成了<form asp-controller="DistributorGrade" asp-action="Save" id="addform" data-ajax="true" data-ajax-method="post" data-ajax-begin="begin" data-ajax-success="success">。当前.NET Core 依然支持Html.BeginForm,不过我建议大家有时间的时候都替换一下,具体请参考下一条。


    3、第2条出现的asp-action等是通过Razor Tag Helpers来实现的,很多的自定义需要加入到_ViewImports.cshtml,当然一些引用也可以统一放到这里,如@using Microsoft.AspNetCore.Routing,这样就可以在当前的Area中作为全局引用了。

    Razor Tag Help是一个十分重要的功能,它使得.NET Core MVC的开发更像是在写Html语言,更加的清晰,更加具有生产力。


    如@Html.TextBoxFor()可以用通过<input asp-for=””/>替换,以下图片摘自MSDN:

    Framework MVC的写法

    Core MVC的写法

    一些Tag Help集锦:(引用链接:https://docs.microsoft.com/en-US/aspnet/core/mvc/views/tag-helpers/intro?view=aspnetcore-3.1


    Built-in ASP.NET Core Tag Helpers

    Anchor Tag Helper

    Cache Tag Helper

    Component Tag Helper

    Distributed Cache Tag Helper

    Environment Tag Helper

    Form Tag Helper

    Form Action Tag Helper

    Image Tag Helper

    Input Tag Helper

    Label Tag Helper

    Link Tag Helper

    Partial Tag Helper

    Script Tag Helper

    Select Tag Helper

    Textarea Tag Helper

    Validation Message Tag Helper

    Validation Summary Tag Helper

    4、@Html.Action和@Html.RenderAction可以通过ViewComponents来取代

    public class XXXXViewComponent : ViewComponent
    {public IViewComponentResult Invoke(){return this.View("");}
    }
    

    调用方式是await Component.InvokeAsync(“XXXXViewComponent”),详情请点击链接


    5、@MvcHtmlString.Create()可以使用new Microsoft.AspNetCore.Html.HtmlString()取代

    6、IP地址可以通过HttpRequest.HttpContext.Connection.RemoteIpAddress获取

    7、之前通过@helper 定义页面的函数,这个已经被去掉了,现在可以通过@functions来取代

    小结

    限于篇幅,先总结这么多,系统尚未完全结束,不过升级到.NET Core是一个非常棒的过程,可以更好地体验.NET Core的强大。如果小伙伴在升级过程中也遇到了很多问题,希望这篇文章可以给大家一些帮助,另外我没有写到的,大家可以留个言,我统一收集一下。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/310801.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

用函数求C15的值C语言,南开19春学期(1503、1509、1603、1609、1703)《C语言程序设计》在线作业-1辅导资料.docx...

南开19春学期(1503、1509、1603、1609、1703)《C语言程序设计》在线作业-1辅导资料.docx 南开19春学期(1503、1509、1603、1609、1703)C语言程序设计在线作业-11、D 2、B 3、C 4、A 5、D 一、单选题共40题&#xff0c;80分1、以下对一维整型数组 a 的正确说明是 Aint a10 ;Bint…

LeetCode 563二叉树的坡度-简单

给定一个二叉树&#xff0c;计算 整个树 的坡度 。 一个树的 节点的坡度 定义即为&#xff0c;该节点左子树的节点之和和右子树节点之和的 差的绝对值 。如果没有左子树的话&#xff0c;左子树的节点之和为 0 &#xff1b;没有右子树的话也是一样。空结点的坡度是 0 。 整个树…

CIO/CTO都应该掌握和了解的EA(企业架构)

我们已进入数字化技术推动的第四次工业革命&#xff0c;是以工业互联网建设为标志。单纯从IT的视角管理信息化系统让许多企业深陷管理困境&#xff0c;解决问题也是按下葫芦浮起瓢。实际上&#xff0c;IT的服务对象是企业的战略、组织、管理、流程等一系列的要素&#xff0c;因…

扛并发主力军,引入应用层缓存

1.背景缓存的使用一定是今后开发中100%会用到的技术&#xff0c;尤其是Redis相关的问题&#xff0c;如果面试官不问我我几个缓存相关的问题&#xff0c;那我觉得我可能是去了个假的互联网公司。这里考虑到有些初学者刚刚出校园或者自学中&#xff0c;准许我多费口舌介绍下关于缓…

LeetCode 783二叉搜索树节点最小距离-简单

给你一个二叉搜索树的根节点 root &#xff0c;返回 树中任意两不同节点值之间的最小差值 。 示例 1&#xff1a; 输入&#xff1a;root [4,2,6,1,3] 输出&#xff1a;1 示例 2&#xff1a; 输入&#xff1a;root [1,0,48,null,null,12,49] 输出&#xff1a;1 提示&…

使用 VMware + win10 + vs2019 从零搭建双机内核调试环境

我在前面的文章——《使用 VMware win10 VirtualKD windbg 从零搭建双机内核调试环境》分享了使用 windbg 进行双机内核调试的环境搭建的步骤。有小伙伴儿留言说&#xff1a;在使用 vs 进行双机内核调试的时候&#xff0c;总是连不上。希望能发一篇使用 vs 进行双机内核调试…

C#中的9个“黑魔法”与“骚操作”

C#中的9个“黑魔法”与“骚操作”我们知道 C#是非常先进的语言&#xff0c;因为是它很有远见的“语法糖”。这些“语法糖”有时过于好用&#xff0c;导致有人觉得它是 C#编译器写死的东西&#xff0c;没有道理可讲的——有点像“黑魔法”。那么我们可以看看 C#这些高级语言功能…

LeetCode 872叶子相似的树-简单

请考虑一棵二叉树上所有的叶子&#xff0c;这些叶子的值按从左到右的顺序排列形成一个 叶值序列 。 举个例子&#xff0c;如上图所示&#xff0c;给定一棵叶值序列为 (6, 7, 4, 9, 8) 的树。 如果有两棵二叉树的叶值序列是相同&#xff0c;那么我们就认为它们是 叶相似 的。 …

.NET Core开发实战(第35课:MediatR:让领域事件处理更加优雅)--学习笔记

35 | MediatR&#xff1a;让领域事件处理更加优雅核心对象IMediatorINotificationINotificationHandler这两个与之前的 Request 的行为是不一样的&#xff0c;接下来看一下代码internal class MyEvent : INotification {public string EventName { get; set; } }internal class…

LeetCode 559N叉树的最大深度-简单

给定一个 N 叉树&#xff0c;找到其最大深度。 最大深度是指从根节点到最远叶子节点的最长路径上的节点总数。 N 叉树输入按层序遍历序列化表示&#xff0c;每组子节点由空值分隔&#xff08;请参见示例&#xff09;。 示例 1&#xff1a; 输入&#xff1a;root [1,null,3,…

android 5.0状态栏下载地址,Android沉浸式状态栏(5.0以上系统)

Android沉浸式状态栏(5.0以上系统)沉浸式状态栏可以分为两种:1.直接给状态栏设置颜色 (如下图:)这里写图片描述java代码形式:if (Build.VERSION.SDK_INT > Build.VERSION_CODES.LOLLIPOP) {Window window activity.getWindow();window.addFlags(WindowManager.LayoutParams…

解析“60k”大佬的19道C#面试题(下)

解析“60k”大佬的19道C#面试题&#xff08;下&#xff09;在上篇中&#xff0c;我解析了前 10 道题目&#xff0c;本篇我将尝试解析后面剩下的所有题目。解析“60k”大佬的19道C#面试题&#xff08;上&#xff09;这些题目确实不怎么经常使用&#xff0c;因此在后文中&#xf…

android 卡顿代码定位,Android 性能优化实例:通过 TraceView 定位卡顿问题

8种机械键盘轴体对比本人程序员&#xff0c;要买一个写代码的键盘&#xff0c;请问红轴和茶轴怎么选&#xff1f;背景项目中使用了鸿洋大神的TreeView树状结构控件&#xff0c; 但是由于在主线程中使用了注解/反射来定位节点&#xff0c; 内容一多就有点卡顿。因此通过android …

DotNetCore三大Redis客户端对比和使用心得

前言稍微复杂一点的互联网项目&#xff0c;技术选型都会涉及Redis&#xff0c;.NetCore的生态越发完善&#xff0c;支持.NetCore的Redis客户端越来越多&#xff0c;下面三款常见的Redis客户端&#xff0c;相信大家平时或多或少用到一些&#xff0c;结合三款客户端的使用经历&am…

android elevation 白色,Android Elevation

简介&#xff1a;在Android API21&#xff0c;新添加了一个属性&#xff1a;android:elevation&#xff0c;用以在xml定义View的深度(高度)&#xff0c;也即z方向的值。除了elevation之外&#xff0c;类似于已有的translationX、translationY&#xff0c;也相对应地新增了一个t…

(译)创建.NET Core多租户应用程序-租户解析

介绍本系列博客文章探讨了如何在ASP.NET Core Web应用程序中实现多租户。这里有很多代码段&#xff0c;因此您可以按照自己的示例应用程序进行操作。在此过程的最后&#xff0c;没有对应的NuGet程序包&#xff0c;但这是一个很好的学习和练习。它涉及到框架的一些“核心”部分。…

【要闻】Kubernetes无用论诞生、Elasticsearch 7.6.2 发布

导读&#xff1a;本期要闻包含OpenStack网络如何给组织带来好处、Portworx CEO分享的如何让Kubernetes跑得快还不出错的秘籍等精彩内容。大数据要闻Elasticsearch 7.6.2 发布&#xff0c;分布式搜索和数据分析引擎Elasticsearch 7.6.2 发布了&#xff0c;Elasticsearch 是一个分…

玩转控件:对Dev中GridControl控件的封装和扩展

清明节清明时节雨纷纷路上行人欲断魂借问酒家何处有牧童遥指杏花村又是一年清明节至&#xff0c;细雨绵绵犹如泪光&#xff0c;树叶随风摆动....转眼间&#xff0c;一年又过去了三分之一&#xff0c;疫情的严峻让不少企业就跟清明时节的树叶一样&#xff0c;摇摇欲坠。裁员的裁…

创业5年,我有5点关于人的思考

点击蓝字关注&#xff0c;回复“职场进阶”获取职场进阶精品资料一份不知不觉创业五年了&#xff0c;也算一个屡战屡败、屡败屡战的创业老兵了。从第一次失败要靠吃抗抑郁的药&#xff0c;到现在理性的看待成败得失&#xff0c;不得不说&#xff0c;创业这条路对我还是有不小提…

C++实现具有[数组]相似特征的类DoubleSubscriptArray

#include <iostream> using namespace std;class DoubleSubscriptArray {public:DoubleSubscriptArray(int x, int y) {p new int *[x];//行 //申请行的空间for (int i 0; i < x; i) {p[i] new int [y];//每行的列申请空间}for (int i 0; i < x; i)for (int j …