- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我不知道如何为 Azure Function 设置基于 xUnit
的集成测试。我有基于 .NET 6.0 的 Azure 函数 CreateObject
。我想对这个功能进行一次集成测试。该函数使用以下外部组件:
这是 Azure 函数。
public class CreateObject
{
private readonly ICreateObjectWorkflow _workflow;
public CreateObject(ICreateObjectWorkflow workflow)
{
_workflow = workflow;
}
[Function("CreateObject")]
public async Task<HttpResponseData> Run([HttpTrigger(AuthorizationLevel.Anonymous, "post")] HttpRequestData req)
{
var input = new Dictionary<string, object>
{
["Body"] = await req.GetBody()
};
var output = await _workflow.Run(input);
var response = req.CreateResponse(HttpStatusCode.OK);
await response.WriteAsJsonAsync(output);
return response;
}
}
这是 Azure Function 的启动,它会初始化许多服务。
namespace Get.Caa.IntegrationsApp.Starup;
public class Startup
{
public Task Run()
{
var environment = Environment.GetEnvironmentVariable("AZURE_FUNCTIONS_ENVIRONMENT")!;
var fileInfo = new FileInfo(Assembly.GetExecutingAssembly().Location);
string dirPath = fileInfo.Directory!.FullName;
var path = @$"{dirPath}/Appsettings/";
return Run(environment, path);
}
public Task Run(string environment, string path)
{
HealthServiceConfiguration healthOptions;
var host = new HostBuilder()
.ConfigureAppConfiguration(builder =>
{
builder
.SetBasePath(path)
.AddJsonFile(Path.Combine(path, $"appsettings.json"), optional: false, reloadOnChange: false)
.AddJsonFile(Path.Combine(path, $"appsettings.{environment}.json"), optional: false, reloadOnChange: false)
.AddJsonFile(Path.Combine(path, $"appsettings.{environment}.Health.json"), optional: false, reloadOnChange: false)
.AddJsonFile(Path.Combine(path, $"appsettings.{environment}.AzureApp.json"), optional: false, reloadOnChange: false)
.AddEnvironmentVariables();
var config = builder.Build();
})
.ConfigureFunctionsWorkerDefaults(worker =>
{
worker.UseNewtonsoftJson();
worker.UseMiddleware<ExceptionLoggingMiddleware>();
})
.ConfigureOpenApi()
.UseSerilogLogging()
.RegisterToHealthService()
.ConfigureServices(s =>
{
s.AddAppSettingsOption<AppSettings>();
s.AddAppSettingsOption<AzureIntegrationsAppSettingsConfiguration>();
s.AddAppSettingsOption<HealthServiceConfiguration>("HealthServiceConfiguration");
var serviceProvider = s.BuildServiceProvider();
var options = serviceProvider.GetRequiredService<IOptions<AppSettings>>().Value;
healthOptions = serviceProvider.GetRequiredService<IOptions<HealthServiceConfiguration>>().Value;
s.AddIntegrationApp($"{healthOptions.ServiceInfo.ApplicationUrl}/api");
healthOptions.AddEnvironmentVariables();
s.AddRedisCache(options);
s.AddHealthCheck(options, healthOptions);
s.AddAzureServiceBus(options.ServiceBusConnectionString);
s.AddSignalRService();
s.AddSingleton<INoSqlDatabase>(new CosmosNoSqlDatabase(options.CosmosDbEndpoint, options.CosmosDbPrimaryKey, options.DatabaseName));
s.AddIntegrationAppLifeCycle();
s.AddSerilog();
})
.Build();
return host.RunAsync();
}
}
我尝试使用以下类设置集成测试,但出现异常。
这是我运行集成测试时遇到的异常。
Get.Caa.IntegrationsApp.Test.Integration.CreateObjectWorkflowTests.CreateObjectWorkflowTests.ValidBody_ReturnCompleteNa
Source: CreateObjectWorkflowTests.cs line 37
Test has multiple result outcomes
2 Failed
Results
1) Get.Caa.IntegrationsApp.Test.Integration.CreateObjectWorkflowTests.CreateObjectWorkflowTests.ValidBody_ReturnCompleteNa(data: [[[...]], [[...]], [[...]], [[...]], [[...]], ...], result: [])
Duration: 1 ms
Message:
System.InvalidOperationException : The gRPC channel URI 'http://:63530' could not be parsed.
Stack Trace:
<>c.<AddGrpc>b__1_1(IServiceProvider p) line 61
CallSiteVisitor`2.VisitCallSiteMain(ServiceCallSite callSite, TArgument argument)
CallSiteRuntimeResolver.VisitRootCache(ServiceCallSite callSite, RuntimeResolverContext context)
CallSiteVisitor`2.VisitCallSite(ServiceCallSite callSite, TArgument argument)
CallSiteRuntimeResolver.VisitConstructor(ConstructorCallSite constructorCallSite, RuntimeResolverContext context)
CallSiteVisitor`2.VisitCallSiteMain(ServiceCallSite callSite, TArgument argument)
CallSiteRuntimeResolver.VisitRootCache(ServiceCallSite callSite, RuntimeResolverContext context)
CallSiteVisitor`2.VisitCallSite(ServiceCallSite callSite, TArgument argument)
CallSiteRuntimeResolver.VisitConstructor(ConstructorCallSite constructorCallSite, RuntimeResolverContext context)
CallSiteVisitor`2.VisitCallSiteMain(ServiceCallSite callSite, TArgument argument)
<4 more frames...>
CallSiteRuntimeResolver.VisitRootCache(ServiceCallSite callSite, RuntimeResolverContext context)
CallSiteVisitor`2.VisitCallSite(ServiceCallSite callSite, TArgument argument)
CallSiteRuntimeResolver.Resolve(ServiceCallSite callSite, ServiceProviderEngineScope scope)
ServiceProvider.CreateServiceAccessor(Type serviceType)
ConcurrentDictionary`2.GetOrAdd(TKey key, Func`2 valueFactory)
ServiceProvider.GetService(Type serviceType, ServiceProviderEngineScope serviceProviderEngineScope)
ServiceProvider.GetService(Type serviceType)
ServiceProviderServiceExtensions.GetService[T](IServiceProvider provider)
Host.StartAsync(CancellationToken cancellationToken)
WebFixture.InitializeAsync() line 63
Open result log
2) Get.Caa.IntegrationsApp.Test.Integration.CreateObjectWorkflowTests.CreateObjectWorkflowTests.ValidBody_ReturnCompleteNa
Duration: 1 ms
Message:
[Test Collection Cleanup Failure (InMemory Web collection)]: System.NullReferenceException : Object reference not set to an instance of an object.
Stack Trace:
WebFixture.DisposeAsync() line 70
Open test log
我不确定是否必须使用 Refit 来调用 Azure 函数?
using Refit;
namespace Get.Caa.IntegrationsApp.Test.Integration.Clients;
public interface ICreateObjectWorkflowClient
{
[Post("/api/CreateObject/")]
Task<object> Run(Dictionary<string, object> input);
}
我不确定是否必须使用 _httpClient 进行集成测试?
[Collection(WebCollection.Collection)]
[Trait("Category", "Integration")]
public class CreateObjectWorkflowTests
{
private readonly ICreateObjectWorkflowClient _httpClient;
public CreateObjectWorkflowTests(WebFixture fixture)
{
_httpClient = RestService.For<ICreateObjectWorkflowClient>(fixture.Client, new RefitSettings
{
ContentSerializer = new NewtonsoftJsonContentSerializer(
new JsonSerializerSettings
{
ContractResolver = new CamelCasePropertyNamesContractResolver()
})
});
}
[Theory]
[JsonFileData(@".\Integration\CreateObjectWorkflowTests\Data\Customer.json", typeof(JObject), typeof(JObject))]
public async Task ValidBody_ReturnCompleteNa(JObject data, JObject result)
{
// Arrange
var entityList = data["entityList"]!;
// Act
var input = new Dictionary<string, object> { { "Body", entityList.ToString() } };
var output = await _httpClient.Run(input) as List<Response>;
// Assert
Assert.Single(output!);
Assert.Equal("Na", output![0].Completed);
Assert.Equal(0, output![0].Errors.Count);
Assert.Equal(1, output![0].Ids.Count);
Assert.Null(output![0].ResponseStatus);
Assert.Equal(result, result);
}
}
我不确定是否必须使用 IAsyncLifetime 进行集成测试?
namespace Get.Caa.IntegrationsApp.Test.Integration.Fixtures;
[CollectionDefinition(Collection)]
public class WebCollection : ICollectionFixture<WebFixture>
{
public const string Collection = "InMemory Web collection";
}
public class WebFixture : IAsyncLifetime
{
internal IHost Host;
internal IServiceProvider ServiceProvider;
internal HttpClient Client;
public async Task InitializeAsync()
{
var environment = "Test";
var fileInfo = new FileInfo(Assembly.GetExecutingAssembly().Location);
string dirPath = fileInfo.Directory!.FullName;
var path = @$"{dirPath}/Appsettings/";
path = @"D:\AzureIntegrationsApp\bin\Debug\net6.0\Appsettings\";
Host = Microsoft.Extensions.Hosting.Host.CreateDefaultBuilder()
.ConfigureAppConfiguration(builder =>
{
builder
.SetBasePath(path)
.AddJsonFile(Path.Combine(path, $"appsettings.json"), optional: false, reloadOnChange: false)
.AddJsonFile(Path.Combine(path, $"appsettings.{environment}.json"), optional: false, reloadOnChange: false)
.AddJsonFile(Path.Combine(path, $"appsettings.{environment}.Health.json"), optional: false, reloadOnChange: false)
.AddJsonFile(Path.Combine(path, $"appsettings.{environment}.AzureApp.json"), optional: false, reloadOnChange: false)
.AddEnvironmentVariables();
var config = builder.Build();
})
.ConfigureFunctionsWorkerDefaults(worker =>
{
worker.UseNewtonsoftJson();
worker.UseMiddleware<ExceptionLoggingMiddleware>();
})
.ConfigureWebHostDefaults(x =>
{
x.UseTestServer();
x.UseStartup<Internal.Startup>();
}).Build();
await Host.StartAsync();
ServiceProvider = Host.Services;
Client = Host.GetTestClient();
}
public async Task DisposeAsync()
{
Client.Dispose();
await Host.StopAsync();
Host.Dispose();
}
}
我不确定是否必须使用自定义启动进行集成测试?
namespace Get.Caa.IntegrationsApp.Test.Integration.Internal
{
internal class Startup
{
public Startup(IConfiguration configuration) => Configuration = configuration;
private IConfiguration Configuration { get; }
public void ConfigureServices(IServiceCollection s)
{
s.AddAppSettingsOption<AppSettings>();
s.AddAppSettingsOption<AzureIntegrationsAppSettingsConfiguration>();
s.AddAppSettingsOption<HealthServiceConfiguration>("HealthServiceConfiguration");
var serviceProvider = s.BuildServiceProvider();
var options = serviceProvider.GetRequiredService<IOptions<AppSettings>>().Value;
//var healthOptions = serviceProvider.GetRequiredService<IOptions<HealthServiceConfiguration>>().Value;
//s.AddIntegrationApp($"{healthOptions.ServiceInfo.ApplicationUrl}/api");
//healthOptions.AddEnvironmentVariables();
//s.AddHealthCheck(options, healthOptions);
s.AddRedisCache(options);
s.AddAzureServiceBus(options.ServiceBusConnectionString);
s.AddSignalRService();
s.AddSingleton<INoSqlDatabase>(new CosmosNoSqlDatabase(options.CosmosDbEndpoint, options.CosmosDbPrimaryKey, options.DatabaseName));
s.AddIntegrationAppLifeCycle();
s.AddSerilog();
}
public void Configure(IApplicationBuilder app)
{
app.UseRouting();
app.UseEndpoints(endpoints =>
{
endpoints.MapControllers();
});
}
}
}
最佳答案
有一个开源库Corvus.Testing.AzureFunctions可用于在 Azure Functions 上执行集成测试。我在 xUnit 测试项目中复制了完整的库,并创建了 2 个类来启动和测试 Azure Function CreateObject
。以下是这些类:
该类主要设置测试日志位置和azure函数位置。它还启动并停止函数宿主环境。
public class CreateObjectFixture : IAsyncLifetime
{
private readonly FunctionsController function;
public CreateObjectFixture(IMessageSink output)
{
ILogger logger = new LoggerFactory()
.AddSerilog(
new LoggerConfiguration()
.WriteTo.File(@$"C:\temp\{this.GetType().FullName}.log")
.WriteTo.TestOutput(output)
.MinimumLevel.Debug()
.CreateLogger())
.CreateLogger("CreateObject Tests");
this.function = new FunctionsController(logger);
}
public int Port => 7071;
public async Task InitializeAsync()
{
await this.function.StartFunctionsInstance(
@"Get.Caa.AzureIntegrationsApp",
this.Port,
"net6.0");
}
public Task DisposeAsync()
{
this.function.TeardownFunctions();
return Task.CompletedTask;
}
}
此类使用fixture启动主机环境并向azure函数CreateObject
发送POST请求。我也用过xUnitHelper用于轻松处理 JSON 文件的库。
[Trait("Category", "Integration")]
public class CreateObjectTests : IClassFixture<CreateObjectFixture>
{
private readonly CreateObjectFixture _fixture;
private readonly HttpClient _httpClient;
public CreateObjectTests(CreateObjectFixture fixture)
{
this._fixture = fixture;
this._httpClient = new HttpClient();
}
private int Port => _fixture.Port;
private string Uri => $"http://localhost:{this.Port}/CreateObject";
[Theory]
[JsonFileData(@".\Integration\CreateObjectTests\Data\Customer.json", typeof(JObject), typeof(JObject))]
public async Task ValidBody_ReturnCompleteNa(JObject data, JObject result)
{
// Arrange
var entityList = data["entityList"]!;
var input = new Dictionary<string, object> { { "Body", entityList.ToString() } };
var requestBody = new StringContent(
JObject.FromObject(input).ToString(Formatting.None),
Encoding.UTF8,
"application/json");
// Act
var output = await this._httpClient.PostAsync(Uri, requestBody).ConfigureAwait(false);
// Assert
Assert.NotNull(output);
}
}
关于c# - 如何在Azure Function上执行基于xUnit的集成测试?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/73958847/
似乎有很多方法可以在 Azure 中自动使用 PowerShell。由于 ARM 模板是最新的,Azure 中的其他 PowerShell 选项是否已过时?这些工具/脚本之间有什么区别: Azure
我正在开发一个将托管在 Azure 中的 Web API。我想使用 Azure 诊断将错误记录到 Azure 表存储中。在经典门户中,我可以将日志配置为转到 Azure 表存储。 Classic Po
Azure 文件存储事件可以触发 Azure WebJob 或 Azure Function 吗? 例如,在文件夹“/todo/”中创建文件时。 最佳答案 我们目前没有任何 Azure 文件绑定(bi
我需要创建一个逻辑应用程序,我的要求是,我需要从 azure data Lake Gen2 文件夹迁移 json 文件,并根据某些值需要将该 json 转换为 xml,然后将其发送到 SQL。 因此,
我使用 VS Code 创建了 1 个 node.js 和 1 个 java Azure Function 当我使用 VS Code 将这两个函数部署到 Azure 时,我最终获得了这么多 Azure
收集 Azure 诊断数据时,暂存槽是否也会将诊断数据发送到 WadPerformanceCounters 表? 如果是这样,我该如何关闭它?或者在阅读诊断信息时如何区分暂存/生产。 我不想显示有关我
您好,我是 Azure 的新手。我有 VS 2012 和 Azure SDK 2.1,当我使用模拟器运行我的 Web 应用程序时一切正常。但是当我在 azure 上部署时出现错误消息: Could n
我很难区分 Azure 订阅和 Azure 租户有何不同?我尝试使用示例来弄清楚,但每次我得出的结论是它们在某种程度上是相同的?如果租户是组织在注册 Microsoft 云服务时接收并拥有的 Azur
如果我想在 Azure Insights 中设置自定义指标集合,并以(近)实时的方式可视化其中一些指标,并查看聚合的历史数据,我应该使用 Azure Metrics Explorer 还是 Azure
我想了解具有以下配置的 Azure 数据工厂 (ADF) 的现实示例/用例: Azure 集成运行时 (AIR) 默认值 自托管集成运行时(SHIR) 其他问题: 这两种配置(AIR 和 SHIR)是
请参阅下面来自 Azure 服务总线的指标。想要识别请求数量中的背景噪音|流量较低时的响应。假设振荡请求| session 中 amqp 握手的响应是潜在的。只是不明白这是什么类型的握手?从总线接收的
此问题与 Azure 事件中心和 Azure 服务总线之间的区别无关。 问题如下: 如果您将Azure Events Hub添加到您的应用程序中,那么您会注意到它依赖于Azure Service Bu
这两个事情是完全不同的,还是它们能完成的事情大致相同/相似? 最佳答案 Azure 辅助角色是“应用程序场”中您自己的一组虚拟机。您可以以分布式方式在它们上运行任何代码。通常,您编写业务代码以在这些服
我目前正在使用 Windows Azure 虚拟机来运行 RStudio, 我的虚拟机是 Windows Server R2 2012,它是 Azure 上的一项附加服务。 我还有一个 Azure 存
我们正在寻找托管一个网站(一些 css、js、一个 html 文件,但不是 aspx、一个通用处理程序)。 我们部署为: 1) Azure 网站 2) Azure 云服务 两种解决方案都有效。但有一个
我想从 Azure 表创建 blob。 AzCopy 支持此功能,但我找不到任何说明数据移动 API 也支持它的文档。此选项可用吗? https://azure.microsoft.com/en-us
This article表示 Azure 订阅所有者有权访问订阅中的所有资源。但是,要访问 Azure 数据库,必须是数据库中的用户,或者是 Azure Admin AD 组的成员。 无论 SQL 安
我尝试使用以下代码将 XML 文件上传到 Azure FTP 服务器: https://www.c-sharpcorner.com/article/upload-and-download-files-
除了 Azure 服务总线使用主题而 Azure 事件中心基于事件 - Azure 事件中心和 Azure 服务总线之间是否有任何根本区别? 对我来说,事件和消息之间没有真正的区别,因为两者只是不同类
我有一个通过虚拟网络网关连接到 Azure 虚拟网络的 Windows VPN 客户端。目标#1 是使用其内部 IP 地址连接到我的虚拟机。这有效。 第二个目标是使用其内部计算机名称进行连接(因为 I
我是一名优秀的程序员,十分优秀!