1
0
mirror of https://github.com/bitwarden/server.git synced 2025-04-05 05:00:19 -05:00

upgrade to aspnet core 3.1

This commit is contained in:
Kyle Spearrin 2020-01-10 08:33:13 -05:00
parent 8026912eeb
commit 29580684a3
60 changed files with 429 additions and 420 deletions

View File

@ -2,10 +2,9 @@
<PropertyGroup> <PropertyGroup>
<Version>1.33.0</Version> <Version>1.33.0</Version>
<TargetFramework>netcoreapp2.2</TargetFramework> <TargetFramework>netcoreapp3.1</TargetFramework>
<RootNamespace>Bit.Admin</RootNamespace> <RootNamespace>Bit.Admin</RootNamespace>
<UserSecretsId>bitwarden-Admin</UserSecretsId> <UserSecretsId>bitwarden-Admin</UserSecretsId>
<AspNetCoreHostingModel>InProcess</AspNetCoreHostingModel>
</PropertyGroup> </PropertyGroup>
<ItemGroup> <ItemGroup>
@ -14,8 +13,7 @@
</ItemGroup> </ItemGroup>
<ItemGroup> <ItemGroup>
<PackageReference Include="Microsoft.AspNetCore.App" /> <PackageReference Include="Microsoft.VisualStudio.Web.CodeGeneration.Design" Version="3.1.0" />
<PackageReference Include="Microsoft.VisualStudio.Web.CodeGeneration.Design" Version="2.2.3" />
</ItemGroup> </ItemGroup>
</Project> </Project>

View File

@ -1,4 +1,4 @@
FROM mcr.microsoft.com/dotnet/core/aspnet:2.2 FROM mcr.microsoft.com/dotnet/core/aspnet:3.1
LABEL com.bitwarden.product="bitwarden" LABEL com.bitwarden.product="bitwarden"

View File

