RelationalDbHealthContributor
Namespace:
Steeltoe.Connector.ConnectorBase
We found 6 examples in language CSharp for this search.
You will see 15 fragments of code.
Other methods
Other methods
Project:Steeltoe
File:PostgresProviderServiceCollectionExtensions.cs
Examples:3
/// <summary>
/// Add NpgsqlConnection and its IHealthContributor to a ServiceCollection
/// </summary>
/// <param name="services">Service collection to add to</param>
/// <param name="config">App configuration</param>
/// <param name="contextLifetime">Lifetime of the service to inject</param>
/// <param name="addSteeltoeHealthChecks">Add Steeltoe healthChecks</param>
/// <returns>IServiceCollection for chaining</returns>
/// <remarks>NpgsqlConnection is retrievable as both NpgsqlConnection and IDbConnection</remarks>
public static IServiceCollection AddPostgresConnection(this IServiceCollection services, IConfiguration config, ServiceLifetime contextLifetime = ServiceLifetime.Scoped, bool addSteeltoeHealthChecks = false)
{
if (services == null)
{
throw new ArgumentNullException(nameof(services));
}
if (config == null)
{
throw new ArgumentNullException(nameof(config));
}
var info = config.GetSingletonServiceInfo<PostgresServiceInfo>();
DoAdd(services, info, config, contextLifetime, addSteeltoeHealthChecks);
return services;
}
/// <summary>
/// Add NpgsqlConnection and its IHealthContributor to a ServiceCollection
/// </summary>
/// <param name="services">Service collection to add to</param>
/// <param name="config">App configuration</param>
/// <param name="serviceName">cloud foundry service name binding</param>
/// <param name="contextLifetime">Lifetime of the service to inject</param>
/// <param name="addSteeltoeHealthChecks">Add Steeltoe healthChecks</param>
/// <returns>IServiceCollection for chaining</returns>
/// <remarks>NpgsqlConnection is retrievable as both NpgsqlConnection and IDbConnection</remarks>
public static IServiceCollection AddPostgresConnection(this IServiceCollection services, IConfiguration config, string serviceName, ServiceLifetime contextLifetime = ServiceLifetime.Scoped, bool addSteeltoeHealthChecks = false)
{
if (services == null)
{
throw new ArgumentNullException(nameof(services));
}
if (string.IsNullOrEmpty(serviceName))
{
throw new ArgumentNullException(nameof(serviceName));
}
if (config == null)
{
throw new ArgumentNullException(nameof(config));
}
var info = config.GetRequiredServiceInfo<PostgresServiceInfo>(serviceName);
DoAdd(services, info, config, contextLifetime, addSteeltoeHealthChecks);
return services;
}
private static void DoAdd(IServiceCollection services, PostgresServiceInfo info, IConfiguration config, ServiceLifetime contextLifetime, bool addSteeltoeHealthChecks)
{
var postgresConnection = ReflectionHelpers.FindType(PostgreSqlTypeLocator.Assemblies, PostgreSqlTypeLocator.ConnectionTypeNames);
var postgresConfig = new PostgresProviderConnectorOptions(config);
var factory = new PostgresProviderConnectorFactory(info, postgresConfig, postgresConnection);
services.Add(new ServiceDescriptor(typeof(IDbConnection), factory.Create, contextLifetime));
services.Add(new ServiceDescriptor(postgresConnection, factory.Create, contextLifetime));
if (!services.Any(s => s.ServiceType == typeof(HealthCheckService)) || addSteeltoeHealthChecks)
{
services.Add(new ServiceDescriptor(typeof(IHealthContributor), ctx => new RelationalDbHealthContributor((IDbConnection)factory.Create(ctx), ctx.GetService<ILogger<RelationalDbHealthContributor>>()), ServiceLifetime.Singleton));
}
}
Project:Steeltoe
File:OracleProviderServiceCollectionExtensions.cs
Examples:3
/// <summary>
/// Add Oracle and its IHealthContributor to a ServiceCollection
/// </summary>
/// <param name="services">Service collection to add to</param>
/// <param name="config">App configuration</param>
/// <param name="contextLifetime">Lifetime of the service to inject</param>
/// <param name="addSteeltoeHealthChecks">Add steeltoeHealth checks even if community health checks exist</param>
/// <returns>IServiceCollection for chaining</returns>
/// <remarks>OracleConnection is retrievable as both OracleConnection and IDbConnection</remarks>
public static IServiceCollection AddOracleConnection(this IServiceCollection services, IConfiguration config, ServiceLifetime contextLifetime = ServiceLifetime.Scoped, bool addSteeltoeHealthChecks = false)
{
if (services == null)
{
throw new ArgumentNullException(nameof(services));
}
if (config == null)
{
throw new ArgumentNullException(nameof(config));
}
var info = config.GetSingletonServiceInfo<OracleServiceInfo>();
DoAdd(services, info, config, contextLifetime, addSteeltoeHealthChecks);
return services;
}
/// <summary>
/// Add Oracle and its IHealthContributor to a ServiceCollection.
/// </summary>
/// <param name="services">Service collection to add to</param>
/// <param name="config">App configuration</param>
/// <param name="serviceName">cloud foundry service name binding</param>
/// <param name="contextLifetime">Lifetime of the service to inject</param>
/// <param name="addSteeltoeHealthChecks">Add steeltoeHealth checks even if community health checks exist</param>
/// <returns>IServiceCollection for chaining</returns>
/// <remarks>OracleConnection is retrievable as both OracleConnection and IDbConnection</remarks>
public static IServiceCollection AddOracleConnection(this IServiceCollection services, IConfiguration config, string serviceName, ServiceLifetime contextLifetime = ServiceLifetime.Scoped, bool addSteeltoeHealthChecks = false)
{
if (services == null)
{
throw new ArgumentNullException(nameof(services));
}
if (string.IsNullOrEmpty(serviceName))
{
throw new ArgumentNullException(nameof(serviceName));
}
if (config == null)
{
throw new ArgumentNullException(nameof(config));
}
var info = config.GetRequiredServiceInfo<OracleServiceInfo>(serviceName);
DoAdd(services, info, config, contextLifetime, addSteeltoeHealthChecks);
return services;
}
private static void DoAdd(IServiceCollection services, OracleServiceInfo info, IConfiguration config, ServiceLifetime contextLifetime, bool addSteeltoeHealthChecks)
{
var oracleConnection = ReflectionHelpers.FindType(OracleTypeLocator.Assemblies, OracleTypeLocator.ConnectionTypeNames);
var oracleConfig = new OracleProviderConnectorOptions(config);
var factory = new OracleProviderConnectorFactory(info, oracleConfig, oracleConnection);
services.Add(new ServiceDescriptor(typeof(IDbConnection), factory.Create, contextLifetime));
services.Add(new ServiceDescriptor(oracleConnection, factory.Create, contextLifetime));
if (!services.Any(s => s.ServiceType == typeof(HealthCheckService)) || addSteeltoeHealthChecks)
{
services.Add(new ServiceDescriptor(typeof(IHealthContributor), ctx => new RelationalDbHealthContributor((IDbConnection)factory.Create(ctx), ctx.GetService<ILogger<RelationalDbHealthContributor>>()), ServiceLifetime.Singleton));
}
}
Project:Steeltoe
File:MySqlProviderServiceCollectionExtensions.cs
Examples:3
/// <summary>
/// Add MySql and its IHealthContributor to a ServiceCollection
/// </summary>
/// <param name="services">Service collection to add to</param>
/// <param name="config">App configuration</param>
/// <param name="contextLifetime">Lifetime of the service to inject</param>
/// <param name="addSteeltoeHealthChecks">Add steeltoeHealth checks even if community health checks exist</param>
/// <returns>IServiceCollection for chaining</returns>
/// <remarks>MySqlConnection is retrievable as both MySqlConnection and IDbConnection</remarks>
public static IServiceCollection AddMySqlConnection(this IServiceCollection services, IConfiguration config, ServiceLifetime contextLifetime = ServiceLifetime.Scoped, bool addSteeltoeHealthChecks = false)
{
if (services == null)
{
throw new ArgumentNullException(nameof(services));
}
if (config == null)
{
throw new ArgumentNullException(nameof(config));
}
var info = config.GetSingletonServiceInfo<MySqlServiceInfo>();
DoAdd(services, info, config, contextLifetime, addSteeltoeHealthChecks);
return services;
}
/// <summary>
/// Add MySql and its IHealthContributor to a ServiceCollection.
/// </summary>
/// <param name="services">Service collection to add to</param>
/// <param name="config">App configuration</param>
/// <param name="serviceName">cloud foundry service name binding</param>
/// <param name="contextLifetime">Lifetime of the service to inject</param>
/// <param name="addSteeltoeHealthChecks">Add steeltoeHealth checks even if community health checks exist</param>
/// <returns>IServiceCollection for chaining</returns>
/// <remarks>MySqlConnection is retrievable as both MySqlConnection and IDbConnection</remarks>
public static IServiceCollection AddMySqlConnection(this IServiceCollection services, IConfiguration config, string serviceName, ServiceLifetime contextLifetime = ServiceLifetime.Scoped, bool addSteeltoeHealthChecks = false)
{
if (services == null)
{
throw new ArgumentNullException(nameof(services));
}
if (string.IsNullOrEmpty(serviceName))
{
throw new ArgumentNullException(nameof(serviceName));
}
if (config == null)
{
throw new ArgumentNullException(nameof(config));
}
var info = config.GetRequiredServiceInfo<MySqlServiceInfo>(serviceName);
DoAdd(services, info, config, contextLifetime, addSteeltoeHealthChecks);
return services;
}
private static void DoAdd(IServiceCollection services, MySqlServiceInfo info, IConfiguration config, ServiceLifetime contextLifetime, bool addSteeltoeHealthChecks)
{
var mySqlConnection = ReflectionHelpers.FindType(MySqlTypeLocator.Assemblies, MySqlTypeLocator.ConnectionTypeNames);
var mySqlConfig = new MySqlProviderConnectorOptions(config);
var factory = new MySqlProviderConnectorFactory(info, mySqlConfig, mySqlConnection);
services.Add(new ServiceDescriptor(typeof(IDbConnection), factory.Create, contextLifetime));
services.Add(new ServiceDescriptor(mySqlConnection, factory.Create, contextLifetime));
if (!services.Any(s => s.ServiceType == typeof(HealthCheckService)) || addSteeltoeHealthChecks)
{
services.Add(new ServiceDescriptor(typeof(IHealthContributor), ctx => new RelationalDbHealthContributor((IDbConnection)factory.Create(ctx), ctx.GetService<ILogger<RelationalDbHealthContributor>>()), ServiceLifetime.Singleton));
}
}
Project:dotnet-accelerator-test
File:Startup.cs
Examples:2
// This method gets called by the runtime. Use this method to add services to the container.
public void ConfigureServices(IServiceCollection services)
{
if (Environment.IsDevelopment())
{
// remove zipkin trace ids from logs when running in local development
services.AddSingleton<IDynamicMessageProcessor, NullLogProcessor>();
}
services.AddDistributedTracingAspNetCore();
services.AddSecureActuators();
if (Configuration.GetValue<string>("Spring:Boot:Admin:Client:Url") != null)
{
services.AddSpringBootAdmin();
}
services.AddMediatR(cfg => cfg.Using<MessageBus>(), typeof(Startup));
services.AddTransient(svc => (IMessageBus) svc.GetRequiredService<IMediator>());
services.AddModules();
services.AddDbContext<DotnetAcceleratorContext>(opt =>
{
var connectionString = Configuration.GetConnectionString("database");
var dbDriver = Configuration.GetValue<DbType>("DbType");
switch (dbDriver)
{
case DbType.SQLite:
if (connectionString.Contains(":memory") || connectionString.Contains("mode=memory"))
{
// in memory database needs to have its connection permanently open or it will get auto-deleted
var keepAliveConnection = new SqliteConnection(connectionString);
keepAliveConnection.Open();
opt.UseSqlite(keepAliveConnection);
}
else
{
opt.UseSqlite(connectionString);
}
break;
case DbType.PostgreSQL:
opt.UseNpgsql(connectionString);
break;
}
});
services.AddScoped<IDbConnection>(ctx => ctx.GetRequiredService<DotnetAcceleratorContext>().Database.GetDbConnection());
services.AddScoped<IHealthContributor, RelationalDbHealthContributor>(); // allow db connection health to show up in actuator health endpoint
services.AddControllers(cfg => cfg.Filters.Add<DomainExceptionFilter>()); // respond with HTTP400 if domain exception is thrown
services.AddSwaggerGen(c =>
{
c.CustomOperationIds(api =>
{
var actionDescriptor = (ControllerActionDescriptor) api.ActionDescriptor;
HttpMethodAttribute? methodAttribute = api.HttpMethod switch
{
"GET" => actionDescriptor.EndpointMetadata.OfType<HttpGetAttribute>().FirstOrDefault(),
"POST" => actionDescriptor.EndpointMetadata.OfType<HttpPostAttribute>().FirstOrDefault(),
"PUT" => actionDescriptor.EndpointMetadata.OfType<HttpPutAttribute>().FirstOrDefault(),
"DELETE" => actionDescriptor.EndpointMetadata.OfType<HttpDeleteAttribute>().FirstOrDefault(),
"PATCH" => actionDescriptor.EndpointMetadata.OfType<HttpPatchAttribute>().FirstOrDefault(),
"OPTIONS" => actionDescriptor.EndpointMetadata.OfType<HttpOptionsAttribute>().FirstOrDefault(),
"HEAD" => actionDescriptor.EndpointMetadata.OfType<HttpHeadAttribute>().FirstOrDefault(),
_ => null!
};
if (methodAttribute?.Name is not null)
{
return methodAttribute.Name;
}
return $"{actionDescriptor.ControllerName}_{actionDescriptor.ActionName}";
// return $"{((ControllerActionDescriptor) api.ActionDescriptor).ControllerName}_{api.HttpMethod}_{string.Join("_", api.ParameterDescriptions.Select(x => x.Name))}".ToLower();
});
c.SwaggerDoc("v1", new OpenApiInfo {Title = "JohnBush.DotnetAccelerator", Version = "v1"});
});
}
// This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
public void Configure(IApplicationBuilder app, IWebHostEnvironment env, ILoggerFactory loggerFactory)
{
BootstrapLoggerFactory.Update(loggerFactory);
if (env.IsDevelopment())
{
app.UseDeveloperExceptionPage();
}
app.MigrateDatabase<DotnetAcceleratorContext>();
app.UseSwagger();
app.UseSwaggerUI(c =>
{
c.SwaggerEndpoint("/swagger/v1/swagger.json", "JohnBush.DotnetAccelerator v1");
});
app.UseRouting();
app.UseAuthentication();
app.UseAuthorization();
app.UseEndpoints(endpoints =>
{
endpoints.MapControllers();
});
}
Project:tap-web-demo
File:Startup.cs
Examples:2
// This method gets called by the runtime. Use this method to add services to the container.
public void ConfigureServices(IServiceCollection services)
{
if (Environment.IsDevelopment())
{
// remove zipkin trace ids from logs when running in local development
services.AddSingleton<IDynamicMessageProcessor, NullLogProcessor>();
}
services.AddDistributedTracingAspNetCore();
services.AddSecureActuators();
services.AddConfigServerHealthContributor();
if (Configuration.GetValue<string>("Spring:Boot:Admin:Client:Url") != null)
{
services.AddSpringBootAdmin();
}
services.AddAuthentication(JwtBearerDefaults.AuthenticationScheme)
.AddJwtBearer(cfg =>
{
cfg.ForwardDefaultSelector = httpContext => (httpContext.Request.Path.StartsWithSegments("/actuator")? BasicAuthenticationDefaults.AuthenticationScheme : null)!;
Configuration.GetSection($"Authentication:{JwtBearerDefaults.AuthenticationScheme}").Bind(cfg);
});
services.AddAuthorization(authz =>
{
authz.AddPolicy(KnownAuthorizationPolicy.AirportRead, policy => policy.RequireScope(KnownScope.Read));
authz.AddPolicy(KnownAuthorizationPolicy.WeatherRead, policy => policy.RequireScope(KnownScope.Read));
authz.AddPolicy(KnownAuthorizationPolicy.WeatherWrite, policy => policy.RequireScope(KnownScope.Write));
});
services.AddMediatR(cfg => cfg.Using<MessageBus>(), typeof(Startup));
services.AddTransient(svc => (IMessageBus) svc.GetRequiredService<IMediator>());
services.AddModules();
services.AddDbContext<WebDemoContext>(opt =>
{
var connectionString = Configuration.GetConnectionString("database");
var dbDriver = Configuration.GetValue<DbType>("DbType");
switch (dbDriver)
{
case DbType.SQLite:
if (connectionString.Contains(":memory") || connectionString.Contains("mode=memory"))
{
// in memory database needs to have its connection permanently open or it will get auto-deleted
var keepAliveConnection = new SqliteConnection(connectionString);
keepAliveConnection.Open();
opt.UseSqlite(keepAliveConnection);
}
else
{
opt.UseSqlite(connectionString);
}
break;
case DbType.PostgreSQL:
opt.UseNpgsql(connectionString);
break;
}
});
services.AddScoped<IDbConnection>(ctx => ctx.GetRequiredService<WebDemoContext>().Database.GetDbConnection());
services.AddScoped<IHealthContributor, RelationalDbHealthContributor>(); // allow db connection health to show up in actuator health endpoint
services.AddControllers(cfg => cfg.Filters.Add<DomainExceptionFilter>()); // respond with HTTP400 if domain exception is thrown
services.AddSwaggerGen(c =>
{
c.CustomOperationIds(api =>
{
var actionDescriptor = (ControllerActionDescriptor) api.ActionDescriptor;
HttpMethodAttribute? methodAttribute = api.HttpMethod switch
{
"GET" => actionDescriptor.EndpointMetadata.OfType<HttpGetAttribute>().FirstOrDefault(),
"POST" => actionDescriptor.EndpointMetadata.OfType<HttpPostAttribute>().FirstOrDefault(),
"PUT" => actionDescriptor.EndpointMetadata.OfType<HttpPutAttribute>().FirstOrDefault(),
"DELETE" => actionDescriptor.EndpointMetadata.OfType<HttpDeleteAttribute>().FirstOrDefault(),
"PATCH" => actionDescriptor.EndpointMetadata.OfType<HttpPatchAttribute>().FirstOrDefault(),
"OPTIONS" => actionDescriptor.EndpointMetadata.OfType<HttpOptionsAttribute>().FirstOrDefault(),
"HEAD" => actionDescriptor.EndpointMetadata.OfType<HttpHeadAttribute>().FirstOrDefault(),
_ => null!
};
if (methodAttribute?.Name is not null)
{
return methodAttribute.Name;
}
return $"{actionDescriptor.ControllerName}_{actionDescriptor.ActionName}";
// return $"{((ControllerActionDescriptor) api.ActionDescriptor).ControllerName}_{api.HttpMethod}_{string.Join("_", api.ParameterDescriptions.Select(x => x.Name))}".ToLower();
});
c.SwaggerDoc("v1", new OpenApiInfo {Title = "Tanzu.WebDemo", Version = "v1"});
});
}
// This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
public void Configure(IApplicationBuilder app, IWebHostEnvironment env, ILoggerFactory loggerFactory)
{
BootstrapLoggerFactory.Update(loggerFactory);
if (env.IsDevelopment())
{
app.UseDeveloperExceptionPage();
}
app.MigrateDatabase<WebDemoContext>();
app.UseSwagger();
app.UseSwaggerUI(c =>
{
c.SwaggerEndpoint("/swagger/v1/swagger.json", "Tanzu.WebDemo v1");
});
app.UseRouting();
app.UseAuthentication();
app.UseAuthorization();
app.UseEndpoints(endpoints =>
{
endpoints.MapControllers();
});
}
Project:dotnet-accelerator
File:Startup.cs
Examples:2
// This method gets called by the runtime. Use this method to add services to the container.
public void ConfigureServices(IServiceCollection services)
{
if (Environment.IsDevelopment())
{
// remove zipkin trace ids from logs when running in local development
services.AddSingleton<IDynamicMessageProcessor, NullLogProcessor>();
}
services.AddDistributedTracingAspNetCore();
services.AddSecureActuators();
#if configserver
services.AddConfigServerHealthContributor();
#endif
if (Configuration.GetValue<string>("Spring:Boot:Admin:Client:Url") != null)
{
services.AddSpringBootAdmin();
}
#if enableSecurity
services.AddAuthentication(JwtBearerDefaults.AuthenticationScheme)
.AddJwtBearer(cfg =>
{
cfg.ForwardDefaultSelector = httpContext => (httpContext.Request.Path.StartsWithSegments("/actuator")? BasicAuthenticationDefaults.AuthenticationScheme : null)!;
Configuration.GetSection($"Authentication:{JwtBearerDefaults.AuthenticationScheme}").Bind(cfg);
});
services.AddAuthorization(authz =>
{
authz.AddPolicy(KnownAuthorizationPolicy.AirportRead, policy => policy.RequireScope(KnownScope.Read));
authz.AddPolicy(KnownAuthorizationPolicy.WeatherRead, policy => policy.RequireScope(KnownScope.Read));
authz.AddPolicy(KnownAuthorizationPolicy.WeatherWrite, policy => policy.RequireScope(KnownScope.Write));
});
#endif
services.AddMediatR(cfg => cfg.Using<MessageBus>(), typeof(Startup));
services.AddTransient(svc => (IMessageBus) svc.GetRequiredService<IMediator>());
services.AddModules();
services.AddDbContext<DotnetAcceleratorContext>(opt =>
{
var connectionString = Configuration.GetConnectionString("database");
var dbDriver = Configuration.GetValue<DbType>("DbType");
switch (dbDriver)
{
case DbType.SQLite:
if (connectionString.Contains(":memory") || connectionString.Contains("mode=memory"))
{
// in memory database needs to have its connection permanently open or it will get auto-deleted
var keepAliveConnection = new SqliteConnection(connectionString);
keepAliveConnection.Open();
opt.UseSqlite(keepAliveConnection);
}
else
{
opt.UseSqlite(connectionString);
}
break;
#if postgresql
case DbType.PostgreSQL:
opt.UseNpgsql(connectionString);
break;
#endif
#if mysql
case DbType.MySQL:
opt.UseMySql(connectionString, ServerVersion.AutoDetect(connectionString));
break;
#endif
}
});
services.AddScoped<IDbConnection>(ctx => ctx.GetRequiredService<DotnetAcceleratorContext>().Database.GetDbConnection());
services.AddScoped<IHealthContributor, RelationalDbHealthContributor>(); // allow db connection health to show up in actuator health endpoint
services.AddControllers(cfg => cfg.Filters.Add<DomainExceptionFilter>()); // respond with HTTP400 if domain exception is thrown
services.AddSwaggerGen(c =>
{
c.CustomOperationIds(api =>
{
var actionDescriptor = (ControllerActionDescriptor) api.ActionDescriptor;
HttpMethodAttribute? methodAttribute = api.HttpMethod switch
{
"GET" => actionDescriptor.EndpointMetadata.OfType<HttpGetAttribute>().FirstOrDefault(),
"POST" => actionDescriptor.EndpointMetadata.OfType<HttpPostAttribute>().FirstOrDefault(),
"PUT" => actionDescriptor.EndpointMetadata.OfType<HttpPutAttribute>().FirstOrDefault(),
"DELETE" => actionDescriptor.EndpointMetadata.OfType<HttpDeleteAttribute>().FirstOrDefault(),
"PATCH" => actionDescriptor.EndpointMetadata.OfType<HttpPatchAttribute>().FirstOrDefault(),
"OPTIONS" => actionDescriptor.EndpointMetadata.OfType<HttpOptionsAttribute>().FirstOrDefault(),
"HEAD" => actionDescriptor.EndpointMetadata.OfType<HttpHeadAttribute>().FirstOrDefault(),
_ => null!
};
if (methodAttribute?.Name is not null)
{
return methodAttribute.Name;
}
return $"{actionDescriptor.ControllerName}_{actionDescriptor.ActionName}";
// return $"{((ControllerActionDescriptor) api.ActionDescriptor).ControllerName}_{api.HttpMethod}_{string.Join("_", api.ParameterDescriptions.Select(x => x.Name))}".ToLower();
});
c.SwaggerDoc("v1", new OpenApiInfo {Title = "MyProjectGroup.DotnetAccelerator", Version = "v1"});
});
}
// This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
public void Configure(IApplicationBuilder app, IWebHostEnvironment env, ILoggerFactory loggerFactory)
{
BootstrapLoggerFactory.Update(loggerFactory);
if (env.IsDevelopment())
{
app.UseDeveloperExceptionPage();
}
app.MigrateDatabase<DotnetAcceleratorContext>();
app.UseSwagger();
app.UseSwaggerUI(c =>
{
c.SwaggerEndpoint("/swagger/v1/swagger.json", "MyProjectGroup.DotnetAccelerator v1");
});
app.UseRouting();
app.UseAuthentication();
app.UseAuthorization();
app.UseEndpoints(endpoints =>
{
endpoints.MapControllers();
});
}
Steeltoe.Connector.RelationalDbHealthContributor : IHealthContributor
Fields :
public IDbConnection _connectionConstructors :
public RelationalDbHealthContributor(IDbConnection connection = , ILogger<RelationalDbHealthContributor> logger = null)Methods :
public static IHealthContributor GetMySqlContributor(IConfiguration configuration = , ILogger<RelationalDbHealthContributor> logger = null)public static IHealthContributor GetPostgreSqlContributor(IConfiguration configuration = , ILogger<RelationalDbHealthContributor> logger = null)
public static IHealthContributor GetSqlServerContributor(IConfiguration configuration = , ILogger<RelationalDbHealthContributor> logger = null)
public static IHealthContributor GetOracleContributor(IConfiguration configuration = , ILogger<RelationalDbHealthContributor> logger = null)
public String get_Id()
public HealthCheckResult Health()
public Type GetType()
public String ToString()
public Boolean Equals(Object obj = )
public Int32 GetHashCode()