.NET Core 3 Web Api Cors fetch 一直 307 Temporary Redirect

继上一篇 .net core 3 web api jwt 一直 401 为添加JWT-BearerToken认证所述的坑后,

本次为添加CORS跨域,又踩坑了。

自从 .NET Core 2.2 之后,CORS跨域配置代码发生了很大变化。

在 .NET Core 3.1 中,本作者碰到各种HTTP错误,诸如 500、307、401 等错误代码...

在必应Bing和不断Debug调整配置代码位置后,得知:

  1. AllowAnyOrigin 方法,在新的 CORS 中间件已经被阻止使用允许任意 Origin,所以该方法无效。
  2. AllowCredentials 方法,自从 .NET Core 2.2 之后,不允许和AllowAnyOrigin同时调用。
  3. WithOrigins 方法,在 .NET Core 3.1 中有bug,具体原因未知,暂时只能用SetIsOriginAllowed(t=> true)代替,等效.AllowAnyOrigin方法。
  4. 创建项目默认的模板中,app.UseHttpsRedirection()在前面,所以我将app.UseCors()放在它后面,这是导致HTTP 307 Temporary Redirect福报的根本原因之一。
  5. 度娘告诉我,app.UseCors()方法要在app.UseAuthentication()之后,是误人子弟的,其实放在它前面也可以,并且app.UseCors()要在app.UseRouting()之后,app.UseEndpoints()app.UseHttpsRedirection()之前
  6. 使用fetch跨域请求时,要注意controller的action是否有设置除了HttpOptions之外的其它Http Method方法,如果有要加上HttpOptions标记特性,因为fetch跨域请求会先执行OPTIONS预请求。
  7. 使用fetch请求需要JWT认证的接口时,除了在HTTP Headers设置Authorization之外,还需要设置'credentials': 'include'
  8. app.UseXxxxxx方法,引入中间件时,要注意管道(Middleware)注册顺序。

参考:

源代码

以下是在 .NET Core 3.1下经过严谨测试,可以JWT认证CORS跨域IIS托管自寄主运行的源代码,仅供参考。

WebApi.csproj

  1. <Project Sdk="Microsoft.NET.Sdk.Web">
  2. <PropertyGroup>
  3. <TargetFramework>netcoreapp3.1</TargetFramework>
  4. <RootNamespace>WebApi</RootNamespace>
  5. </PropertyGroup>
  6. <ItemGroup>
  7. <PackageReference Include="Microsoft.AspNetCore.Authentication.JwtBearer" Version="3.1.2" />
  8. <PackageReference Include="Microsoft.Extensions.Logging.Console" Version="3.1.2" />
  9. <PackageReference Include="Microsoft.Extensions.Logging.Debug" Version="3.1.2" />
  10. <PackageReference Include="Microsoft.Extensions.Logging.EventSource" Version="3.1.2" />
  11. <PackageReference Include="Microsoft.Extensions.Logging.TraceSource" Version="3.1.2" />
  12. <PackageReference Include="Microsoft.Extensions.Options.ConfigurationExtensions" Version="3.1.2" />
  13. <PackageReference Include="Microsoft.TeamFoundationServer.Client" Version="16.153.0" />
  14. <PackageReference Include="Microsoft.VisualStudio.Services.Client" Version="16.153.0" />
  15. <PackageReference Include="Microsoft.VisualStudio.Services.InteractiveClient" Version="16.153.0" />
  16. <PackageReference Include="NLog.Web.AspNetCore" Version="4.9.0" />
  17. </ItemGroup>
  18. </Project>

Program.cs

  1. using Microsoft.AspNetCore.Hosting;
  2. using Microsoft.Extensions.Hosting;
  3. using Microsoft.Extensions.Logging;
  4. using NLog.Extensions.Logging;
  5. using System.Diagnostics;
  6. using System.IO;
  7. namespace WebApi
  8. {
  9. public class Program
  10. {
  11. public static void Main(string[] args)
  12. {
  13. CreateHostBuilder(args).Build().Run();
  14. }
  15. public static IHostBuilder CreateHostBuilder(string[] args)
  16. {
  17. return Host.CreateDefaultBuilder(args)
  18. .ConfigureLogging((context, logging) =>
  19. {
  20. logging.ClearProviders()
  21. #if DEBUG
  22. .AddConsole()
  23. .AddDebug()
  24. .AddEventLog()
  25. .AddTraceSource(new SourceSwitch(nameof(Program), "Warning"), new ConsoleTraceListener())
  26. #endif
  27. .AddNLog();
  28. })
  29. .ConfigureWebHostDefaults(webBuilder =>
  30. {
  31. webBuilder.UseContentRoot(Directory.GetCurrentDirectory())
  32. .UseKestrel()
  33. .UseIISIntegration()
  34. .UseIIS()
  35. .UseStartup<Startup>();
  36. });
  37. }
  38. }
  39. }

