J'ai une interface définie comme
interface IMath
{
AddNumbersBetween(int lowerVal, int upperVal);
}
Je peux configurer un Moq de base pour ce qui précède comme suit:
Mock<IMath> mock = new Mock<IMath>();
mock.Setup(m => m.AddNumbersBetween(It.IsAny<int>(), It.IsAny<int>()));
appeler
mock.Object.AddNumbersBetween(1,4);
puis vérifiez qu'il a été appelé
mock.Verify(m => m.AddNumbersBetween(1,4), Times.AtleastOnce());
Je ne peux pas comprendre comment configurer la méthode AddNumbersBetween de telle sorte que si le upperVal est inférieur au lowerVal, une exception est levée
mock.Object.AddNumbersBetween(4,1);//should throw an exception
Recherche essentiellement quelque chose comme:
mock.Setup(foo => foo.AddNumbersBetween("arg1 is higher than arg2")).Throws<ArgumentException>();
Je sais que cela fait un an, mais j'ai trouvé un moyen d'utiliser plusieurs paramètres avec au moins la dernière version de Moq:
mock.Setup(x => x.Method(It.IsAny<int>(), It.IsAny<int>()))
.Returns<int, int>((a, b) => a < b);
Pour les méthodes à argument unique, la manière la plus propre serait:
mock.Setup(foo => foo.Submit(IsLarge())).Throws<ArgumentException>();
...
public string IsLarge()
{
return Match<string>.Create(s => !String.IsNullOrEmpty(s) && s.Length > 100);
}
Cela ne peut pas être appliqué si la méthode a plusieurs arguments. Il existe toujours une solution de contournement qui pourrait être utilisée, qui imite ce que vous voulez réaliser:
/// <summary>
/// Tests if a moq can send an exception with argument checking
///</summary>
[TestMethod]
public void TestException()
{
Mock<IMath> mock = new Mock<IMath>();
mock.Setup(m => m.AddNumbersBetween(It.IsAny<int>(), It.IsAny<int>()));
mock.Setup(foo => foo.AddNumbersBetween(It.IsAny<int>(), It.IsAny<int>()))
.Callback<int, int>((i, j) => CheckArgs(i, j));
try
{
mock.Object.AddNumbersBetween(1, 2);
}
catch (Exception ex)
{
// Will not enter
Console.WriteLine("Exception raised: {0}", ex);
}
try
{
mock.Object.AddNumbersBetween(2, 1);
}
catch (Exception ex)
{
// Will enter here, exception raised
Console.WriteLine("Exception raised: {0}", ex);
}
}
private bool CheckArgs(int i, int j)
{
if( i > j)
throw new ArgumentException();
return true;
}