.Netコアユニットテスト-モックIOptions <T>


137

ここには本当に明らかなものが欠けているように感じます。.Net Core IOptionsパターン(?)を使用してオプションを挿入する必要があるクラスがあります。そのクラスのユニットテストに行くとき、クラスの機能を検証するオプションのさまざまなバージョンを模擬したいと思います。スタートアップクラスの外でIOptionsを正しくモック/インスタンス化/設定する方法を知っている人はいますか?

ここに私が取り組んでいるクラスのいくつかのサンプルがあります:

設定/オプションモデル

using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;

namespace OptionsSample.Models
{
    public class SampleOptions
    {
        public string FirstSetting { get; set; }
        public int SecondSetting { get; set; }
    }
}

設定を使用するテストされるクラス:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using OptionsSample.Models
using System.Net.Http;
using Microsoft.Extensions.Options;
using System.IO;
using Microsoft.AspNetCore.Http;
using System.Xml.Linq;
using Newtonsoft.Json;
using System.Dynamic;
using Microsoft.Extensions.Logging;

namespace OptionsSample.Repositories
{
    public class SampleRepo : ISampleRepo
    {
        private SampleOptions _options;
        private ILogger<AzureStorageQueuePassthru> _logger;

        public SampleRepo(IOptions<SampleOptions> options)
        {
            _options = options.Value;
        }

        public async Task Get()
        {
        }
    }
}

他のクラスとは異なるアセンブリでの単体テスト:

using OptionsSample.Repositories;
using OptionsSample.Models;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using Xunit;
using Microsoft.Extensions.Logging;
using Microsoft.AspNetCore.Http;
using Microsoft.Extensions.Options;
using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Configuration;

namespace OptionsSample.Repositories.Tests
{
    public class SampleRepoTests
    {
        private IOptions<SampleOptions> _options;
        private SampleRepo _sampleRepo;


        public SampleRepoTests()
        {
            //Not sure how to populate IOptions<SampleOptions> here
            _options = options;

            _sampleRepo = new SampleRepo(_options);
        }
    }
}

1
あなたが模倣しようとしているブロックの小さなコード例を提供できますか?ありがとう!
AJ X.

モックの意味を混乱させていませんか?インターフェイスをモックし、指定した値を返すように構成します。以下のためにIOptions<T>あなただけのモックする必要がValueあなたが望むクラス返すために
ツェン

回答:


253

IOptions<SampleOptions>オブジェクトを手動で作成してデータを設定する必要があります。Microsoft.Extensions.Options.Optionsヘルパークラスを介して行うことができます。例えば:

IOptions<SampleOptions> someOptions = Options.Create<SampleOptions>(new SampleOptions());

あなたはそれを少し簡単にすることができます:

var someOptions = Options.Create(new SampleOptions());

もちろん、これはそのままではあまり役に立ちません。実際にSampleOptionsオブジェクトを作成して入力し、それをCreateメソッドに渡す必要があります。


Moqの使い方などを示す追加の回答はすべてありがたいですが、この回答は非常に単純なので、私が使用しているのは間違いありません。そしてそれは素晴らしい働きをします!
grahamesd

すばらしい答えです。モックフレームワークに依存するよりもはるかに単純です。
クリスローレンス

2
ありがとう。私はnew OptionsWrapper<SampleOptions>(new SampleOptions());どこでも書くことにうんざりしていた
BritishDeveloper

59

コメントの@TSengで示されているモッキングフレームワークを使用する場合は、project.jsonファイルに次の依存関係を追加する必要があります。

   "Moq": "4.6.38-alpha",

依存関係が復元されたら、MOQフレームワークの使用は、SampleOptionsクラスのインスタンスを作成して、それを前述のようにValueに割り当てるのと同じくらい簡単です。

以下は、コードの概要です。

SampleOptions app = new SampleOptions(){Title="New Website Title Mocked"}; // Sample property
// Make sure you include using Moq;
var mock = new Mock<IOptions<SampleOptions>>();
// We need to set the Value of IOptions to be the SampleOptions Class
mock.Setup(ap => ap.Value).Returns(app);

モックがセットアップされたら、モックオブジェクトをコントラクターに渡すことができます。

SampleRepo sr = new SampleRepo(mock.Object);   

HTH。

