1. ホーム
  2. c#

[解決済み] Asp.Net WebApi2がAspNet.WebApi.Cors 5.2.3でCORSを有効にすることができない

2023-06-07 13:25:18

質問

にある手順でやってみたのですが http://enable-cors.org/server_aspnet.html の手順に従って、私のRESTful API (ASP.NET WebAPI2 で実装) をクロス オリジン リクエスト (CORS Enabled) で動作させようとしました。それは私がweb.configを修正しない限り、動作しません。

WebApi Corsの依存関係をインストールしました。

install-package Microsoft.AspNet.WebApi.Cors -ProjectName MyProject.Web.Api

そして、私の App_Start クラスが WebApiConfig を次のようにします。

public static class WebApiConfig
{
    public static void Register(HttpConfiguration config)
    {
        var corsAttr = new EnableCorsAttribute("*", "*", "*");
        config.EnableCors(corsAttr);

        var constraintsResolver = new DefaultInlineConstraintResolver();

        constraintsResolver.ConstraintMap.Add("apiVersionConstraint", typeof(ApiVersionConstraint));
        config.MapHttpAttributeRoutes(constraintsResolver); 
        config.Services.Replace(typeof(IHttpControllerSelector), new NamespaceHttpControllerSelector(config));
        //config.EnableSystemDiagnosticsTracing(); 
        config.Services.Replace(typeof(ITraceWriter), new SimpleTraceWriter(WebContainerManager.Get<ILogManager>())); 
        config.Services.Add(typeof(IExceptionLogger), new SimpleExceptionLogger(WebContainerManager.Get<ILogManager>()));
        config.Services.Replace(typeof(IExceptionHandler), new GlobalExceptionHandler()); 
    }
}

を実行した後、Fiddlerでリソースをリクエストしています。 http://localhost:51589/api/v1/persons のようなHTTPヘッダを見ることができません。

  • Access-Control-Allow-Methods: POST, PUT, DELETE, GET, OPTIONS
  • Access-Control-Allow-Origin: *

何か手順が足りないのでしょうか?コントローラに以下のようなアノテーションを付けて試してみました。

[EnableCors(origins: "http://example.com", headers: "*", methods: "*")]

CORSが有効でない場合も同じ結果です。

しかし、私の web.config に以下を追加すると (AspNet.WebApi.Cors 依存関係をインストールせずに)、それは動作します。

<system.webServer>

<httpProtocol>
  <!-- THESE HEADERS ARE IMPORTANT TO WORK WITH CORS -->
  <!--
  <customHeaders>
    <add name="Access-Control-Allow-Origin" value="*" />
    <add name="Access-Control-Allow-Methods" value="POST, PUT, DELETE, GET, OPTIONS" />
    <add name="Access-Control-Allow-Headers" value="content-Type, accept, origin, X-Requested-With, Authorization, name" />
    <add name="Access-Control-Allow-Credentials" value="true" />
  </customHeaders>
  -->
</httpProtocol>
<handlers>
  <!-- THESE HANDLERS ARE IMPORTANT FOR WEB API TO WORK WITH  GET,HEAD,POST,PUT,DELETE and CORS-->
  <!--

  <remove name="WebDAV" />
  <add name="ExtensionlessUrlHandler-Integrated-4.0" path="*." verb="GET,HEAD,POST,PUT,DELETE" type="System.Web.Handlers.TransferRequestHandler" preCondition="integratedMode,runtimeVersionv4.0" />
  <remove name="ExtensionlessUrlHandler-Integrated-4.0" />
  <remove name="OPTIONSVerbHandler" />
  <remove name="TRACEVerbHandler" />
  <add name="ExtensionlessUrlHandler-Integrated-4.0" path="*." verb="*" type="System.Web.Handlers.TransferRequestHandler" preCondition="integratedMode,runtimeVersionv4.0" />
-->
</handlers>

どんな助けでも大いに結構です!

ありがとうございます。

どのように解決するのですか?

あなたのために、簡略化したデモ・プロジェクトを作りました。

上記を試すことができます APIリンク をローカルのFiddlerから実行して、ヘッダを確認することができます。以下はその説明です。

グローバル.ascx

これはすべて WebApiConfig . コードの整理に他なりません。

public class WebApiApplication : System.Web.HttpApplication
{
    protected void Application_Start()
    {
        WebApiConfig.Register(GlobalConfiguration.Configuration);
    }
}

WebApiConfig.cs

ここでのキーとなるメソッドは EnableCrossSiteRequests メソッドです。これは すべて を行う必要があることです。その EnableCorsAttribute グローバルにスコープされた CORS 属性 .

public static class WebApiConfig
{
    public static void Register(HttpConfiguration config)
    {
        EnableCrossSiteRequests(config);
        AddRoutes(config);
    }

    private static void AddRoutes(HttpConfiguration config)
    {
        config.Routes.MapHttpRoute(
            name: "Default",
            routeTemplate: "api/{controller}/"
        );
    }

    private static void EnableCrossSiteRequests(HttpConfiguration config)
    {
        var cors = new EnableCorsAttribute(
            origins: "*", 
            headers: "*", 
            methods: "*");
        config.EnableCors(cors);
    }
}

バリューコントローラ

この Get メソッドは EnableCors 属性を受け取ります。その Another メソッドはグローバルな EnableCors .

public class ValuesController : ApiController
{
    // GET api/values
    public IEnumerable<string> Get()
    {
        return new string[] { 
            "This is a CORS response.", 
            "It works from any origin." 
        };
    }

    // GET api/values/another
    [HttpGet]
    [EnableCors(origins:"http://www.bigfont.ca", headers:"*", methods: "*")]
    public IEnumerable<string> Another()
    {
        return new string[] { 
            "This is a CORS response. ", 
            "It works only from two origins: ",
            "1. www.bigfont.ca ",
            "2. the same origin." 
        };
    }
}

Web.config

web.config には何も特別なものを追加する必要はありません。実際、デモの web.config はこのようなもので、空っぽです。

<?xml version="1.0" encoding="utf-8"?>
<configuration>
</configuration>

デモ

var url = "https://cors-webapi.azurewebsites.net/api/values"

$.get(url, function(data) {
  console.log("We expect this to succeed.");
  console.log(data);
});

var url = "https://cors-webapi.azurewebsites.net/api/values/another"

$.get(url, function(data) {
  console.log(data);
}).fail(function(xhr, status, text) {
  console.log("We expect this to fail.");
  console.log(status);
});
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>