@ -5,15 +5,14 @@ using System.Threading.Tasks;
using Bit.Core; using Bit.Core;
using Microsoft.Extensions.Logging; using Microsoft.Extensions.Logging;
using Microsoft.Extensions.Options; using Microsoft.Extensions.Options;
using Microsoft.WindowsAzure.Storage; using Azure.Storage.Queues;
using Microsoft.WindowsAzure.Storage.Queue;
namespace Bit.Admin.HostedServices namespace Bit.Admin.HostedServices
{ {
public class AzureQueueBlockIpHostedService : BlockIpHostedService public class AzureQueueBlockIpHostedService : BlockIpHostedService
{ {
private CloudQueue _blockQueue; private QueueClient _blockIpQueueClient;
private CloudQueue _unblockQueue; private QueueClient _unblockIpQueueClient;
public AzureQueueBlockIpHostedService( public AzureQueueBlockIpHostedService(
ILogger<AzureQueueBlockIpHostedService> logger, ILogger<AzureQueueBlockIpHostedService> logger,
@ -24,46 +23,42 @@ namespace Bit.Admin.HostedServices
protected override async Task ExecuteAsync(CancellationToken cancellationToken) protected override async Task ExecuteAsync(CancellationToken cancellationToken)
{ {
var storageAccount = CloudStorageAccount.Parse(_globalSettings.Storage.ConnectionString); _blockIpQueueClient = new QueueClient(_globalSettings.Storage.ConnectionString, "blockip");
var queueClient = storageAccount.CreateCloudQueueClient(); _unblockIpQueueClient = new QueueClient(_globalSettings.Storage.ConnectionString, "unblockip");
_blockQueue = queueClient.GetQueueReference("blockip");
_unblockQueue = queueClient.GetQueueReference("unblockip");
while(!cancellationToken.IsCancellationRequested) while(!cancellationToken.IsCancellationRequested)
{ {
var blockMessages = await _blockQueue.GetMessagesAsync(32, TimeSpan.FromSeconds(15), var blockMessages = await _blockIpQueueClient.ReceiveMessagesAsync(maxMessages: 32);
null, null, cancellationToken); if(blockMessages.Value?.Any() ?? false)
if(blockMessages.Any())
{ {
foreach(var message in blockMessages) foreach(var message in blockMessages.Value)
{ {
try try
{ {
await BlockIpAsync(message.AsString, cancellationToken); await BlockIpAsync(message.MessageText, cancellationToken);
} }
catch(Exception e) catch(Exception e)
{ {
_logger.LogError(e, "Failed to block IP."); _logger.LogError(e, "Failed to block IP.");
} }
await _blockQueue.DeleteMessageAsync(message); await _blockIpQueueClient.DeleteMessageAsync(message.MessageId, message.PopReceipt);
} }
} }
var unblockMessages = await _unblockQueue.GetMessagesAsync(32, TimeSpan.FromSeconds(15), var unblockMessages = await _unblockIpQueueClient.ReceiveMessagesAsync(maxMessages: 32);
null, null, cancellationToken); if(unblockMessages.Value?.Any() ?? false)
if(unblockMessages.Any())
{ {
foreach(var message in unblockMessages) foreach(var message in unblockMessages.Value)
{ {
try try
{ {
await UnblockIpAsync(message.AsString, cancellationToken); await UnblockIpAsync(message.MessageText, cancellationToken);
} }
catch(Exception e) catch(Exception e)
{ {
_logger.LogError(e, "Failed to unblock IP."); _logger.LogError(e, "Failed to unblock IP.");
} }
await _unblockQueue.DeleteMessageAsync(message); await _unblockIpQueueClient.DeleteMessageAsync(message.MessageId, message.PopReceipt);
} }
} }

View File

@ -1,6 +1,6 @@
using Bit.Core.Utilities; using Bit.Core.Utilities;
using Microsoft.AspNetCore;
using Microsoft.AspNetCore.Hosting; using Microsoft.AspNetCore.Hosting;
using Microsoft.Extensions.Hosting;
using Serilog.Events; using Serilog.Events;
namespace Bit.Admin namespace Bit.Admin
@ -9,14 +9,16 @@ namespace Bit.Admin
{ {
public static void Main(string[] args) public static void Main(string[] args)
{ {
WebHost Host
.CreateDefaultBuilder(args) .CreateDefaultBuilder(args)
.ConfigureKestrel(o => .ConfigureWebHostDefaults(webBuilder =>
{ {
o.Limits.MaxRequestLineSize = 20_000; webBuilder.ConfigureKestrel(o =>
}) {
.UseStartup<Startup>() o.Limits.MaxRequestLineSize = 20_000;
.ConfigureLogging((hostingContext, logging) => });
webBuilder.UseStartup<Startup>();
webBuilder.ConfigureLogging((hostingContext, logging) =>
logging.AddSerilog(hostingContext, e => logging.AddSerilog(hostingContext, e =>
{ {
var context = e.Properties["SourceContext"].ToString(); var context = e.Properties["SourceContext"].ToString();
@ -27,7 +29,8 @@ namespace Bit.Admin
return false; return false;
} }
return e.Level >= LogEventLevel.Error; return e.Level >= LogEventLevel.Error;
})) }));
})
.Build() .Build()
.Run(); .Run();
} }

View File

@ -9,13 +9,14 @@ using Microsoft.AspNetCore.Identity;
using Microsoft.AspNetCore.Routing; using Microsoft.AspNetCore.Routing;
using Microsoft.Extensions.Configuration; using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.DependencyInjection; using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Hosting;
using Stripe; using Stripe;
namespace Bit.Admin namespace Bit.Admin
{ {
public class Startup public class Startup
{ {
public Startup(IHostingEnvironment env, IConfiguration configuration) public Startup(IWebHostEnvironment env, IConfiguration configuration)
{ {
CultureInfo.DefaultThreadCurrentCulture = new CultureInfo("en-US"); CultureInfo.DefaultThreadCurrentCulture = new CultureInfo("en-US");
Configuration = configuration; Configuration = configuration;
@ -23,7 +24,7 @@ namespace Bit.Admin
} }
public IConfiguration Configuration { get; private set; } public IConfiguration Configuration { get; private set; }
public IHostingEnvironment Environment { get; set; } public IWebHostEnvironment Environment { get; set; }
public void ConfigureServices(IServiceCollection services) public void ConfigureServices(IServiceCollection services)
{ {
@ -93,8 +94,8 @@ namespace Bit.Admin
public void Configure( public void Configure(
IApplicationBuilder app, IApplicationBuilder app,
IHostingEnvironment env, IWebHostEnvironment env,
IApplicationLifetime appLifetime, IHostApplicationLifetime appLifetime,
GlobalSettings globalSettings) GlobalSettings globalSettings)
{ {
app.UseSerilog(env, appLifetime, globalSettings); app.UseSerilog(env, appLifetime, globalSettings);
@ -110,9 +111,11 @@ namespace Bit.Admin
app.UseDeveloperExceptionPage(); app.UseDeveloperExceptionPage();
} }
app.UseAuthentication();
app.UseStaticFiles(); app.UseStaticFiles();
app.UseMvcWithDefaultRoute(); app.UseRouting();
app.UseAuthentication();
app.UseAuthorization();
app.UseEndpoints(endpoints => endpoints.MapDefaultControllerRoute());
} }
} }
} }

View File

@ -2,11 +2,10 @@
<PropertyGroup> <PropertyGroup>
<Version>1.33.0</Version> <Version>1.33.0</Version>
<TargetFramework>netcoreapp2.2</TargetFramework> <TargetFramework>netcoreapp3.1</TargetFramework>
<RootNamespace>Bit.Api</RootNamespace> <RootNamespace>Bit.Api</RootNamespace>
<UserSecretsId>bitwarden-Api</UserSecretsId> <UserSecretsId>bitwarden-Api</UserSecretsId>
<MvcRazorCompileOnPublish>false</MvcRazorCompileOnPublish> <MvcRazorCompileOnPublish>false</MvcRazorCompileOnPublish>
<AspNetCoreHostingModel>InProcess</AspNetCoreHostingModel>
<DocumentationFile>bin\$(Configuration)\$(TargetFramework)\$(AssemblyName).xml</DocumentationFile> <DocumentationFile>bin\$(Configuration)\$(TargetFramework)\$(AssemblyName).xml</DocumentationFile>
<ANCMPreConfiguredForIIS>true</ANCMPreConfiguredForIIS> <ANCMPreConfiguredForIIS>true</ANCMPreConfiguredForIIS>
</PropertyGroup> </PropertyGroup>
@ -24,7 +23,7 @@
</ItemGroup> </ItemGroup>
<ItemGroup> <ItemGroup>
<PackageReference Include="Microsoft.AspNetCore.App" /> <PackageReference Include="Microsoft.AspNetCore.Mvc.NewtonsoftJson" Version="3.1.0" />
<PackageReference Include="Swashbuckle.AspNetCore" Version="4.0.1" /> <PackageReference Include="Swashbuckle.AspNetCore" Version="4.0.1" />
</ItemGroup> </ItemGroup>

View File

@ -1,4 +1,4 @@
FROM mcr.microsoft.com/dotnet/core/aspnet:2.2 FROM mcr.microsoft.com/dotnet/core/aspnet:3.1
LABEL com.bitwarden.product="bitwarden" LABEL com.bitwarden.product="bitwarden"

View File

@ -1,5 +1,5 @@
using Microsoft.AspNetCore; using Microsoft.AspNetCore.Hosting;
using Microsoft.AspNetCore.Hosting; using Microsoft.Extensions.Hosting;
using Bit.Core.Utilities; using Bit.Core.Utilities;
using Serilog.Events; using Serilog.Events;
using Microsoft.IdentityModel.Tokens; using Microsoft.IdentityModel.Tokens;
@ -11,32 +11,37 @@ namespace Bit.Api
{ {
public static void Main(string[] args) public static void Main(string[] args)
{ {
WebHost Host
.CreateDefaultBuilder(args) .CreateDefaultBuilder(args)
.UseStartup<Startup>() .ConfigureWebHostDefaults(webBuilder =>
.ConfigureLogging((hostingContext, logging) => {
logging.AddSerilog(hostingContext, e => webBuilder.UseStartup<Startup>();
{ webBuilder.ConfigureLogging((hostingContext, logging) =>
var context = e.Properties["SourceContext"].ToString(); logging.AddSerilog(hostingContext, e =>
if(e.Exception != null && (e.Exception.GetType() == typeof(SecurityTokenValidationException) ||
e.Exception.Message == "Bad security stamp."))
{ {
return false; var context = e.Properties["SourceContext"].ToString();
} if(e.Exception != null &&
(e.Exception.GetType() == typeof(SecurityTokenValidationException) ||
e.Exception.Message == "Bad security stamp."))
{
return false;
}
if(e.Level == LogEventLevel.Information && context.Contains(typeof(IpRateLimitMiddleware).FullName)) if(e.Level == LogEventLevel.Information &&
{ context.Contains(typeof(IpRateLimitMiddleware).FullName))
return true; {
} return true;
}
if(context.Contains("IdentityServer4.Validation.TokenValidator") || if(context.Contains("IdentityServer4.Validation.TokenValidator") ||
context.Contains("IdentityServer4.Validation.TokenRequestValidator")) context.Contains("IdentityServer4.Validation.TokenRequestValidator"))
{ {
return e.Level > LogEventLevel.Error; return e.Level > LogEventLevel.Error;
} }
return e.Level >= LogEventLevel.Error; return e.Level >= LogEventLevel.Error;
})) }));
})
.Build() .Build()
.Run(); .Run();
} }

View File

@ -13,12 +13,13 @@ using Bit.Core.Utilities;
using IdentityModel; using IdentityModel;
using System.Globalization; using System.Globalization;
using Microsoft.IdentityModel.Logging; using Microsoft.IdentityModel.Logging;
using Microsoft.Extensions.Hosting;
namespace Bit.Api namespace Bit.Api
{ {
public class Startup public class Startup
{ {
public Startup(IHostingEnvironment env, IConfiguration configuration) public Startup(IWebHostEnvironment env, IConfiguration configuration)
{ {
CultureInfo.DefaultThreadCurrentCulture = new CultureInfo("en-US"); CultureInfo.DefaultThreadCurrentCulture = new CultureInfo("en-US");
Configuration = configuration; Configuration = configuration;
@ -26,7 +27,7 @@ namespace Bit.Api
} }
public IConfiguration Configuration { get; private set; } public IConfiguration Configuration { get; private set; }
public IHostingEnvironment Environment { get; set; } public IWebHostEnvironment Environment { get; set; }
public void ConfigureServices(IServiceCollection services) public void ConfigureServices(IServiceCollection services)
{ {
@ -113,7 +114,7 @@ namespace Bit.Api
{ {
config.Conventions.Add(new ApiExplorerGroupConvention()); config.Conventions.Add(new ApiExplorerGroupConvention());
config.Conventions.Add(new PublicApiControllersModelConvention()); config.Conventions.Add(new PublicApiControllersModelConvention());
}).AddJsonOptions(options => }).AddNewtonsoftJson(options =>
{ {
if(Environment.IsProduction() && Configuration["swaggerGen"] != "true") if(Environment.IsProduction() && Configuration["swaggerGen"] != "true")
{ {
@ -121,7 +122,7 @@ namespace Bit.Api
} }
}); });
services.AddSwagger(globalSettings); //services.AddSwagger(globalSettings);
if(globalSettings.SelfHosted) if(globalSettings.SelfHosted)
{ {
@ -138,8 +139,8 @@ namespace Bit.Api
public void Configure( public void Configure(
IApplicationBuilder app, IApplicationBuilder app,
IHostingEnvironment env, IWebHostEnvironment env,
IApplicationLifetime appLifetime, IHostApplicationLifetime appLifetime,
GlobalSettings globalSettings, GlobalSettings globalSettings,
ILogger<Startup> logger) ILogger<Startup> logger)
{ {
@ -162,39 +163,43 @@ namespace Bit.Api
// Add static files to the request pipeline. // Add static files to the request pipeline.
app.UseStaticFiles(); app.UseStaticFiles();
// Add routing
app.UseRouting();
// Add Cors // Add Cors
app.UseCors(policy => policy.SetIsOriginAllowed(h => true) app.UseCors(policy => policy.SetIsOriginAllowed(h => true)
.AllowAnyMethod().AllowAnyHeader().AllowCredentials()); .AllowAnyMethod().AllowAnyHeader().AllowCredentials());
// Add authentication to the request pipeline. // Add authentication and authorization to the request pipeline.
app.UseAuthentication(); app.UseAuthentication();
app.UseAuthorization();
// Add current context // Add current context
app.UseMiddleware<CurrentContextMiddleware>(); app.UseMiddleware<CurrentContextMiddleware>();
// Add MVC to the request pipeline. // Add endpoints to the request pipeline.
app.UseMvc(); app.UseEndpoints(endpoints => endpoints.MapDefaultControllerRoute());
// Add Swagger // Add Swagger
if(Environment.IsDevelopment() || globalSettings.SelfHosted) //if(Environment.IsDevelopment() || globalSettings.SelfHosted)
{ //{
app.UseSwagger(config => // app.UseSwagger(config =>
{ // {
config.RouteTemplate = "specs/{documentName}/swagger.json"; // config.RouteTemplate = "specs/{documentName}/swagger.json";
var host = globalSettings.BaseServiceUri.Api.Replace("https://", string.Empty) // var host = globalSettings.BaseServiceUri.Api.Replace("https://", string.Empty)
.Replace("http://", string.Empty); // .Replace("http://", string.Empty);
config.PreSerializeFilters.Add((swaggerDoc, httpReq) => swaggerDoc.Host = host); // config.PreSerializeFilters.Add((swaggerDoc, httpReq) => swaggerDoc.Host = host);
}); // });
app.UseSwaggerUI(config => // app.UseSwaggerUI(config =>
{ // {
config.DocumentTitle = "Bitwarden API Documentation"; // config.DocumentTitle = "Bitwarden API Documentation";
config.RoutePrefix = "docs"; // config.RoutePrefix = "docs";
config.SwaggerEndpoint($"{globalSettings.BaseServiceUri.Api}/specs/public/swagger.json", // config.SwaggerEndpoint($"{globalSettings.BaseServiceUri.Api}/specs/public/swagger.json",
"Bitwarden Public API"); // "Bitwarden Public API");
config.OAuthClientId("accountType.id"); // config.OAuthClientId("accountType.id");
config.OAuthClientSecret("secretKey"); // config.OAuthClientSecret("secretKey");
}); // });
} //}
// Log startup // Log startup
logger.LogInformation(Constants.BypassFiltersEventId, globalSettings.ProjectName + " started."); logger.LogInformation(Constants.BypassFiltersEventId, globalSettings.ProjectName + " started.");

View File

@ -2,11 +2,10 @@
<PropertyGroup> <PropertyGroup>
<Version>1.33.0</Version> <Version>1.33.0</Version>
<TargetFramework>netcoreapp2.2</TargetFramework> <TargetFramework>netcoreapp3.1</TargetFramework>
<RootNamespace>Bit.Billing</RootNamespace> <RootNamespace>Bit.Billing</RootNamespace>
<UserSecretsId>bitwarden-Billing</UserSecretsId> <UserSecretsId>bitwarden-Billing</UserSecretsId>
<MvcRazorCompileOnPublish>false</MvcRazorCompileOnPublish> <MvcRazorCompileOnPublish>false</MvcRazorCompileOnPublish>
<AspNetCoreHostingModel>InProcess</AspNetCoreHostingModel>
</PropertyGroup> </PropertyGroup>
<ItemGroup> <ItemGroup>
@ -14,13 +13,7 @@
</ItemGroup> </ItemGroup>
<ItemGroup> <ItemGroup>
<PackageReference Include="Microsoft.AspNetCore.App" /> <PackageReference Include="Microsoft.VisualStudio.Web.CodeGeneration.Design" Version="3.1.0" />
<PackageReference Include="Microsoft.VisualStudio.Web.CodeGeneration.Design" Version="2.2.3" />
</ItemGroup>
<ItemGroup>
<Folder Include="wwwroot\images\" />
<Folder Include="wwwroot\scripts\" />
</ItemGroup> </ItemGroup>
</Project> </Project>

View File

@ -1,7 +1,7 @@
using Microsoft.AspNetCore; using Microsoft.AspNetCore.Hosting;
using Microsoft.AspNetCore.Hosting;
using Bit.Core.Utilities; using Bit.Core.Utilities;
using Serilog.Events; using Serilog.Events;
using Microsoft.Extensions.Hosting;
namespace Bit.Billing namespace Bit.Billing
{ {
@ -9,28 +9,31 @@ namespace Bit.Billing
{ {
public static void Main(string[] args) public static void Main(string[] args)
{ {
WebHost Host
.CreateDefaultBuilder(args) .CreateDefaultBuilder(args)
.UseStartup<Startup>() .ConfigureWebHostDefaults(webBuilder =>
.ConfigureLogging((hostingContext, logging) => {
logging.AddSerilog(hostingContext, e => webBuilder.UseStartup<Startup>();
{ webBuilder.ConfigureLogging((hostingContext, logging) =>
var context = e.Properties["SourceContext"].ToString(); logging.AddSerilog(hostingContext, e =>
if(e.Level == LogEventLevel.Information &&
(context.StartsWith("\"Bit.Billing.Jobs") || context.StartsWith("\"Bit.Core.Jobs")))
{ {
return true; var context = e.Properties["SourceContext"].ToString();
} if(e.Level == LogEventLevel.Information &&
(context.StartsWith("\"Bit.Billing.Jobs") || context.StartsWith("\"Bit.Core.Jobs")))
{
return true;
}
if(e.Properties.ContainsKey("RequestPath") && if(e.Properties.ContainsKey("RequestPath") &&
!string.IsNullOrWhiteSpace(e.Properties["RequestPath"]?.ToString()) && !string.IsNullOrWhiteSpace(e.Properties["RequestPath"]?.ToString()) &&
(context.Contains(".Server.Kestrel") || context.Contains(".Core.IISHttpServer"))) (context.Contains(".Server.Kestrel") || context.Contains(".Core.IISHttpServer")))
{ {
return false; return false;
} }
return e.Level >= LogEventLevel.Warning; return e.Level >= LogEventLevel.Warning;
})) }));
})
.Build() .Build()
.Run(); .Run();
} }

View File

@ -10,6 +10,7 @@ using Microsoft.AspNetCore.Http;
using Microsoft.Extensions.DependencyInjection.Extensions; using Microsoft.Extensions.DependencyInjection.Extensions;
using Microsoft.AspNetCore.Routing; using Microsoft.AspNetCore.Routing;
using System.Globalization; using System.Globalization;
using Microsoft.Extensions.Hosting;
namespace Bit.Billing namespace Bit.Billing
{ {
@ -71,8 +72,8 @@ namespace Bit.Billing
public void Configure( public void Configure(
IApplicationBuilder app, IApplicationBuilder app,
IHostingEnvironment env, IWebHostEnvironment env,
IApplicationLifetime appLifetime, IHostApplicationLifetime appLifetime,
GlobalSettings globalSettings) GlobalSettings globalSettings)
{ {
app.UseSerilog(env, appLifetime, globalSettings); app.UseSerilog(env, appLifetime, globalSettings);
@ -82,9 +83,11 @@ namespace Bit.Billing
app.UseDeveloperExceptionPage(); app.UseDeveloperExceptionPage();
} }
app.UseAuthentication();
app.UseStaticFiles(); app.UseStaticFiles();
app.UseMvcWithDefaultRoute(); app.UseRouting();
app.UseAuthentication();
app.UseAuthorization();
app.UseEndpoints(endpoints => endpoints.MapDefaultControllerRoute());
} }
} }
} }

View File

@ -1,7 +1,7 @@
<Project Sdk="Microsoft.NET.Sdk"> <Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup> <PropertyGroup>
<TargetFramework>netcoreapp2.2</TargetFramework> <TargetFramework>netcoreapp3.1</TargetFramework>
<RootNamespace>Bit.Core</RootNamespace> <RootNamespace>Bit.Core</RootNamespace>
<GenerateUserSecretsAttribute>false</GenerateUserSecretsAttribute> <GenerateUserSecretsAttribute>false</GenerateUserSecretsAttribute>
<DocumentationFile>bin\$(Configuration)\$(TargetFramework)\$(AssemblyName).xml</DocumentationFile> <DocumentationFile>bin\$(Configuration)\$(TargetFramework)\$(AssemblyName).xml</DocumentationFile>
@ -24,34 +24,32 @@
<PackageReference Include="AutoMapper.Extensions.Microsoft.DependencyInjection" Version="7.0.0" /> <PackageReference Include="AutoMapper.Extensions.Microsoft.DependencyInjection" Version="7.0.0" />
<PackageReference Include="AWSSDK.SimpleEmail" Version="3.3.101.38" /> <PackageReference Include="AWSSDK.SimpleEmail" Version="3.3.101.38" />
<PackageReference Include="AWSSDK.SQS" Version="3.3.102" /> <PackageReference Include="AWSSDK.SQS" Version="3.3.102" />
<PackageReference Include="Azure.Storage.Queues" Version="12.1.0" />
<PackageReference Include="BitPay.Light" Version="1.0.1907" /> <PackageReference Include="BitPay.Light" Version="1.0.1907" />
<PackageReference Include="Handlebars.Net" Version="1.10.1" /> <PackageReference Include="Handlebars.Net" Version="1.10.1" />
<PackageReference Include="IdentityServer4.AccessTokenValidation" Version="2.7.0" /> <PackageReference Include="IdentityServer4.AccessTokenValidation" Version="3.0.1" />
<PackageReference Include="MailKit" Version="2.3.0" /> <PackageReference Include="MailKit" Version="2.3.0" />
<PackageReference Include="Microsoft.AspNetCore.DataProtection.AzureStorage" Version="2.2.0" /> <PackageReference Include="Microsoft.AspNetCore.DataProtection.AzureStorage" Version="3.1.0" />
<PackageReference Include="Microsoft.AspNetCore.HttpOverrides" Version="2.2.0" /> <PackageReference Include="Microsoft.AspNetCore.Authentication.JwtBearer" Version="3.1.0" />
<PackageReference Include="Microsoft.AspNetCore.Identity" Version="2.2.0" /> <PackageReference Include="Microsoft.Azure.Cosmos.Table" Version="1.0.6" />
<PackageReference Include="Microsoft.AspNetCore.Authentication.JwtBearer" Version="2.2.0" />
<PackageReference Include="Microsoft.AspNetCore.Mvc" Version="2.2.0" />
<PackageReference Include="Microsoft.AspNetCore.Mvc.Abstractions" Version="2.2.0" />
<PackageReference Include="Microsoft.Azure.NotificationHubs" Version="3.1.0" /> <PackageReference Include="Microsoft.Azure.NotificationHubs" Version="3.1.0" />
<PackageReference Include="Microsoft.Azure.ServiceBus" Version="3.4.0" /> <PackageReference Include="Microsoft.Azure.ServiceBus" Version="3.4.0" />
<PackageReference Include="Microsoft.Extensions.Configuration.EnvironmentVariables" Version="2.2.4" /> <PackageReference Include="Microsoft.Azure.Storage.Blob" Version="11.1.1" />
<PackageReference Include="Microsoft.Extensions.Configuration.UserSecrets" Version="2.2.0" /> <PackageReference Include="Microsoft.Extensions.Configuration.EnvironmentVariables" Version="3.1.0" />
<PackageReference Include="Microsoft.Extensions.Identity.Stores" Version="2.2.0" /> <PackageReference Include="Microsoft.Extensions.Configuration.UserSecrets" Version="3.1.0" />
<PackageReference Include="Microsoft.Extensions.Identity.Stores" Version="3.1.0" />
<PackageReference Include="Npgsql" Version="4.1.2" /> <PackageReference Include="Npgsql" Version="4.1.2" />
<PackageReference Include="Npgsql.EntityFrameworkCore.PostgreSQL" Version="2.2.4" /> <PackageReference Include="Npgsql.EntityFrameworkCore.PostgreSQL" Version="3.1.0" />
<PackageReference Include="Quartz" Version="3.0.7" /> <PackageReference Include="Quartz" Version="3.0.7" />
<PackageReference Include="Serilog.AspNetCore" Version="3.0.0" /> <PackageReference Include="Serilog.AspNetCore" Version="3.0.0" />
<PackageReference Include="Serilog.Extensions.Logging" Version="3.0.1" /> <PackageReference Include="Serilog.Extensions.Logging" Version="3.0.1" />
<PackageReference Include="Serilog.Extensions.Logging.File" Version="1.1.0" /> <PackageReference Include="Serilog.Extensions.Logging.File" Version="1.1.0" />
<PackageReference Include="Serilog.Sinks.AzureDocumentDB" Version="3.8.0" /> <PackageReference Include="Serilog.Sinks.AzureDocumentDB" Version="3.8.0" />
<PackageReference Include="Serilog.Sinks.Sentry.AspNetCore" Version="2.4.2" /> <PackageReference Include="Serilog.Sinks.Sentry.AspNetCore" Version="2.4.2" />
<PackageReference Include="IdentityServer4" Version="2.5.3" /> <PackageReference Include="IdentityServer4" Version="3.1.0" />
<PackageReference Include="Dapper" Version="1.60.6" /> <PackageReference Include="Dapper" Version="1.60.6" />
<PackageReference Include="Newtonsoft.Json" Version="12.0.2" /> <PackageReference Include="Newtonsoft.Json" Version="12.0.2" />
<PackageReference Include="System.Text.Json" Version="4.7.0" /> <PackageReference Include="System.Text.Json" Version="4.7.0" />
<PackageReference Include="WindowsAzure.Storage" Version="9.3.3" />
<PackageReference Include="AspNetCoreRateLimit" Version="2.1.0" /> <PackageReference Include="AspNetCoreRateLimit" Version="2.1.0" />
<PackageReference Include="Braintree" Version="4.15.0" /> <PackageReference Include="Braintree" Version="4.15.0" />
<PackageReference Include="Sendgrid" Version="9.12.0" /> <PackageReference Include="Sendgrid" Version="9.12.0" />
@ -59,7 +57,7 @@
<PackageReference Include="U2F.Core" Version="1.0.4" /> <PackageReference Include="U2F.Core" Version="1.0.4" />
<PackageReference Include="Otp.NET" Version="1.2.1" /> <PackageReference Include="Otp.NET" Version="1.2.1" />
<PackageReference Include="YubicoDotNetClient" Version="1.2.0" /> <PackageReference Include="YubicoDotNetClient" Version="1.2.0" />
<PackageReference Include="System.Data.SqlClient" Version="4.6.1" /> <PackageReference Include="System.Data.SqlClient" Version="4.8.0" />
</ItemGroup> </ItemGroup>
</Project> </Project>

View File

@ -24,7 +24,7 @@ namespace Microsoft.Extensions.DependencyInjection
where TRole : class where TRole : class
{ {
// Hosting doesn't add IHttpContextAccessor by default // Hosting doesn't add IHttpContextAccessor by default
services.TryAddSingleton<IHttpContextAccessor, HttpContextAccessor>(); services.AddHttpContextAccessor();
// Identity services // Identity services
services.TryAddScoped<IUserValidator<TUser>, UserValidator<TUser>>(); services.TryAddScoped<IUserValidator<TUser>, UserValidator<TUser>>();
services.TryAddScoped<IPasswordValidator<TUser>, PasswordValidator<TUser>>(); services.TryAddScoped<IPasswordValidator<TUser>, PasswordValidator<TUser>>();
@ -34,10 +34,12 @@ namespace Microsoft.Extensions.DependencyInjection
// No interface for the error describer so we can add errors without rev'ing the interface // No interface for the error describer so we can add errors without rev'ing the interface
services.TryAddScoped<IdentityErrorDescriber>(); services.TryAddScoped<IdentityErrorDescriber>();
services.TryAddScoped<ISecurityStampValidator, SecurityStampValidator<TUser>>(); services.TryAddScoped<ISecurityStampValidator, SecurityStampValidator<TUser>>();
services.TryAddScoped<ITwoFactorSecurityStampValidator, TwoFactorSecurityStampValidator<TUser>>();
services.TryAddScoped<IUserClaimsPrincipalFactory<TUser>, UserClaimsPrincipalFactory<TUser, TRole>>(); services.TryAddScoped<IUserClaimsPrincipalFactory<TUser>, UserClaimsPrincipalFactory<TUser, TRole>>();
services.TryAddScoped<UserManager<TUser>, AspNetUserManager<TUser>>(); services.TryAddScoped<IUserConfirmation<TUser>, DefaultUserConfirmation<TUser>>();
services.TryAddScoped<SignInManager<TUser>, SignInManager<TUser>>(); services.TryAddScoped<UserManager<TUser>>();
services.TryAddScoped<RoleManager<TRole>, AspNetRoleManager<TRole>>(); services.TryAddScoped<SignInManager<TUser>>();
services.TryAddScoped<RoleManager<TRole>>();
if(setupAction != null) if(setupAction != null)
{ {

View File

@ -4,7 +4,17 @@ namespace Bit.Core.Identity
{ {
public class LowerInvariantLookupNormalizer : ILookupNormalizer public class LowerInvariantLookupNormalizer : ILookupNormalizer
{ {
public string Normalize(string key) public string NormalizeEmail(string email)
{
return Normalize(email);
}
public string NormalizeName(string name)
{
return Normalize(name);
}
private string Normalize(string key)
{ {
return key?.Normalize().ToLowerInvariant(); return key?.Normalize().ToLowerInvariant();
} }

View File

@ -22,8 +22,9 @@ namespace Bit.Core.Identity
IOptions<IdentityOptions> optionsAccessor, IOptions<IdentityOptions> optionsAccessor,
ILogger<SignInManager<TUser>> logger, ILogger<SignInManager<TUser>> logger,
IAuthenticationSchemeProvider schemes, IAuthenticationSchemeProvider schemes,
IUserConfirmation<TUser> confirmation,
IMailService mailService) IMailService mailService)
: base(userManager, contextAccessor, claimsFactory, optionsAccessor, logger, schemes) : base(userManager, contextAccessor, claimsFactory, optionsAccessor, logger, schemes, confirmation)
{ {
_mailService = mailService; _mailService = mailService;
} }

View File

@ -2,6 +2,7 @@
using Bit.Core.Models.Table; using Bit.Core.Models.Table;
using Microsoft.Extensions.Options; using Microsoft.Extensions.Options;
using Microsoft.AspNetCore.DataProtection; using Microsoft.AspNetCore.DataProtection;
using Microsoft.Extensions.Logging;
namespace Bit.Core.Identity namespace Bit.Core.Identity
{ {
@ -9,8 +10,9 @@ namespace Bit.Core.Identity
{ {
public TwoFactorRememberTokenProvider( public TwoFactorRememberTokenProvider(
IDataProtectionProvider dataProtectionProvider, IDataProtectionProvider dataProtectionProvider,
IOptions<TwoFactorRememberTokenProviderOptions> options) IOptions<TwoFactorRememberTokenProviderOptions> options,
: base(dataProtectionProvider, options) ILogger<DataProtectorTokenProvider<User>> logger)
: base(dataProtectionProvider, options, logger)
{ } { }
} }

View File

@ -1,8 +1,7 @@
using System; using System;
using System.Collections; using System.Collections;
using System.Collections.Generic; using System.Collections.Generic;
using Microsoft.WindowsAzure.Storage; using Microsoft.Azure.Cosmos.Table;
using Microsoft.WindowsAzure.Storage.Table;
namespace Bit.Core.Models.Data namespace Bit.Core.Models.Data
{ {

View File

@ -2,8 +2,7 @@
using System.Collections.Generic; using System.Collections.Generic;
using Bit.Core.Enums; using Bit.Core.Enums;
using Bit.Core.Utilities; using Bit.Core.Utilities;
using Microsoft.WindowsAzure.Storage; using Microsoft.Azure.Cosmos.Table;
using Microsoft.WindowsAzure.Storage.Table;
namespace Bit.Core.Models.Data namespace Bit.Core.Models.Data
{ {

View File

@ -1,5 +1,5 @@
using System; using System;
using Microsoft.WindowsAzure.Storage.Table; using Microsoft.Azure.Cosmos.Table;
namespace Bit.Core.Models.Data namespace Bit.Core.Models.Data
{ {

View File

@ -5,8 +5,7 @@ using System.Threading.Tasks;
using Bit.Core.Models.Data; using Bit.Core.Models.Data;
using Bit.Core.Models.Table; using Bit.Core.Models.Table;
using Bit.Core.Utilities; using Bit.Core.Utilities;
using Microsoft.WindowsAzure.Storage; using Microsoft.Azure.Cosmos.Table;
using Microsoft.WindowsAzure.Storage.Table;
namespace Bit.Core.Repositories.TableStorage namespace Bit.Core.Repositories.TableStorage
{ {

View File

@ -3,8 +3,7 @@ using System.Linq;
using System.Net; using System.Net;
using System.Threading.Tasks; using System.Threading.Tasks;
using Bit.Core.Models.Data; using Bit.Core.Models.Data;
using Microsoft.WindowsAzure.Storage; using Microsoft.Azure.Cosmos.Table;
using Microsoft.WindowsAzure.Storage.Table;
namespace Bit.Core.Repositories.TableStorage namespace Bit.Core.Repositories.TableStorage
{ {

View File

@ -3,8 +3,7 @@ using System.Linq;
using System.Net; using System.Net;
using System.Threading.Tasks; using System.Threading.Tasks;
using Bit.Core.Models.Data; using Bit.Core.Models.Data;
using Microsoft.WindowsAzure.Storage; using Microsoft.Azure.Cosmos.Table;
using Microsoft.WindowsAzure.Storage.Table;
namespace Bit.Core.Repositories.TableStorage namespace Bit.Core.Repositories.TableStorage
{ {

View File

@ -1,6 +1,6 @@
using System.Threading.Tasks; using System.Threading.Tasks;
using Microsoft.WindowsAzure.Storage; using Microsoft.Azure.Storage;
using Microsoft.WindowsAzure.Storage.Blob; using Microsoft.Azure.Storage.Blob;
using System.IO; using System.IO;
using System; using System;
using Bit.Core.Models.Table; using Bit.Core.Models.Table;

View File

@ -1,31 +1,24 @@
using System.Threading.Tasks; using System.Threading.Tasks;
using Microsoft.WindowsAzure.Storage;
using Microsoft.WindowsAzure.Storage.Queue;
using System; using System;
using Bit.Core.Utilities; using Azure.Storage.Queues;
namespace Bit.Core.Services namespace Bit.Core.Services
{ {
public class AzureQueueBlockIpService : IBlockIpService public class AzureQueueBlockIpService : IBlockIpService
{ {
private readonly CloudQueue _blockIpQueue; private readonly QueueClient _blockIpQueueClient;
private readonly CloudQueue _unblockIpQueue; private readonly QueueClient _unblockIpQueueClient;
private bool _didInit = false;
private Tuple<string, bool, DateTime> _lastBlock; private Tuple<string, bool, DateTime> _lastBlock;
public AzureQueueBlockIpService( public AzureQueueBlockIpService(
GlobalSettings globalSettings) GlobalSettings globalSettings)
{ {
var storageAccount = CloudStorageAccount.Parse(globalSettings.Storage.ConnectionString); _blockIpQueueClient = new QueueClient(globalSettings.Storage.ConnectionString, "blockip");
var queueClient = storageAccount.CreateCloudQueueClient(); _unblockIpQueueClient = new QueueClient(globalSettings.Storage.ConnectionString, "unblockip");
_blockIpQueue = queueClient.GetQueueReference("blockip");
_unblockIpQueue = queueClient.GetQueueReference("unblockip");
} }
public async Task BlockIpAsync(string ipAddress, bool permanentBlock) public async Task BlockIpAsync(string ipAddress, bool permanentBlock)
{ {
await InitAsync();
var now = DateTime.UtcNow; var now = DateTime.UtcNow;
if(_lastBlock != null && _lastBlock.Item1 == ipAddress && _lastBlock.Item2 == permanentBlock && if(_lastBlock != null && _lastBlock.Item1 == ipAddress && _lastBlock.Item2 == permanentBlock &&
(now - _lastBlock.Item3) < TimeSpan.FromMinutes(1)) (now - _lastBlock.Item3) < TimeSpan.FromMinutes(1))
@ -35,24 +28,11 @@ namespace Bit.Core.Services
} }
_lastBlock = new Tuple<string, bool, DateTime>(ipAddress, permanentBlock, now); _lastBlock = new Tuple<string, bool, DateTime>(ipAddress, permanentBlock, now);
var message = new CloudQueueMessage(ipAddress); await _blockIpQueueClient.SendMessageAsync(ipAddress);
await _blockIpQueue.AddMessageAsync(message);
if(!permanentBlock) if(!permanentBlock)
{ {
await _unblockIpQueue.AddMessageAsync(message, null, new TimeSpan(0, 15, 0), null, null); await _unblockIpQueueClient.SendMessageAsync(ipAddress, new TimeSpan(0, 15, 0));
} }
} }
private async Task InitAsync()
{
if(_didInit)
{
return;
}
await _blockIpQueue.CreateIfNotExistsAsync();
await _unblockIpQueue.CreateIfNotExistsAsync();
_didInit = true;
}
} }
} }

View File

@ -1,8 +1,6 @@
using System.Threading.Tasks; using System.Threading.Tasks;
using Bit.Core.Repositories;
using System.Collections.Generic; using System.Collections.Generic;
using Microsoft.WindowsAzure.Storage; using Azure.Storage.Queues;
using Microsoft.WindowsAzure.Storage.Queue;
using Newtonsoft.Json; using Newtonsoft.Json;
using Bit.Core.Models.Data; using Bit.Core.Models.Data;
@ -10,8 +8,7 @@ namespace Bit.Core.Services
{ {
public class AzureQueueEventWriteService : IEventWriteService public class AzureQueueEventWriteService : IEventWriteService
{ {
private readonly CloudQueue _queue; private readonly QueueClient _queueClient;
private readonly GlobalSettings _globalSettings;
private JsonSerializerSettings _jsonSettings = new JsonSerializerSettings private JsonSerializerSettings _jsonSettings = new JsonSerializerSettings
{ {
@ -19,28 +16,21 @@ namespace Bit.Core.Services
}; };
public AzureQueueEventWriteService( public AzureQueueEventWriteService(
IEventRepository eventRepository,
GlobalSettings globalSettings) GlobalSettings globalSettings)
{ {
var storageAccount = CloudStorageAccount.Parse(globalSettings.Events.ConnectionString); _queueClient = new QueueClient(globalSettings.Events.ConnectionString, "event");
var queueClient = storageAccount.CreateCloudQueueClient();
_queue = queueClient.GetQueueReference("event");
_globalSettings = globalSettings;
} }
public async Task CreateAsync(IEvent e) public async Task CreateAsync(IEvent e)
{ {
var json = JsonConvert.SerializeObject(e, _jsonSettings); var json = JsonConvert.SerializeObject(e, _jsonSettings);
var message = new CloudQueueMessage(json); await _queueClient.SendMessageAsync(json);
await _queue.AddMessageAsync(message);
} }
public async Task CreateManyAsync(IList<IEvent> e) public async Task CreateManyAsync(IList<IEvent> e)
{ {
var json = JsonConvert.SerializeObject(e, _jsonSettings); var json = JsonConvert.SerializeObject(e, _jsonSettings);
var message = new CloudQueueMessage(json); await _queueClient.SendMessageAsync(json);
await _queue.AddMessageAsync(message);
} }
} }
} }

View File

@ -4,8 +4,7 @@ using Bit.Core.Models.Table;
using Bit.Core.Enums; using Bit.Core.Enums;
using Newtonsoft.Json; using Newtonsoft.Json;
using Bit.Core.Models; using Bit.Core.Models;
using Microsoft.WindowsAzure.Storage.Queue; using Azure.Storage.Queues;
using Microsoft.WindowsAzure.Storage;
using Microsoft.AspNetCore.Http; using Microsoft.AspNetCore.Http;
using System.Collections.Generic; using System.Collections.Generic;
@ -13,7 +12,7 @@ namespace Bit.Core.Services
{ {
public class AzureQueuePushNotificationService : IPushNotificationService public class AzureQueuePushNotificationService : IPushNotificationService
{ {
private readonly CloudQueue _queue; private readonly QueueClient _queueClient;
private readonly GlobalSettings _globalSettings; private readonly GlobalSettings _globalSettings;
private readonly IHttpContextAccessor _httpContextAccessor; private readonly IHttpContextAccessor _httpContextAccessor;
@ -26,9 +25,7 @@ namespace Bit.Core.Services
GlobalSettings globalSettings, GlobalSettings globalSettings,
IHttpContextAccessor httpContextAccessor) IHttpContextAccessor httpContextAccessor)
{ {
var storageAccount = CloudStorageAccount.Parse(globalSettings.Notifications.ConnectionString); _queueClient = new QueueClient(globalSettings.Notifications.ConnectionString, "notifications");
var queueClient = storageAccount.CreateCloudQueueClient();
_queue = queueClient.GetQueueReference("notifications");
_globalSettings = globalSettings; _globalSettings = globalSettings;
_httpContextAccessor = httpContextAccessor; _httpContextAccessor = httpContextAccessor;
} }
@ -143,8 +140,7 @@ namespace Bit.Core.Services
var contextId = GetContextIdentifier(excludeCurrentContext); var contextId = GetContextIdentifier(excludeCurrentContext);
var message = JsonConvert.SerializeObject(new PushNotificationData<T>(type, payload, contextId), var message = JsonConvert.SerializeObject(new PushNotificationData<T>(type, payload, contextId),
_jsonSettings); _jsonSettings);
var queueMessage = new CloudQueueMessage(message); await _queueClient.SendMessageAsync(message);
await _queue.AddMessageAsync(queueMessage);
} }
private string GetContextIdentifier(bool excludeCurrentContext) private string GetContextIdentifier(bool excludeCurrentContext)

View File

@ -4,7 +4,7 @@ using Bit.Core.Repositories;
using Bit.Core.Utilities; using Bit.Core.Utilities;
using Microsoft.AspNetCore.Hosting; using Microsoft.AspNetCore.Hosting;
using Microsoft.Extensions.Logging; using Microsoft.Extensions.Logging;
using Microsoft.WindowsAzure.Storage; using Microsoft.Azure.Storage;
using Newtonsoft.Json; using Newtonsoft.Json;
using System; using System;
using System.Collections.Generic; using System.Collections.Generic;

View File

@ -16,7 +16,8 @@ using System.Web;
using Microsoft.AspNetCore.DataProtection; using Microsoft.AspNetCore.DataProtection;
using Bit.Core.Enums; using Bit.Core.Enums;
using System.Threading.Tasks; using System.Threading.Tasks;
using Microsoft.WindowsAzure.Storage; using Microsoft.Azure.Storage;
using Microsoft.Azure.Storage.Blob;
namespace Bit.Core.Utilities namespace Bit.Core.Utilities
{ {

View File

@ -1,6 +1,7 @@
using Microsoft.AspNetCore.Builder; using Microsoft.AspNetCore.Builder;
using Microsoft.AspNetCore.Hosting; using Microsoft.AspNetCore.Hosting;
using Microsoft.Extensions.Configuration; using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.Hosting;
using Microsoft.Extensions.Logging; using Microsoft.Extensions.Logging;
using Serilog; using Serilog;
using Serilog.Events; using Serilog.Events;
@ -12,8 +13,8 @@ namespace Bit.Core.Utilities
{ {
public static void UseSerilog( public static void UseSerilog(
this IApplicationBuilder appBuilder, this IApplicationBuilder appBuilder,
IHostingEnvironment env, IWebHostEnvironment env,
IApplicationLifetime applicationLifetime, IHostApplicationLifetime applicationLifetime,
GlobalSettings globalSettings) GlobalSettings globalSettings)
{ {
if(env.IsDevelopment()) if(env.IsDevelopment())

View File

@ -15,7 +15,6 @@ using Microsoft.AspNetCore.Identity;
using Microsoft.Extensions.Configuration; using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.DependencyInjection; using Microsoft.Extensions.DependencyInjection;
using Microsoft.AspNetCore.Http; using Microsoft.AspNetCore.Http;
using Microsoft.WindowsAzure.Storage;
using System; using System;
using System.IO; using System.IO;
using SqlServerRepos = Bit.Core.Repositories.SqlServer; using SqlServerRepos = Bit.Core.Repositories.SqlServer;
@ -34,6 +33,9 @@ using System.Security.Cryptography.X509Certificates;
using Bit.Core.Utilities; using Bit.Core.Utilities;
using Serilog.Context; using Serilog.Context;
using AutoMapper; using AutoMapper;
using Microsoft.EntityFrameworkCore;
using Microsoft.Extensions.Hosting;
using Microsoft.Azure.Storage;
namespace Bit.Core.Utilities namespace Bit.Core.Utilities
{ {
@ -41,11 +43,22 @@ namespace Bit.Core.Utilities
{ {
public static void AddSqlServerRepositories(this IServiceCollection services, GlobalSettings globalSettings) public static void AddSqlServerRepositories(this IServiceCollection services, GlobalSettings globalSettings)
{ {
if(!string.IsNullOrWhiteSpace(globalSettings.PostgreSql?.ConnectionString)) var usePostgreSql = !string.IsNullOrWhiteSpace(globalSettings.PostgreSql?.ConnectionString);
var useEf = usePostgreSql;
if(useEf)
{ {
services.AddAutoMapper(typeof(EntityFrameworkRepos.UserRepository)); services.AddAutoMapper(typeof(EntityFrameworkRepos.UserRepository));
services.AddDbContext<EntityFrameworkRepos.DatabaseContext>(); services.AddDbContext<EntityFrameworkRepos.DatabaseContext>(options =>
{
if(usePostgreSql)
{
options.UseNpgsql(globalSettings.PostgreSql.ConnectionString);
}
});
services.AddSingleton<IUserRepository, EntityFrameworkRepos.UserRepository>(); services.AddSingleton<IUserRepository, EntityFrameworkRepos.UserRepository>();
//services.AddSingleton<ICipherRepository, EntityFrameworkRepos.CipherRepository>();
//services.AddSingleton<IOrganizationRepository, EntityFrameworkRepos.OrganizationRepository>();
} }
else else
{ {
@ -67,7 +80,14 @@ namespace Bit.Core.Utilities
if(globalSettings.SelfHosted) if(globalSettings.SelfHosted)
{ {
services.AddSingleton<IEventRepository, SqlServerRepos.EventRepository>(); if(useEf)
{
// TODO
}
else
{
services.AddSingleton<IEventRepository, SqlServerRepos.EventRepository>();
}
services.AddSingleton<IInstallationDeviceRepository, NoopRepos.InstallationDeviceRepository>(); services.AddSingleton<IInstallationDeviceRepository, NoopRepos.InstallationDeviceRepository>();
services.AddSingleton<IMetaDataRepository, NoopRepos.MetaDataRepository>(); services.AddSingleton<IMetaDataRepository, NoopRepos.MetaDataRepository>();
} }
@ -283,7 +303,7 @@ namespace Bit.Core.Utilities
} }
public static void AddIdentityAuthenticationServices( public static void AddIdentityAuthenticationServices(
this IServiceCollection services, GlobalSettings globalSettings, IHostingEnvironment environment, this IServiceCollection services, GlobalSettings globalSettings, IWebHostEnvironment environment,
Action<AuthorizationOptions> addAuthorization) Action<AuthorizationOptions> addAuthorization)
{ {
services services
@ -313,7 +333,7 @@ namespace Bit.Core.Utilities
} }
public static IIdentityServerBuilder AddCustomIdentityServerServices( public static IIdentityServerBuilder AddCustomIdentityServerServices(
this IServiceCollection services, IHostingEnvironment env, GlobalSettings globalSettings) this IServiceCollection services, IWebHostEnvironment env, GlobalSettings globalSettings)
{ {
var issuerUri = new Uri(globalSettings.BaseServiceUri.InternalIdentity); var issuerUri = new Uri(globalSettings.BaseServiceUri.InternalIdentity);
var identityServerBuilder = services var identityServerBuilder = services
@ -373,7 +393,7 @@ namespace Bit.Core.Utilities
} }
public static void AddCustomDataProtectionServices( public static void AddCustomDataProtectionServices(
this IServiceCollection services, IHostingEnvironment env, GlobalSettings globalSettings) this IServiceCollection services, IWebHostEnvironment env, GlobalSettings globalSettings)
{ {
if(env.IsDevelopment()) if(env.IsDevelopment())
{ {
@ -417,7 +437,7 @@ namespace Bit.Core.Utilities
} }
public static void UseDefaultMiddleware(this IApplicationBuilder app, public static void UseDefaultMiddleware(this IApplicationBuilder app,
IHostingEnvironment env, GlobalSettings globalSettings) IWebHostEnvironment env, GlobalSettings globalSettings)
{ {
string GetHeaderValue(HttpContext httpContext, string header) string GetHeaderValue(HttpContext httpContext, string header)
{ {

View File

@ -1,4 +1,4 @@
FROM mcr.microsoft.com/dotnet/core/aspnet:2.2 FROM mcr.microsoft.com/dotnet/core/aspnet:3.1
LABEL com.bitwarden.product="bitwarden" LABEL com.bitwarden.product="bitwarden"

View File

@ -2,17 +2,12 @@
<PropertyGroup> <PropertyGroup>
<Version>1.33.0</Version> <Version>1.33.0</Version>
<TargetFramework>netcoreapp2.2</TargetFramework> <TargetFramework>netcoreapp3.1</TargetFramework>
<RootNamespace>Bit.Events</RootNamespace> <RootNamespace>Bit.Events</RootNamespace>
<UserSecretsId>bitwarden-Events</UserSecretsId> <UserSecretsId>bitwarden-Events</UserSecretsId>
<MvcRazorCompileOnPublish>false</MvcRazorCompileOnPublish> <MvcRazorCompileOnPublish>false</MvcRazorCompileOnPublish>
<AspNetCoreHostingModel>InProcess</AspNetCoreHostingModel>
</PropertyGroup> </PropertyGroup>
<ItemGroup>
<PackageReference Include="Microsoft.AspNetCore.App" />
</ItemGroup>
<ItemGroup> <ItemGroup>
<ProjectReference Include="..\Core\Core.csproj" /> <ProjectReference Include="..\Core\Core.csproj" />
</ItemGroup> </ItemGroup>

View File

@ -2,6 +2,7 @@
using Microsoft.AspNetCore.Hosting; using Microsoft.AspNetCore.Hosting;
using Bit.Core.Utilities; using Bit.Core.Utilities;
using Serilog.Events; using Serilog.Events;
using Microsoft.Extensions.Hosting;
namespace Bit.Events namespace Bit.Events
{ {
@ -9,28 +10,31 @@ namespace Bit.Events
{ {
public static void Main(string[] args) public static void Main(string[] args)
{ {
WebHost Host
.CreateDefaultBuilder(args) .CreateDefaultBuilder(args)
.UseStartup<Startup>() .ConfigureWebHostDefaults(webBuilder =>
.ConfigureLogging((hostingContext, logging) => {
logging.AddSerilog(hostingContext, e => webBuilder.UseStartup<Startup>();
{ webBuilder.ConfigureLogging((hostingContext, logging) =>
var context = e.Properties["SourceContext"].ToString(); logging.AddSerilog(hostingContext, e =>
if(context.Contains("IdentityServer4.Validation.TokenValidator") ||
context.Contains("IdentityServer4.Validation.TokenRequestValidator"))
{ {
return e.Level > LogEventLevel.Error; var context = e.Properties["SourceContext"].ToString();
} if(context.Contains("IdentityServer4.Validation.TokenValidator") ||
context.Contains("IdentityServer4.Validation.TokenRequestValidator"))
{
return e.Level > LogEventLevel.Error;
}
if(e.Properties.ContainsKey("RequestPath") && if(e.Properties.ContainsKey("RequestPath") &&
!string.IsNullOrWhiteSpace(e.Properties["RequestPath"]?.ToString()) && !string.IsNullOrWhiteSpace(e.Properties["RequestPath"]?.ToString()) &&
(context.Contains(".Server.Kestrel") || context.Contains(".Core.IISHttpServer"))) (context.Contains(".Server.Kestrel") || context.Contains(".Core.IISHttpServer")))
{ {
return false; return false;
} }
return e.Level >= LogEventLevel.Error; return e.Level >= LogEventLevel.Error;
})) }));
})
.Build() .Build()
.Run(); .Run();
} }

View File

@ -7,12 +7,13 @@ using Microsoft.AspNetCore.Builder;
using Microsoft.AspNetCore.Hosting; using Microsoft.AspNetCore.Hosting;
using Microsoft.Extensions.Configuration; using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.DependencyInjection; using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Hosting;
namespace Bit.Events namespace Bit.Events
{ {
public class Startup public class Startup
{ {
public Startup(IHostingEnvironment env, IConfiguration configuration) public Startup(IWebHostEnvironment env, IConfiguration configuration)
{ {
CultureInfo.DefaultThreadCurrentCulture = new CultureInfo("en-US"); CultureInfo.DefaultThreadCurrentCulture = new CultureInfo("en-US");
Configuration = configuration; Configuration = configuration;
@ -20,7 +21,7 @@ namespace Bit.Events
} }
public IConfiguration Configuration { get; } public IConfiguration Configuration { get; }
public IHostingEnvironment Environment { get; set; } public IWebHostEnvironment Environment { get; set; }
public void ConfigureServices(IServiceCollection services) public void ConfigureServices(IServiceCollection services)
{ {
@ -82,8 +83,8 @@ namespace Bit.Events
public void Configure( public void Configure(
IApplicationBuilder app, IApplicationBuilder app,
IHostingEnvironment env, IWebHostEnvironment env,
IApplicationLifetime appLifetime, IHostApplicationLifetime appLifetime,
GlobalSettings globalSettings) GlobalSettings globalSettings)
{ {
app.UseSerilog(env, appLifetime, globalSettings); app.UseSerilog(env, appLifetime, globalSettings);
@ -96,18 +97,22 @@ namespace Bit.Events
// Default Middleware // Default Middleware
app.UseDefaultMiddleware(env, globalSettings); app.UseDefaultMiddleware(env, globalSettings);
// Add routing
app.UseRouting();
// Add Cors // Add Cors
app.UseCors(policy => policy.SetIsOriginAllowed(h => true) app.UseCors(policy => policy.SetIsOriginAllowed(h => true)
.AllowAnyMethod().AllowAnyHeader().AllowCredentials()); .AllowAnyMethod().AllowAnyHeader().AllowCredentials());
// Add authentication to the request pipeline. // Add authentication and authorization to the request pipeline.
app.UseAuthentication(); app.UseAuthentication();
app.UseAuthorization();
// Add current context // Add current context
app.UseMiddleware<CurrentContextMiddleware>(); app.UseMiddleware<CurrentContextMiddleware>();
// Add MVC to the request pipeline. // Add MVC to the request pipeline.
app.UseMvc(); app.UseEndpoints(endpoints => endpoints.MapDefaultControllerRoute());
} }
} }
} }

View File

@ -9,8 +9,7 @@ using Bit.Core.Services;
using Microsoft.Extensions.Configuration; using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.Hosting; using Microsoft.Extensions.Hosting;
using Microsoft.Extensions.Logging; using Microsoft.Extensions.Logging;
using Microsoft.WindowsAzure.Storage; using Azure.Storage.Queues;
using Microsoft.WindowsAzure.Storage.Queue;
using Newtonsoft.Json; using Newtonsoft.Json;
using Newtonsoft.Json.Linq; using Newtonsoft.Json.Linq;
@ -23,7 +22,7 @@ namespace Bit.EventsProcessor
private Task _executingTask; private Task _executingTask;
private CancellationTokenSource _cts; private CancellationTokenSource _cts;
private CloudQueue _queue; private QueueClient _queueClient;
private IEventWriteService _eventWriteService; private IEventWriteService _eventWriteService;
public AzureQueueHostedService( public AzureQueueHostedService(
@ -67,23 +66,19 @@ namespace Bit.EventsProcessor
var repo = new Core.Repositories.TableStorage.EventRepository(storageConnectionString); var repo = new Core.Repositories.TableStorage.EventRepository(storageConnectionString);
_eventWriteService = new RepositoryEventWriteService(repo); _eventWriteService = new RepositoryEventWriteService(repo);
_queueClient = new QueueClient(storageConnectionString, "event");
var storageAccount = CloudStorageAccount.Parse(storageConnectionString);
var queueClient = storageAccount.CreateCloudQueueClient();
_queue = queueClient.GetQueueReference("event");
while(!cancellationToken.IsCancellationRequested) while(!cancellationToken.IsCancellationRequested)
{ {
try try
{ {
var messages = await _queue.GetMessagesAsync(32, TimeSpan.FromMinutes(1), var messages = await _queueClient.ReceiveMessagesAsync(32);
null, null, cancellationToken); if(messages.Value?.Any() ?? false)
if(messages.Any())
{ {
foreach(var message in messages) foreach(var message in messages.Value)
{ {
await ProcessQueueMessageAsync(message.AsString, cancellationToken); await ProcessQueueMessageAsync(message.MessageText, cancellationToken);
await _queue.DeleteMessageAsync(message); await _queueClient.DeleteMessageAsync(message.MessageId, message.PopReceipt);
} }
} }
else else

View File

@ -2,16 +2,11 @@
<PropertyGroup> <PropertyGroup>
<Version>1.33.0</Version> <Version>1.33.0</Version>
<TargetFramework>netcoreapp2.2</TargetFramework> <TargetFramework>netcoreapp3.1</TargetFramework>
<RootNamespace>Bit.EventsProcessor</RootNamespace> <RootNamespace>Bit.EventsProcessor</RootNamespace>
<UserSecretsId>bitwarden-EventsProcessor</UserSecretsId> <UserSecretsId>bitwarden-EventsProcessor</UserSecretsId>
<AspNetCoreHostingModel>InProcess</AspNetCoreHostingModel>
</PropertyGroup> </PropertyGroup>
<ItemGroup>
<PackageReference Include="Microsoft.AspNetCore.App" />
</ItemGroup>
<ItemGroup> <ItemGroup>
<ProjectReference Include="..\Core\Core.csproj" /> <ProjectReference Include="..\Core\Core.csproj" />
</ItemGroup> </ItemGroup>

View File

@ -1,7 +1,7 @@
using Microsoft.AspNetCore; using Microsoft.AspNetCore.Hosting;
using Microsoft.AspNetCore.Hosting;
using Bit.Core.Utilities; using Bit.Core.Utilities;
using Serilog.Events; using Serilog.Events;
using Microsoft.Extensions.Hosting;
namespace Bit.EventsProcessor namespace Bit.EventsProcessor
{ {
@ -9,11 +9,14 @@ namespace Bit.EventsProcessor
{ {
public static void Main(string[] args) public static void Main(string[] args)
{ {
WebHost Host
.CreateDefaultBuilder(args) .CreateDefaultBuilder(args)
.UseStartup<Startup>() .ConfigureWebHostDefaults(webBuilder =>
.ConfigureLogging((hostingContext, logging) => {
logging.AddSerilog(hostingContext, e => e.Level >= LogEventLevel.Warning)) webBuilder.UseStartup<Startup>();
webBuilder.ConfigureLogging((hostingContext, logging) =>
logging.AddSerilog(hostingContext, e => e.Level >= LogEventLevel.Warning));
})
.Build() .Build()
.Run(); .Run();
} }

View File

@ -6,13 +6,14 @@ using Microsoft.AspNetCore.Hosting;
using Microsoft.AspNetCore.Http; using Microsoft.AspNetCore.Http;
using Microsoft.Extensions.Configuration; using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.DependencyInjection; using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Hosting;
using Microsoft.IdentityModel.Logging; using Microsoft.IdentityModel.Logging;
namespace Bit.EventsProcessor namespace Bit.EventsProcessor
{ {
public class Startup public class Startup
{ {
public Startup(IHostingEnvironment env, IConfiguration configuration) public Startup(IWebHostEnvironment env, IConfiguration configuration)
{ {
CultureInfo.DefaultThreadCurrentCulture = new CultureInfo("en-US"); CultureInfo.DefaultThreadCurrentCulture = new CultureInfo("en-US");
Configuration = configuration; Configuration = configuration;
@ -20,7 +21,7 @@ namespace Bit.EventsProcessor
} }
public IConfiguration Configuration { get; } public IConfiguration Configuration { get; }
public IHostingEnvironment Environment { get; set; } public IWebHostEnvironment Environment { get; set; }
public void ConfigureServices(IServiceCollection services) public void ConfigureServices(IServiceCollection services)
{ {
@ -36,18 +37,18 @@ namespace Bit.EventsProcessor
public void Configure( public void Configure(
IApplicationBuilder app, IApplicationBuilder app,
IHostingEnvironment env, IWebHostEnvironment env,
IApplicationLifetime appLifetime, IHostApplicationLifetime appLifetime,
GlobalSettings globalSettings) GlobalSettings globalSettings)
{ {
IdentityModelEventSource.ShowPII = true; IdentityModelEventSource.ShowPII = true;
app.UseSerilog(env, appLifetime, globalSettings); app.UseSerilog(env, appLifetime, globalSettings);
app.Map("/alive", HandleMapAlive); app.UseRouting();
} app.UseEndpoints(endpoints =>
{
private static void HandleMapAlive(IApplicationBuilder app) endpoints.MapGet("/alive",
{ async context => await context.Response.WriteAsync(System.DateTime.UtcNow.ToString()));
app.Run(async context => await context.Response.WriteAsync(System.DateTime.UtcNow.ToString())); });
} }
} }
} }

View File

@ -1,4 +1,4 @@
FROM mcr.microsoft.com/dotnet/core/aspnet:2.2 FROM mcr.microsoft.com/dotnet/core/aspnet:3.1
LABEL com.bitwarden.product="bitwarden" LABEL com.bitwarden.product="bitwarden"

View File

@ -2,7 +2,7 @@
<PropertyGroup> <PropertyGroup>
<Version>1.33.0</Version> <Version>1.33.0</Version>
<TargetFramework>netcoreapp2.2</TargetFramework> <TargetFramework>netcoreapp3.1</TargetFramework>
<RootNamespace>Bit.Icons</RootNamespace> <RootNamespace>Bit.Icons</RootNamespace>
<UserSecretsId>bitwarden-Icons</UserSecretsId> <UserSecretsId>bitwarden-Icons</UserSecretsId>
<MvcRazorCompileOnPublish>false</MvcRazorCompileOnPublish> <MvcRazorCompileOnPublish>false</MvcRazorCompileOnPublish>
@ -10,7 +10,6 @@
<ItemGroup> <ItemGroup>
<PackageReference Include="AngleSharp" Version="0.12.1" /> <PackageReference Include="AngleSharp" Version="0.12.1" />
<PackageReference Include="Microsoft.AspNetCore.App" />
</ItemGroup> </ItemGroup>
<ItemGroup> <ItemGroup>

View File

@ -1,7 +1,7 @@
using Microsoft.AspNetCore; using Microsoft.AspNetCore.Hosting;
using Microsoft.AspNetCore.Hosting;
using Bit.Core.Utilities; using Bit.Core.Utilities;
using Serilog.Events; using Serilog.Events;
using Microsoft.Extensions.Hosting;
namespace Bit.Icons namespace Bit.Icons
{ {
@ -9,11 +9,14 @@ namespace Bit.Icons
{ {
public static void Main(string[] args) public static void Main(string[] args)
{ {
WebHost Host
.CreateDefaultBuilder(args) .CreateDefaultBuilder(args)
.UseStartup<Startup>() .ConfigureWebHostDefaults(webBuilder =>
.ConfigureLogging((hostingContext, logging) => {
logging.AddSerilog(hostingContext, e => e.Level >= LogEventLevel.Error)) webBuilder.UseStartup<Startup>();
webBuilder.ConfigureLogging((hostingContext, logging) =>
logging.AddSerilog(hostingContext, e => e.Level >= LogEventLevel.Error));
})
.Build() .Build()
.Run(); .Run();
} }

View File

@ -8,6 +8,7 @@ using Microsoft.AspNetCore.Hosting;
using Microsoft.AspNetCore.Http; using Microsoft.AspNetCore.Http;
using Microsoft.Extensions.Configuration; using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.DependencyInjection; using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Hosting;
using Microsoft.Net.Http.Headers; using Microsoft.Net.Http.Headers;
namespace Bit.Icons namespace Bit.Icons
@ -49,8 +50,8 @@ namespace Bit.Icons
public void Configure( public void Configure(
IApplicationBuilder app, IApplicationBuilder app,
IHostingEnvironment env, IWebHostEnvironment env,
IApplicationLifetime appLifetime, IHostApplicationLifetime appLifetime,
GlobalSettings globalSettings) GlobalSettings globalSettings)
{ {
app.UseSerilog(env, appLifetime, globalSettings); app.UseSerilog(env, appLifetime, globalSettings);
@ -70,7 +71,8 @@ namespace Bit.Icons
await next(); await next();
}); });
app.UseMvc(); app.UseRouting();
app.UseEndpoints(endpoints => endpoints.MapDefaultControllerRoute());
} }
} }
} }

View File

@ -1,4 +1,4 @@
FROM mcr.microsoft.com/dotnet/core/aspnet:2.2 FROM mcr.microsoft.com/dotnet/core/aspnet:3.1
LABEL com.bitwarden.product="bitwarden" LABEL com.bitwarden.product="bitwarden"

View File

@ -2,19 +2,14 @@
<PropertyGroup> <PropertyGroup>
<Version>1.33.0</Version> <Version>1.33.0</Version>
<TargetFramework>netcoreapp2.2</TargetFramework> <TargetFramework>netcoreapp3.1</TargetFramework>
<RootNamespace>Bit.Identity</RootNamespace> <RootNamespace>Bit.Identity</RootNamespace>
<UserSecretsId>bitwarden-Identity</UserSecretsId> <UserSecretsId>bitwarden-Identity</UserSecretsId>
<MvcRazorCompileOnPublish>false</MvcRazorCompileOnPublish> <MvcRazorCompileOnPublish>false</MvcRazorCompileOnPublish>
<AspNetCoreHostingModel>InProcess</AspNetCoreHostingModel>
</PropertyGroup> </PropertyGroup>
<ItemGroup> <ItemGroup>
<ProjectReference Include="..\Core\Core.csproj" /> <ProjectReference Include="..\Core\Core.csproj" />
</ItemGroup> </ItemGroup>
<ItemGroup>
<PackageReference Include="Microsoft.AspNetCore.App" />
</ItemGroup>
</Project> </Project>

View File

@ -1,8 +1,8 @@
using Microsoft.AspNetCore; using Microsoft.AspNetCore.Hosting;
using Microsoft.AspNetCore.Hosting;
using Bit.Core.Utilities; using Bit.Core.Utilities;
using Serilog.Events; using Serilog.Events;
using AspNetCoreRateLimit; using AspNetCoreRateLimit;
using Microsoft.Extensions.Hosting;
namespace Bit.Identity namespace Bit.Identity
{ {
@ -10,27 +10,30 @@ namespace Bit.Identity
{ {
public static void Main(string[] args) public static void Main(string[] args)
{ {
WebHost Host
.CreateDefaultBuilder(args) .CreateDefaultBuilder(args)
.UseStartup<Startup>() .ConfigureWebHostDefaults(webBuilder =>
.ConfigureLogging((hostingContext, logging) => {
logging.AddSerilog(hostingContext, e => webBuilder.UseStartup<Startup>();
{ webBuilder.ConfigureLogging((hostingContext, logging) =>
var context = e.Properties["SourceContext"].ToString(); logging.AddSerilog(hostingContext, e =>
if(context.Contains(typeof(IpRateLimitMiddleware).FullName) &&
e.Level == LogEventLevel.Information)
{ {
return true; var context = e.Properties["SourceContext"].ToString();
} if(context.Contains(typeof(IpRateLimitMiddleware).FullName) &&
e.Level == LogEventLevel.Information)
{
return true;
}
if(context.Contains("IdentityServer4.Validation.TokenValidator") || if(context.Contains("IdentityServer4.Validation.TokenValidator") ||
context.Contains("IdentityServer4.Validation.TokenRequestValidator")) context.Contains("IdentityServer4.Validation.TokenRequestValidator"))
{ {
return e.Level > LogEventLevel.Error; return e.Level > LogEventLevel.Error;
} }
return e.Level >= LogEventLevel.Error; return e.Level >= LogEventLevel.Error;
})) }));
})
.Build() .Build()
.Run(); .Run();
} }

View File

@ -8,12 +8,13 @@ using Bit.Core.Utilities;
using AspNetCoreRateLimit; using AspNetCoreRateLimit;
using System.Globalization; using System.Globalization;
using Microsoft.Extensions.Logging; using Microsoft.Extensions.Logging;
using Microsoft.Extensions.Hosting;
namespace Bit.Identity namespace Bit.Identity
{ {
public class Startup public class Startup
{ {
public Startup(IHostingEnvironment env, IConfiguration configuration) public Startup(IWebHostEnvironment env, IConfiguration configuration)
{ {
CultureInfo.DefaultThreadCurrentCulture = new CultureInfo("en-US"); CultureInfo.DefaultThreadCurrentCulture = new CultureInfo("en-US");
Configuration = configuration; Configuration = configuration;
@ -21,7 +22,7 @@ namespace Bit.Identity
} }
public IConfiguration Configuration { get; private set; } public IConfiguration Configuration { get; private set; }
public IHostingEnvironment Environment { get; set; } public IWebHostEnvironment Environment { get; set; }
public void ConfigureServices(IServiceCollection services) public void ConfigureServices(IServiceCollection services)
{ {
@ -74,8 +75,8 @@ namespace Bit.Identity
public void Configure( public void Configure(
IApplicationBuilder app, IApplicationBuilder app,
IHostingEnvironment env, IWebHostEnvironment env,
IApplicationLifetime appLifetime, IHostApplicationLifetime appLifetime,
GlobalSettings globalSettings, GlobalSettings globalSettings,
ILogger<Startup> logger) ILogger<Startup> logger)
{ {

View File

@ -6,8 +6,7 @@ using Bit.Core;
using Microsoft.AspNetCore.SignalR; using Microsoft.AspNetCore.SignalR;
using Microsoft.Extensions.Hosting; using Microsoft.Extensions.Hosting;
using Microsoft.Extensions.Logging; using Microsoft.Extensions.Logging;
using Microsoft.WindowsAzure.Storage; using Azure.Storage.Queues;
using Microsoft.WindowsAzure.Storage.Queue;
namespace Bit.Notifications namespace Bit.Notifications
{ {
@ -19,7 +18,7 @@ namespace Bit.Notifications
private Task _executingTask; private Task _executingTask;
private CancellationTokenSource _cts; private CancellationTokenSource _cts;
private CloudQueue _queue; private QueueClient _queueClient;
public AzureQueueHostedService( public AzureQueueHostedService(
ILogger<AzureQueueHostedService> logger, ILogger<AzureQueueHostedService> logger,
@ -55,33 +54,29 @@ namespace Bit.Notifications
private async Task ExecuteAsync(CancellationToken cancellationToken) private async Task ExecuteAsync(CancellationToken cancellationToken)
{ {
var storageAccount = CloudStorageAccount.Parse(_globalSettings.Notifications.ConnectionString); _queueClient = new QueueClient(_globalSettings.Notifications.ConnectionString, "notifications");
var queueClient = storageAccount.CreateCloudQueueClient();
_queue = queueClient.GetQueueReference("notifications");
while(!cancellationToken.IsCancellationRequested) while(!cancellationToken.IsCancellationRequested)
{ {
try try
{ {
var messages = await _queue.GetMessagesAsync(32, TimeSpan.FromMinutes(1), var messages = await _queueClient.ReceiveMessagesAsync(32);
null, null, cancellationToken); if(messages.Value?.Any() ?? false)
if(messages.Any())
{ {
foreach(var message in messages) foreach(var message in messages.Value)
{ {
try try
{ {
await HubHelpers.SendNotificationToHubAsync( await HubHelpers.SendNotificationToHubAsync(
message.AsString, _hubContext, cancellationToken); message.MessageText, _hubContext, cancellationToken);
await _queue.DeleteMessageAsync(message); await _queueClient.DeleteMessageAsync(message.MessageId, message.PopReceipt);
} }
catch(Exception e) catch(Exception e)
{ {
_logger.LogError("Error processing dequeued message: " + _logger.LogError("Error processing dequeued message: " +
$"{message.Id} x{message.DequeueCount}.", e); $"{message.MessageId} x{message.DequeueCount}.", e);
if(message.DequeueCount > 2) if(message.DequeueCount > 2)
{ {
await _queue.DeleteMessageAsync(message); await _queueClient.DeleteMessageAsync(message.MessageId, message.PopReceipt);
} }
} }
} }

View File

@ -1,4 +1,4 @@
FROM mcr.microsoft.com/dotnet/core/aspnet:2.2 FROM mcr.microsoft.com/dotnet/core/aspnet:3.1
LABEL com.bitwarden.product="bitwarden" LABEL com.bitwarden.product="bitwarden"

View File

@ -2,15 +2,13 @@
<PropertyGroup> <PropertyGroup>
<Version>1.33.0</Version> <Version>1.33.0</Version>
<TargetFramework>netcoreapp2.2</TargetFramework> <TargetFramework>netcoreapp3.1</TargetFramework>
<RootNamespace>Bit.Notifications</RootNamespace> <RootNamespace>Bit.Notifications</RootNamespace>
<UserSecretsId>bitwarden-Notifications</UserSecretsId> <UserSecretsId>bitwarden-Notifications</UserSecretsId>
<AspNetCoreHostingModel>InProcess</AspNetCoreHostingModel>
</PropertyGroup> </PropertyGroup>
<ItemGroup> <ItemGroup>
<PackageReference Include="Microsoft.AspNetCore.App" /> <PackageReference Include="Microsoft.AspNetCore.SignalR.Protocols.MessagePack" Version="3.1.0" />
<PackageReference Include="Microsoft.AspNetCore.SignalR.Protocols.MessagePack" Version="1.1.5" />
<PackageReference Include="Microsoft.Azure.SignalR" Version="1.0.12" /> <PackageReference Include="Microsoft.Azure.SignalR" Version="1.0.12" />
</ItemGroup> </ItemGroup>

View File

@ -1,7 +1,7 @@
using Microsoft.AspNetCore; using Microsoft.AspNetCore.Hosting;
using Microsoft.AspNetCore.Hosting;
using Bit.Core.Utilities; using Bit.Core.Utilities;
using Serilog.Events; using Serilog.Events;
using Microsoft.Extensions.Hosting;
namespace Bit.Notifications namespace Bit.Notifications
{ {
@ -9,39 +9,42 @@ namespace Bit.Notifications
{ {
public static void Main(string[] args) public static void Main(string[] args)
{ {
WebHost Host
.CreateDefaultBuilder(args) .CreateDefaultBuilder(args)
.UseStartup<Startup>() .ConfigureWebHostDefaults(webBuilder =>
.ConfigureLogging((hostingContext, logging) => {
logging.AddSerilog(hostingContext, e => webBuilder.UseStartup<Startup>();
{ webBuilder.ConfigureLogging((hostingContext, logging) =>
var context = e.Properties["SourceContext"].ToString(); logging.AddSerilog(hostingContext, e =>
if(context.Contains("IdentityServer4.Validation.TokenValidator") ||
context.Contains("IdentityServer4.Validation.TokenRequestValidator"))
{ {
return e.Level > LogEventLevel.Error; var context = e.Properties["SourceContext"].ToString();
} if(context.Contains("IdentityServer4.Validation.TokenValidator") ||
context.Contains("IdentityServer4.Validation.TokenRequestValidator"))
{
return e.Level > LogEventLevel.Error;
}
if(e.Level == LogEventLevel.Error && if(e.Level == LogEventLevel.Error &&
e.MessageTemplate.Text == "Failed connection handshake.") e.MessageTemplate.Text == "Failed connection handshake.")
{ {
return false; return false;
} }
if(e.Level == LogEventLevel.Error && if(e.Level == LogEventLevel.Error &&
e.MessageTemplate.Text.StartsWith("Failed writing message.")) e.MessageTemplate.Text.StartsWith("Failed writing message."))
{ {
return false; return false;
} }
if(e.Level == LogEventLevel.Warning && if(e.Level == LogEventLevel.Warning &&
e.MessageTemplate.Text.StartsWith("Heartbeat took longer")) e.MessageTemplate.Text.StartsWith("Heartbeat took longer"))
{ {
return false; return false;
} }
return e.Level >= LogEventLevel.Warning; return e.Level >= LogEventLevel.Warning;
})) }));
})
.Build() .Build()
.Run(); .Run();
} }

View File

@ -8,13 +8,14 @@ using Microsoft.AspNetCore.Hosting;
using Microsoft.AspNetCore.SignalR; using Microsoft.AspNetCore.SignalR;
using Microsoft.Extensions.Configuration; using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.DependencyInjection; using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Hosting;
using Microsoft.IdentityModel.Logging; using Microsoft.IdentityModel.Logging;
namespace Bit.Notifications namespace Bit.Notifications
{ {
public class Startup public class Startup
{ {
public Startup(IHostingEnvironment env, IConfiguration configuration) public Startup(IWebHostEnvironment env, IConfiguration configuration)
{ {
CultureInfo.DefaultThreadCurrentCulture = new CultureInfo("en-US"); CultureInfo.DefaultThreadCurrentCulture = new CultureInfo("en-US");
Configuration = configuration; Configuration = configuration;
@ -22,7 +23,7 @@ namespace Bit.Notifications
} }
public IConfiguration Configuration { get; } public IConfiguration Configuration { get; }
public IHostingEnvironment Environment { get; set; } public IWebHostEnvironment Environment { get; set; }
public void ConfigureServices(IServiceCollection services) public void ConfigureServices(IServiceCollection services)
{ {
@ -81,8 +82,8 @@ namespace Bit.Notifications
public void Configure( public void Configure(
IApplicationBuilder app, IApplicationBuilder app,
IHostingEnvironment env, IWebHostEnvironment env,
IApplicationLifetime appLifetime, IHostApplicationLifetime appLifetime,
GlobalSettings globalSettings) GlobalSettings globalSettings)
{ {
IdentityModelEventSource.ShowPII = true; IdentityModelEventSource.ShowPII = true;
@ -93,29 +94,38 @@ namespace Bit.Notifications
app.UseDeveloperExceptionPage(); app.UseDeveloperExceptionPage();
} }
// Add routing
app.UseRouting();
// Add Cors // Add Cors
app.UseCors(policy => policy.SetIsOriginAllowed(h => true) app.UseCors(policy => policy.SetIsOriginAllowed(h => true)
.AllowAnyMethod().AllowAnyHeader().AllowCredentials()); .AllowAnyMethod().AllowAnyHeader().AllowCredentials());
// Add authentication to the request pipeline. // Add authentication to the request pipeline.
app.UseAuthentication(); app.UseAuthentication();
app.UseAuthorization();
// Add SignlarR // Add SignlarR
if(!string.IsNullOrWhiteSpace(globalSettings.Notifications?.AzureSignalRConnectionString)) var useAzureSignalR = !string.IsNullOrWhiteSpace(
globalSettings.Notifications?.AzureSignalRConnectionString);
if(useAzureSignalR)
{ {
app.UseAzureSignalR(routes => routes.MapHub<NotificationsHub>("/hub")); app.UseAzureSignalR(routes => routes.MapHub<NotificationsHub>("/hub"));
} }
else
{
app.UseSignalR(routes => routes.MapHub<NotificationsHub>("/hub", options =>
{
options.ApplicationMaxBufferSize = 2048; // client => server messages are not even used
options.TransportMaxBufferSize = 4096;
}));
}
// Add MVC to the request pipeline. // Add endpoints to the request pipeline.
app.UseMvc(); app.UseEndpoints(endpoints =>
{
if(!useAzureSignalR)
{
endpoints.MapHub<NotificationsHub>("/hub", options =>
{
options.ApplicationMaxBufferSize = 2048; // client => server messages are not even used
options.TransportMaxBufferSize = 4096;
});
}
endpoints.MapDefaultControllerRoute();
});
} }
} }
} }

View File

@ -1,13 +1,13 @@
<Project Sdk="Microsoft.NET.Sdk"> <Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup> <PropertyGroup>
<TargetFramework>netcoreapp2.2</TargetFramework> <TargetFramework>netcoreapp3.1</TargetFramework>
<IsPackable>false</IsPackable> <IsPackable>false</IsPackable>
<RootNamespace>Bit.Core.Test</RootNamespace> <RootNamespace>Bit.Core.Test</RootNamespace>
</PropertyGroup> </PropertyGroup>
<ItemGroup> <ItemGroup>
<PackageReference Include="Microsoft.NET.Test.Sdk" Version="16.3.0" /> <PackageReference Include="Microsoft.NET.Test.Sdk" Version="16.4.0" />
<PackageReference Include="NSubstitute" Version="4.2.1" /> <PackageReference Include="NSubstitute" Version="4.2.1" />
<PackageReference Include="xunit" Version="2.4.1" /> <PackageReference Include="xunit" Version="2.4.1" />
<PackageReference Include="xunit.runner.visualstudio" Version="2.4.1"> <PackageReference Include="xunit.runner.visualstudio" Version="2.4.1">

View File

@ -1,4 +1,4 @@
using System; using System;
using Bit.Core.Repositories; using Bit.Core.Repositories;
using Bit.Core.Services; using Bit.Core.Services;
using NSubstitute; using NSubstitute;
@ -19,7 +19,6 @@ namespace Bit.Core.Test.Services
_eventRepository = Substitute.For<IEventRepository>(); _eventRepository = Substitute.For<IEventRepository>();
_sut = new AzureQueueEventWriteService( _sut = new AzureQueueEventWriteService(
_eventRepository,
_globalSettings _globalSettings
); );
} }

View File

@ -1,7 +1,7 @@
<Project Sdk="Microsoft.NET.Sdk"> <Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup> <PropertyGroup>
<TargetFramework>netcoreapp2.2</TargetFramework> <TargetFramework>netcoreapp3.1</TargetFramework>
<RootNamespace>Bit.Migrator</RootNamespace> <RootNamespace>Bit.Migrator</RootNamespace>
</PropertyGroup> </PropertyGroup>
@ -11,7 +11,7 @@
<ItemGroup> <ItemGroup>
<PackageReference Include="dbup-sqlserver" Version="4.2.0" /> <PackageReference Include="dbup-sqlserver" Version="4.2.0" />
<PackageReference Include="Microsoft.Extensions.Logging" Version="2.2.0" /> <PackageReference Include="Microsoft.Extensions.Logging" Version="3.1.0" />
</ItemGroup> </ItemGroup>
<ItemGroup> <ItemGroup>

View File

@ -1,4 +1,4 @@
FROM mcr.microsoft.com/dotnet/core/aspnet:2.2 FROM mcr.microsoft.com/dotnet/core/aspnet:3.1
LABEL com.bitwarden.product="bitwarden" LABEL com.bitwarden.product="bitwarden"

View File

@ -1,14 +1,9 @@
<Project Sdk="Microsoft.NET.Sdk.Web"> <Project Sdk="Microsoft.NET.Sdk.Web">
<PropertyGroup> <PropertyGroup>
<TargetFramework>netcoreapp2.2</TargetFramework> <TargetFramework>netcoreapp3.1</TargetFramework>
<MvcRazorCompileOnPublish>false</MvcRazorCompileOnPublish> <MvcRazorCompileOnPublish>false</MvcRazorCompileOnPublish>
<RootNamespace>Bit.Server</RootNamespace> <RootNamespace>Bit.Server</RootNamespace>
<AspNetCoreHostingModel>InProcess</AspNetCoreHostingModel>
</PropertyGroup> </PropertyGroup>
<ItemGroup>
<PackageReference Include="Microsoft.AspNetCore.App" />
</ItemGroup>
</Project> </Project>

View File

@ -33,12 +33,17 @@ namespace Bit.Server
{ {
if(configuration.GetValue<bool?>("serveUnknown") ?? false) if(configuration.GetValue<bool?>("serveUnknown") ?? false)
{ {
app.Map("/alive", HandleMapAlive);
app.UseStaticFiles(new StaticFileOptions app.UseStaticFiles(new StaticFileOptions
{ {
ServeUnknownFileTypes = true, ServeUnknownFileTypes = true,
DefaultContentType = "application/octet-stream" DefaultContentType = "application/octet-stream"
}); });
app.UseRouting();
app.UseEndpoints(endpoints =>
{
endpoints.MapGet("/alive",
async context => await context.Response.WriteAsync(System.DateTime.UtcNow.ToString()));
});
} }
else if(configuration.GetValue<bool?>("webVault") ?? false) else if(configuration.GetValue<bool?>("webVault") ?? false)
{ {
@ -71,14 +76,14 @@ namespace Bit.Server
} }
else else
{ {
app.Map("/alive", HandleMapAlive);
app.UseFileServer(); app.UseFileServer();
app.UseRouting();
app.UseEndpoints(endpoints =>
{
endpoints.MapGet("/alive",
async context => await context.Response.WriteAsync(System.DateTime.UtcNow.ToString()));
});
} }
} }
private static void HandleMapAlive(IApplicationBuilder app)
{
app.Run(async context => await context.Response.WriteAsync(System.DateTime.UtcNow.ToString()));
}
} }
} }

View File

@ -1,4 +1,4 @@
FROM mcr.microsoft.com/dotnet/core/runtime:2.2 FROM mcr.microsoft.com/dotnet/core/runtime:3.1
LABEL com.bitwarden.product="bitwarden" com.bitwarden.project="setup" LABEL com.bitwarden.product="bitwarden" com.bitwarden.project="setup"

View File

@ -2,7 +2,7 @@
<PropertyGroup> <PropertyGroup>
<OutputType>Exe</OutputType> <OutputType>Exe</OutputType>
<TargetFramework>netcoreapp2.2</TargetFramework> <TargetFramework>netcoreapp3.1</TargetFramework>
<NoWarn>1701;1702;1705;NU1701</NoWarn> <NoWarn>1701;1702;1705;NU1701</NoWarn>
<RootNamespace>Bit.Setup</RootNamespace> <RootNamespace>Bit.Setup</RootNamespace>
</PropertyGroup> </PropertyGroup>
@ -13,7 +13,7 @@
<ItemGroup> <ItemGroup>
<PackageReference Include="Handlebars.Net" Version="1.10.1" /> <PackageReference Include="Handlebars.Net" Version="1.10.1" />
<PackageReference Include="Microsoft.Extensions.Logging" Version="2.2.0" /> <PackageReference Include="Microsoft.Extensions.Logging" Version="3.1.0" />
<PackageReference Include="Newtonsoft.Json" Version="12.0.2" /> <PackageReference Include="Newtonsoft.Json" Version="12.0.2" />
<PackageReference Include="YamlDotNet" Version="6.1.2" /> <PackageReference Include="YamlDotNet" Version="6.1.2" />
</ItemGroup> </ItemGroup>