Startup.cs

  1. using MCS.Vsts.Options;
  2. using MCS.Vsts.Services;
  3. using Microsoft.AspNetCore.Authentication.JwtBearer;
  4. using Microsoft.AspNetCore.Builder;
  5. using Microsoft.AspNetCore.Hosting;
  6. using Microsoft.AspNetCore.HttpOverrides;
  7. using Microsoft.Extensions.Configuration;
  8. using Microsoft.Extensions.DependencyInjection;
  9. using Microsoft.Extensions.Hosting;
  10. using Microsoft.IdentityModel.Tokens;
  11. using System.Text;
  12. namespace WebApi
  13. {
  14. public class Startup
  15. {
  16. public IConfiguration Configuration { get; }
  17. public Startup(IConfiguration configuration)
  18. {
  19. Configuration = configuration;
  20. }
  21. public void ConfigureServices(IServiceCollection services)
  22. {
  23. services.AddControllers();
  24. //认证
  25. services.AddAuthentication(JwtBearerDefaults.AuthenticationScheme)
  26. .AddJwtBearer(options =>
  27. {
  28. var secretBytes = Encoding.UTF8.GetBytes(Configuration["ServerConfig:Secret"]);
  29. options.TokenValidationParameters = new TokenValidationParameters()
  30. {
  31. IssuerSigningKey = new SymmetricSecurityKey(secretBytes),
  32. ValidateIssuer = false,
  33. ValidateAudience = false,
  34. ValidateActor = false,
  35. RequireSignedTokens = true,
  36. RequireExpirationTime = true,
  37. ValidateLifetime = true
  38. };
  39. });
  40. //跨域
  41. services.AddCors(options =>
  42. {
  43. options.AddDefaultPolicy(builder =>
  44. {
  45. builder
  46. //允许任何来源的主机访问
  47. //TODO: 新的 CORS 中间件已经阻止允许任意 Origin,即设置 AllowAnyOrigin 也不会生效
  48. //AllowAnyOrigin()
  49. //设置允许访问的域
  50. //TODO: 目前.NET Core 3.1 有 bug, 暂时通过 SetIsOriginAllowed 解决
  51. //.WithOrigins(Configuration["CorsConfig:Origin"])
  52. .SetIsOriginAllowed(t=> true)
  53. .AllowAnyMethod()
  54. .AllowAnyHeader()
  55. .AllowCredentials();
  56. });
  57. });
  58. //TODO: do something...
  59. }
  60. public void Configure(IApplicationBuilder app, IWebHostEnvironment env)
  61. {
  62. if (env.IsDevelopment())
  63. {
  64. app.UseDeveloperExceptionPage();
  65. }
  66. else
  67. {
  68. //Enabled HSTS
  69. app.UseHsts();
  70. }
  71. //TODO: 要放在UseCors之后
  72. //app.UseHttpsRedirection();
  73. app.UseRouting();
  74. app.UseForwardedHeaders(new ForwardedHeadersOptions
  75. {
  76. ForwardedHeaders = ForwardedHeaders.XForwardedFor | ForwardedHeaders.XForwardedProto
  77. });
  78. //TODO: UseCors要在UseRouting之后,UseEndpoints 和 UseHttpsRedirection 之前
  79. app.UseCors();
  80. app.UseAuthentication();
  81. app.UseAuthorization();
  82. app.UseHttpsRedirection();
  83. app.UseEndpoints(endpoints =>
  84. {
  85. endpoints.MapControllers();
  86. });
  87. }
  88. }
  89. }

appsettings.json

  1. {
  2. "Logging": {
  3. "LogLevel": {
  4. "Default": "Information",
  5. "Microsoft": "Warning",
  6. "Microsoft.Hosting.Lifetime": "Information"
  7. }
  8. },
  9. "AllowedHosts": "*",
  10. "https_port": 44370,
  11. "urls": "http://*:50867",
  12. "ServerConfig": {
  13. "Secret": "xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx"
  14. },
  15. "CorsConfig": {
  16. "BaseUri": "http://myserver"
  17. }
  18. }