ちなみにGithub / patvin80でこれら2つのアプローチの概要を説明したgitリポジトリがあります。


これは受け入れられる答えであるはずです、それは完全に機能します。
alessandrocb

これが私にとってうまくいったことを本当に願っていますが、うまくいきません:( Moq 4.13.1
kanpeki

21

MOQの使用をまったく回避できます。テストの.json構成ファイルで使用します。多くのテストクラスファイル用の1つのファイル。ConfigurationBuilderこの場合は問題なく使用できます。

appsetting.jsonの例

{
    "someService" {
        "someProp": "someValue
    }
}

設定マッピングクラスの例:

public class SomeServiceConfiguration
{
     public string SomeProp { get; set; }
}

テストに必要なサービスの例:

public class SomeService
{
    public SomeService(IOptions<SomeServiceConfiguration> config)
    {
        _config = config ?? throw new ArgumentNullException(nameof(_config));
    }
}

NUnitテストクラス:

[TestFixture]
public class SomeServiceTests
{

    private IOptions<SomeServiceConfiguration> _config;
    private SomeService _service;

    [OneTimeSetUp]
    public void GlobalPrepare()
    {
         var configuration = new ConfigurationBuilder()
            .SetBasePath(Directory.GetCurrentDirectory())
            .AddJsonFile("appsettings.json", false)
            .Build();

        _config = Options.Create(configuration.GetSection("someService").Get<SomeServiceConfiguration>());
    }

    [SetUp]
    public void PerTestPrepare()
    {
        _service = new SomeService(_config);
    }
}

これはうまくいきました、乾杯!非常にシンプルに見えて、自分のオプションに構成設定を取り込もうとは思わないようなものにMoqを使用したくありませんでした。
ハリー・

3
うまく機能しますが、欠落している重要な情報は、Microsoft.Extensions.Configuration.Binder nugetパッケージを含める必要があるということです。そうしないと、「Get <SomeServiceConfiguration>」拡張メソッドを利用できません。
キネティック

これを機能させるには、dotnet add package Microsoft.Extensions.Configuration.Jsonを実行する必要がありました。正解です。
Leonardo Wildt

1
Directory.GetCurrentDirectory()がbinファイルのコンテンツを返していたため、binsettingファイルでファイルを使用するようにappsettings.jsonファイルのプロパティも変更する必要がありました。appsettings.jsonの「出力ディレクトリにコピー」で、値を「新しい場合はコピー」に設定しました。
bpz

14

次のようにPerson依存する所定のクラスPersonSettings

public class PersonSettings
{
    public string Name;
}

public class Person
{
    PersonSettings _settings;

    public Person(IOptions<PersonSettings> settings)
    {
        _settings = settings.Value;
    }

    public string Name => _settings.Name;
}

IOptions<PersonSettings>Person次のようにモックしてテストすることができます:

[TestFixture]
public class Test
{
    ServiceProvider _provider;

    [OneTimeSetUp]
    public void Setup()
    {
        var services = new ServiceCollection();
        // mock PersonSettings
        services.AddTransient<IOptions<PersonSettings>>(
            provider => Options.Create<PersonSettings>(new PersonSettings
            {
                Name = "Matt"
            }));
        _provider = services.BuildServiceProvider();
    }

    [Test]
    public void TestName()
    {
        IOptions<PersonSettings> options = _provider.GetService<IOptions<PersonSettings>>();
        Assert.IsNotNull(options, "options could not be created");

        Person person = new Person(options);
        Assert.IsTrue(person.Name == "Matt", "person is not Matt");    
    }
}

明示的にctorに渡す代わりにに注入IOptions<PersonSettings>するPersonには、次のコードを使用します。

[TestFixture]
public class Test
{
    ServiceProvider _provider;

    [OneTimeSetUp]
    public void Setup()
    {
        var services = new ServiceCollection();
        services.AddTransient<IOptions<PersonSettings>>(
            provider => Options.Create<PersonSettings>(new PersonSettings
            {
                Name = "Matt"
            }));
        services.AddTransient<Person>();
        _provider = services.BuildServiceProvider();
    }

    [Test]
    public void TestName()
    {
        Person person = _provider.GetService<Person>();
        Assert.IsNotNull(person, "person could not be created");

        Assert.IsTrue(person.Name == "Matt", "person is not Matt");
    }
}

有用なものは何もテストしていません。DI myのフレームワークは、すでにユニットテストされています。現状では、これは実際には統合テスト(サードパーティのフレームワークとの統合)です。
Erik Philips

2
@ErikPhilips私のコードは、OPからの要求に応じてIOptions <T>をモックする方法を示しています。それ自体は有用なものを何もテストしないことに同意しますが、何か他のものをテストするのに役立つ可能性があります。
フランクレム

13

オプションは常にOptions.Create()で作成でき、テストするリポジトリのモックインスタンスを実際に作成する前にAutoMocker.Use(options)を使用するだけで済みます。AutoMocker.CreateInstance <>()を使用すると、パラメーターを手動で渡さなくてもインスタンスを簡単に作成できます

達成したいと思う動作を再現できるように、SampleRepoを少し変更しました。

public class SampleRepoTests
{
    private readonly AutoMocker _mocker = new AutoMocker();
    private readonly ISampleRepo _sampleRepo;

    private readonly IOptions<SampleOptions> _options = Options.Create(new SampleOptions()
        {FirstSetting = "firstSetting"});

    public SampleRepoTests()
    {
        _mocker.Use(_options);
        _sampleRepo = _mocker.CreateInstance<SampleRepo>();
    }

    [Fact]
    public void Test_Options_Injected()
    {
        var firstSetting = _sampleRepo.GetFirstSetting();
        Assert.True(firstSetting == "firstSetting");
    }
}

public class SampleRepo : ISampleRepo
{
    private SampleOptions _options;

    public SampleRepo(IOptions<SampleOptions> options)
    {
        _options = options.Value;
    }

    public string GetFirstSetting()
    {
        return _options.FirstSetting;
    }
}

public interface ISampleRepo
{
    string GetFirstSetting();
}

public class SampleOptions
{
    public string FirstSetting { get; set; }
}

8

Mockを必要としないが、代わりにOptionsWrapperを使用する別の簡単な方法を次に示します。

var myAppSettingsOptions = new MyAppSettingsOptions();
appSettingsOptions.MyObjects = new MyObject[]{new MyObject(){MyProp1 = "one", MyProp2 = "two", }};
var optionsWrapper = new OptionsWrapper<MyAppSettingsOptions>(myAppSettingsOptions );
var myClassToTest = new MyClassToTest(optionsWrapper);

2

私のシステムおよび統合テストでは、テストプロジェクト内に構成ファイルのコピー/リンクを配置することを好みます。次に、ConfigurationBuilderを使用してオプションを取得します。

using System.Linq;
using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.DependencyInjection;

namespace SomeProject.Test
{
public static class TestEnvironment
{
    private static object configLock = new object();

    public static ServiceProvider ServiceProvider { get; private set; }
    public static T GetOption<T>()
    {
        lock (configLock)
        {
            if (ServiceProvider != null) return (T)ServiceProvider.GetServices(typeof(T)).First();

            var builder = new ConfigurationBuilder()
                .AddJsonFile("config/appsettings.json", optional: false, reloadOnChange: true)
                .AddEnvironmentVariables();
            var configuration = builder.Build();
            var services = new ServiceCollection();
            services.AddOptions();

            services.Configure<ProductOptions>(configuration.GetSection("Products"));
            services.Configure<MonitoringOptions>(configuration.GetSection("Monitoring"));
            services.Configure<WcfServiceOptions>(configuration.GetSection("Services"));
            ServiceProvider = services.BuildServiceProvider();
            return (T)ServiceProvider.GetServices(typeof(T)).First();
        }
    }
}
}

このようにして、TestProject内のあらゆる場所で構成を使用できます。単体テストでは、説明したpatvin80のようなMOQの使用を好みます。


1

Alehaに同意します。testSettings.json構成ファイルを使用する方が良いでしょう。そして、IOptionを注入する代わりに、クラスコンストラクターに実際のSampleOptionsを単に注入することができます。クラスをユニットテストするときは、フィクスチャで、またはテストクラスコンストラクターだけで次のように実行できます。

   var builder = new ConfigurationBuilder()
  .AddJsonFile("testSettings.json", true, true)
  .AddEnvironmentVariables();

  var configurationRoot = builder.Build();
  configurationRoot.GetSection("SampleRepo").Bind(_sampleRepo);
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.