0

创建默认 Blazor 应用程序 (V0.5.1) 后,我们将获得一个 FetchData.cshtml 页面,该页面从本地 .json 文件中获取其数据

@functions {
    WeatherForecast[] forecasts;

    protected override async Task OnInitAsync()
    {
        forecasts = await Http.GetJsonAsync<WeatherForecast[]>("sample-data/weather.json");
    }

    class WeatherForecast
    {
        public DateTime Date { get; set; }
        public int TemperatureC { get; set; }
        public int TemperatureF { get; set; }
        public string Summary { get; set; }
    }
}

这工作正常。但是,如果更改此设置以从 .net core rest web api 获取相同的数据,则调用会Http.GetJsonAsync挂起。没有错误,只是永远不会完成。

    protected override async Task OnInitAsync()
    {
        forecasts = await Http.GetJsonAsync<WeatherForecast[]>(
            "http://localhost:5000/api/weatherforecast/");
    }

我错过了什么?

4

2 回答 2

1

我需要启用 Cors,根据How do you enable cross-origin requests (CORS) in ASP.NET Core MVC。在默认的 Web 服务代码中添加几行就可以了。

        public void ConfigureServices(IServiceCollection services)
        {
            // add this
            services.AddCors(); 

            services.AddMvc().SetCompatibilityVersion(CompatibilityVersion.Version_2_1);
        }

request pipeline.
        public void Configure(IApplicationBuilder app, IHostingEnvironment env)
        {
            if (env.IsDevelopment())
            {
                app.UseDeveloperExceptionPage();
            }

            // and this
            app.UseCors(builder =>
            {
                builder.WithOrigins("http://localhost:5000")
                       .WithMethods("GET", "POST")
                       .AllowAnyHeader();
            });

            app.UseMvc();
        }
于 2018-09-09T12:54:40.850 回答
0

很可能您遇到了 CORS 问题,因为 API 和站点在不同的端口上运行。

于 2018-09-09T09:24:10.343 回答