Hi,
Duck typing feature supports instance methods only. The swap expects an object to route the calls from. In the example you posted, the object is System.RuntimeType of the StaticClass, therefor the error about swapping an MsCorLib type (this is the result of typeof operator).
You can route static calls using the DoInstead feature. For example:
public class Original
{
public static void AddNumber(IList<int> number)
{
// RealCode
number.Add(1);
}
}
public class Target
{
public static void FirstAction(IList<int> number)
{
// Swapped Code
number.Add(2);
}
}
[TestMethod]
public void SwapStaticMethod()
{
Isolate.WhenCalled(() => Original.AddNumber(null))
.DoInstead(context => Target.FirstAction(context.Parameters[0] as IList<int>));
var numbers = new List<int>();
Original.AddNumber(numbers);
Assert.AreEqual(2, numbers[0]);
}
If all you want is to verify the order of calls, you can do it using the DoInstead functionality as well. For example:
public class Logger
{
public static void Log()
{
// Log logic...
}
}
public class ValueObject
{
public int Value { get; set;}
}
public class ClassUnderTest
{
public void SetAndLog(ValueObject valueObject)
{
valueObject.Value = 5;
Logger.Log();
}
}
[TestMethod]
public void VerifyStaticMethodWasCalledAfterPropertySet()
{
bool wasSetterCalled = false;
bool wasLogCalledBeforeSetter = false;
Isolate.WhenCalled(() => Logger.Log())
.DoInstead(context => wasLogCalledBeforeSetter = !wasSetterCalled);
var fake = Isolate.Fake.Instance<ValueObject>();
Isolate.WhenCalled(() => { fake.Value = 0; })
.DoInstead(context => wasSetterCalled = true);
var underTest = new ClassUnderTest();
underTest.SetAndLog(fake);
Assert.IsFalse(wasLogCalledBeforeSetter);
}
Please let me know if it helps.
Regards,
Elisha
Typemock Support Team