ASP.NET 核心 MVC:添加缺少的 OAuth Startup.CS OWIN

ASP.NET Core MVC : add OAuth missing Startup.CS OWIN

我正在浏览微软关于如何将 OAuth 添加到 Web 应用程序的文档(我使用的是 .NET 核心),但后来我到了这一点:

Add the Google service to Startup.ConfigureServices.

我没有 Startup class,连文件都没有。在搜索如何处理它时,我发现了 ,这促使我发现这是一个 OWIN 文件(不管它是什么意思),我应该右键单击并添加它,一切都会好起来的。然后我继续添加 owin 包(我知道这甚至是多余的):

<PackageReference Include="Microsoft.Owin" Version="4.2.0" />
<PackageReference Include="Microsoft.Owin.Host.SystemWeb" Version="4.2.0" />
<PackageReference Include="Microsoft.Owin.Security.OAuth" Version="4.2.0" />

然后尝试重新加载项目,重新打开 Visual Studio(使用 Visual Studio 2022 RC)但是这个 class 不会显示:

我只需要将 OAuth 添加到我的应用程序中...我真的需要这样做吗?如果是这样,我该怎么办?我只需要一个功能性 ConfigureServices 方法,如文档所示:

public void ConfigureServices(IServiceCollection services)
{
    services.AddDbContext<ApplicationDbContext>(options =>
        options.UseSqlServer(
            Configuration.GetConnectionString("DefaultConnection")));
    services.AddDefaultIdentity<IdentityUser>(options =>
        options.SignIn.RequireConfirmedAccount = true)
            .AddEntityFrameworkStores<ApplicationDbContext>();
    services.AddRazorPages();

    services.AddAuthentication()
        .AddGoogle(options =>
        {
            IConfigurationSection googleAuthNSection =
                Configuration.GetSection("Authentication:Google");

            options.ClientId = googleAuthNSection["ClientId"];
            options.ClientSecret = googleAuthNSection["ClientSecret"];
        });
}

我的项目现在是这样的:

根据你的描述和图片,我发现你创建了一个asp.net 6 项目。

Asp.net 6 现在不包含 startup.cs。所有 DI 服务都应该在 program.cs 文件中注册。

此外,Microsoft.Owin用于asp.net4,我们无法在内部使用它asp.net6.请删除这些包。

更多详情,您可以参考以下步骤:

安装包:Microsoft.AspNetCore.Authentication.Google6.0.0

修改program.cs如下:

var builder = WebApplication.CreateBuilder(args);

// Add services to the container.
builder.Services.AddControllersWithViews();

builder.Services.AddAuthentication()
    .AddGoogle(options =>
    {
        IConfigurationSection googleAuthNSection =
             builder.Configuration.GetSection("Authentication:Google");

        options.ClientId = googleAuthNSection["ClientId"];
        options.ClientSecret = googleAuthNSection["ClientSecret"];
    });

var app = builder.Build();



// Configure the HTTP request pipeline.
if (!app.Environment.IsDevelopment())
{
    app.UseExceptionHandler("/Home/Error");
    // The default HSTS value is 30 days. You may want to change this for production scenarios, see https://aka.ms/aspnetcore-hsts.
    app.UseHsts();
}

app.UseHttpsRedirection();
app.UseStaticFiles();

app.UseAuthentication();    
app.UseRouting();

app.UseAuthorization();

app.MapControllerRoute(
    name: "default",
    pattern: "{controller=Home}/{action=Index}/{id?}");

app.Run();