我试图为一个类(在.net Core项目中)编写一个xunit测试,看起来像是:
public Class FoodStore:IFoodStore
{
FoodList foodItems;
public FoodStore(IOptions<FoodList> foodItems)
{
this.foodItems = foodItems;
}
public bool IsFoodItemPresentInList(string foodItemId)
{
//Logic to search from Food List
}
}`
注意:FoodList
实际上是一个包含数据的json文件,它在Startup类中加载和配置。
如何编写带有适当依赖注入的xunit测试来测试IsFoodItemPresentInList
方法?
答案 0 :(得分:7)
您可以使用OptionsWrapper<T>
类伪造您的配置。然后,您可以将此对象传递给您要测试的类。这样你就不必使用DI或阅读真实的配置。
这样的事情:
var myConfiguration = new OptionsWrapper<MyConfiguration>(new MyConfiguration
{
SomeConfig = "SomeValue"
});
var yourClass = new YourClass(myConfiguration);
答案 1 :(得分:4)
我遇到过类似的问题(使用xUnit),经过一番努力,我把它解决了。
答案是这么晚,但应该对其他人有所帮助。
对于你的问题:
public Class FoodStoreTest
{
private readonly IConfigurationRoot _configuration;
private readonly IServiceProvider _serviceProvider;
public FoodStoreTest(){
// read Json
var configBuilder = new ConfigurationBuilder()
.AddJsonFile("appsettings.json", optional: true, reloadOnChange: true)
.AddEnvironmentVariables();
_configuration = configBuilder.Build();
// SetUp DI
var services = new ServiceCollection();
services.AddOptions(); // this statement is required if you wanna use IOption Pattern.
services.Configure<YuntongxunOptions>(_configuration.GetSection("yuntongxun"));
_serviceProvider = services.BuildServiceProvider();
}
[Fact]
public void GetFootItemOption()
{
IOption<FoodList> optionAccessor = _serviceProvider.GetService<IOptions<FoodList>>();
FoodList footListOptions = optionAccessor.value;
Assert.NotNull(footListOptions)
// ...
}
}
另外,你应该复制&#34; appSettings.json&#34;到您的项目根文件夹。
答案 2 :(得分:3)
在单元测试中,您通常不使用依赖注入,因为它是您控制测试对象创建的人。
要提供实现IOptions<FoodList>
的合适对象,您可以自己实现具有所需行为的假类,或者使用一些模拟框架动态配置实例,例如Moq。
答案 3 :(得分:3)
您可以使用IOptions<FoodList>
方法创建Options.Create
的实例:
var foodListOptions = Options.Create(new FoodList());
答案 4 :(得分:1)
正如其他答案所示,在测试类中,您可以创建一个仅用于测试的选项实例。
你可以这样做;
public class FakeFoodList : IOptions<FoodList>
{
public FoodList Value
{
get
{
return new FoodList(); // TODO: Add your settings for test here.
}
}
}
然后像这样称呼它;
var foodOptions = new FakeFoodList();
var foodStore = new FoodStore(foodOptions);
var response = foodStore.Act();
Assert.Equal("whatever", response);