asp.net中WebResponse 跨域访问实例代码


在ASP.NET中处理WebResponse的跨域访问,通常不是直接通过WebResponse类来解决的,因为WebResponse本身是一个较底层的类,用于处理HTTP响应,并不直接处理跨域策略。跨域问题通常与CORS(跨源资源共享)设置有关,这需要在服务器端进行配置。

不过,我可以给你一个ASP.NET Web API中设置CORS的示例,这将允许跨域访问你的Web API。假设你正在使用ASP.NET Core,你可以通过配置Startup.cs文件中的CORS策略来实现。

以下是一个在ASP.NET Core Web API项目中配置CORS的示例:


using Microsoft.AspNetCore.Builder;
using Microsoft.AspNetCore.Hosting;
using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Hosting;

namespace YourNamespace
{
    public class Startup
    {
        public Startup(IConfiguration configuration)
        {
            Configuration = configuration;
        }

        public IConfiguration Configuration { get; }

        // This method gets called by the runtime. Use this method to add services to the container.
        public void ConfigureServices(IServiceCollection services)
        {
            // Add controllers as services
            services.AddControllers();

            // Add CORS policies
            services.AddCors(options =>
            {
                options.AddPolicy(name: "MyCorsPolicy",
                    builder =>
                    {
                        builder.WithOrigins("http://example.com", "https://www.contoso.com") // 设置允许的源
                               .AllowAnyHeader() // 允许任何头
                               .AllowAnyMethod(); // 允许任何方法
                    });
            });

            // Add other services...
        }

        // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
        public void Configure(IApplicationBuilder app, IWebHostEnvironment env)
        {
            if (env.IsDevelopment())
            {
                app.UseDeveloperExceptionPage();
            }

            // Use CORS
            app.UseCors("MyCorsPolicy");

            app.UseHttpsRedirection();

            app.UseRouting();

            app.UseAuthorization();

            app.UseEndpoints(endpoints =>
            {
                endpoints.MapControllers();
            });

            // Add other middleware...
        }
    }
}

在这个示例中,我们通过`services.AddCors`方法添加了一个CORS策略,名为"MyCorsPolicy"。这个策略允许来自`http://example.com`和`https://www.contoso.com`的请求,并允许任何HTTP头和方法。

然后在`Configure`方法中,我们通过`app.UseCors("MyCorsPolicy")`启用了这个CORS策略。

请注意,这个示例是针对ASP.NET Core的。如果你正在使用ASP.NET Framework(即.NET Framework上的ASP.NET),那么CORS的处理方式会有所不同,通常涉及在Web.config中配置``或使用自定义的HTTP模块/处理程序。但是,ASP.NET Core是更现代、更推荐的选项,因为它提供了更好的性能和更多的功能。