.NET Core 3 Web Api Cors fetch 一直 307 Temporary Redirect的更多相关文章

  1. angular4和asp.net core 2 web api

    angular4和asp.net core 2 web api 这是一篇学习笔记. angular 5 正式版都快出了, 不过主要是性能升级. 我认为angular 4还是很适合企业的, 就像.net ...

  2. .net core 3 web api jwt 一直 401

    最近在给客户开发 Azure DevOps Exension, 该扩展中某个功能需要调用使用 .NET Core 3 写的 Web Api. 在拜读了 Authenticating requests ...

  3. 温故知新,使用ASP.NET Core创建Web API,永远第一次

    ASP.NET Core简介 ASP.NET Core是一个跨平台的高性能开源框架,用于生成启用云且连接Internet的新式应用. 使用ASP.NET Core,您可以: 生成Web应用和服务.物联 ...

  4. 使用angular4和asp.net core 2 web api做个练习项目(一)

    这是一篇学习笔记. angular 5 正式版都快出了, 不过主要是性能升级. 我认为angular 4还是很适合企业的, 就像.net一样. 我用的是windows 10 安装工具: git for ...

  5. 使用angular4和asp.net core 2 web api做个练习项目(二), 这部分都是angular

    上一篇: http://www.cnblogs.com/cgzl/p/7755801.html 完成client.service.ts: import { Injectable } from '@an ...

  6. 使用angular4和asp.net core 2 web api做个练习项目(四)

    第一部分: http://www.cnblogs.com/cgzl/p/7755801.html 第二部分: http://www.cnblogs.com/cgzl/p/7763397.html 第三 ...

  7. 基于ASP.NET Core 创建 Web API

    使用 Visual Studio 创建项目. 文件->新建->项目,选择创建 ASP.NET Core Web 应用程序. 基于 ASP.NET Core 2.0 ,选择API,身份验证选 ...

  8. ASP.NET Core Restful Web API 相关资源索引

    GraphQL 使用ASP.NET Core开发GraphQL服务器 -- 预备知识(上) 使用ASP.NET Core开发GraphQL服务器 -- 预备知识(下) [视频] 使用ASP.NET C ...

  9. 使用 ASP.NET Core 创建 Web API及链接sqlserver数据库

    创建 Web API https://docs.microsoft.com/zh-cn/aspnet/core/tutorials/first-web-api?view=aspnetcore-3.0& ...

随机推荐

  1. Djaingo 日志配置

    1.setting.py文件 # 项目级别的日志配置 BASE_LOG_DIR = os.path.join(BASE_DIR, "log") LOGGING = { 'versi ...

  2. 洛谷P2585 [ZJOI2006]三色二叉树

    题目描述 输入输出格式 输入格式: 输入文件名:TRO.IN 输入文件仅有一行,不超过10000个字符,表示一个二叉树序列. 输出格式: 输出文件名:TRO.OUT 输出文件也只有一行,包含两个数,依 ...

  3. 个人任务Day3

    昨日成果: 学习有关java的网络爬虫知识. 今日任务: 向数据库中完善数据,并写出选择查看团队博客的界面.

  4. 钝化 会钝化 订单审批流程 码一会er

    先放一张订单审批流程图.预则立嘛

  5. python,finally的应用

    脚本执行过程中可能因为被测试的环境有改变导致中间某一部分无法继续执行下去 可以在最后一行加上finally来执行最后一句脚本 比如 最后执行退出 表示 无论中间过程失败还是成功,最终都会执行退出操作 ...

  6. markdown常用语法使用笔记+使用技巧(持续更新......)

    参考引用内容: 简书教程 一 基本语法 1. 标题 语法: 在想要设置为标题的文字前面加#来表示,一个#是一级标题,二个#是二级标题,以此类推.支持六级标题. 注:标准语法一般在#后跟个空格再写文字 ...

  7. web自动化环境配置

    1.下载chrome浏览器对应版本的驱动 下载地址:https://npm.taobao.org/mirrors/chromedriver 2.下载后将chromedriver放到python安装路径 ...

  8. Java后端开发工程师是否该转大数据开发?

    撰写我对java后端开发工程师选择方向的想法,写给在java后端选择转方向的人 背景 看到一些java开发工程师,对java后端薪酬太悲观了.认为换去大数据领域就会高工资.觉得java后端没有前途.我 ...

  9. 《快乐编程大本营》java语言训练班 3课:java的运算符

    第1节. 算术运算符 第2节. 递增和递减运算符 第3节. 比较运算符 第4节. 逻辑运算符 第5节. 运算符优先级 第6节. 字符串运算 http://code6g.com/pxphp/px/ban ...

  10. 实验10: RIP

    实验7-1 :  RIPV1 实验目的通过本实验可以掌握:1. 在路由器上启动RIPv1 路由进程2. 启用参与路由协议的接口,并且通告网络3. 理解路由表的含义4. 查看和调试RIPv1 路由协议相 ...