Moq Quickstart

来源:互联网 发布:编程语言qt 编辑:程序博客网 时间:2024/06/10 06:07
Moq is intended to be simple to use, strong typed (no magic strings!, and therefore full compiler-verified and refactoring-friendly) and minimalistic (while still fully functional!).

Linq to Mocks

Moq is the one and only mocking framework that allows specifying mock behavior via declarative specification queries. You can think of Linq to Mocks as:from the universe of mocks, get me one/those that behave like this (by Fernando Simonazzi)

Keep that query form in mind when reading the specifications:

var services = Mock.Of<IServiceProvider>(sp =>    sp.GetService(typeof(IRepository)) == Mock.Of<IRepository>(r => r.IsAuthenticated == true) &&    sp.GetService(typeof(IAuthentication)) == Mock.Of<IAuthentication>(a => a.AuthenticationType == "OAuth"));// Multiple setups on a single mock and its recursive mocksControllerContext context = Mock.Of<ControllerContext>(ctx =>     ctx.HttpContext.User.Identity.Name == "kzu" &&     ctx.HttpContext.Request.IsAuthenticated == true &&     ctx.HttpContext.Request.Url == new Uri("http://moqthis.com") &&     ctx.HttpContext.Response.ContentType == "application/xml");// Setting up multiple chained mocks:var context = Mock.Of<ControllerContext>(ctx =>     ctx.HttpContext.Request.Url == new Uri("http://moqthis.me") &&     ctx.HttpContext.Response.ContentType == "application/xml" &&     // Chained mock specification     ctx.HttpContext.GetSection("server") == Mock.Of<ServerSection>(config =>         config.Server.ServerUrl == new Uri("http://moqthis.com/api"));

Linq to Mocks is great for quickly stubbing out dependencies that typically don't need further verification. If you do need to verify later some invocation on those mocks, you can easily retrieve them withMock.Get(instance).

Traditional imperative mocking is also fully supported.

Methods

var mock = new Mock<IFoo>();mock.Setup(foo => foo.DoSomething("ping")).Returns(true);// out argumentsvar outString = "ack";// TryParse will return true, and the out argument will return "ack", lazy evaluatedmock.Setup(foo => foo.TryParse("ping", out outString)).Returns(true);// ref argumentsvar instance = new Bar();// Only matches if the ref argument to the invocation is the same instancemock.Setup(foo => foo.Submit(ref instance)).Returns(true);// access invocation arguments when returning a valuemock.Setup(x => x.DoSomething(It.IsAny<string>())).Returns((string s) => s.ToLower());// Multiple parameters overloads available// throwing when invokedmock.Setup(foo => foo.DoSomething("reset")).Throws<InvalidOperationException>();mock.Setup(foo => foo.DoSomething("")).Throws(new ArgumentException("command");// lazy evaluating return valuemock.Setup(foo => foo.GetCount()).Returns(() => count);// returning different values on each invocationvar mock = new Mock<IFoo>();var calls = 0;mock.Setup(foo => foo.GetCountThing()).Returns(() => calls).Callback(() => calls++);// returns 0 on first invocation, 1 on the next, and so onConsole.WriteLine(mock.Object.GetCountThing());

Matching Arguments

// any valuemock.Setup(foo => foo.DoSomething(It.IsAny<string>())).Returns(true);// matching Func<int>, lazy evaluatedmock.Setup(foo => foo.Add(It.Is<int>(i => i % 2 == 0))).Returns(true); // matching rangesmock.Setup(foo => foo.Add(It.IsInRange<int>(0, 10, Range.Inclusive))).Returns(true); // matching regexmock.Setup(x => x.DoSomething(It.IsRegex("[a-d]+", RegexOptions.IgnoreCase))).Returns("foo");

Properties

mock.Setup(foo => foo.Name).Returns("bar");// auto-mocking hierarchies (a.k.a. recursive mocks)mock.Setup(foo => foo.Bar.Baz.Name).Returns("baz");// expects an invocation to set the value to "foo"mock.SetupSet(foo => foo.Name = "foo");// or verify the setter directlymock.VerifySet(foo => foo.Name = "foo");

Setup a property so that it will automatically start tracking its value (also known as Stub):

// start "tracking" sets/gets to this propertymock.SetupProperty(f => f.Name);// alternatively, provide a default value for the stubbed propertymock.SetupProperty(f => f.Name, "foo");// Now you can do:IFoo foo = mock.Object;// Initial value was storedAssert.Equal("foo", foo.Name);// New value set which changes the initial valuefoo.Name = "bar";Assert.Equal("bar", foo.Name);
  • Stub all properties on a mock (not available on Silverlight):

    mock.SetupAllProperties();

Events

// Raising an event on the mockmock.Raise(m => m.FooEvent += null, new FooEventArgs(fooValue));// Raising an event on a descendant down the hierarchymock.Raise(m => m.Child.First.FooEvent += null, new FooEventArgs(fooValue));// Causing an event to raise automatically when Submit is invokedmock.Setup(foo => foo.Submit()).Raises(f => f.Sent += null, EventArgs.Empty);// The raised event would trigger behavior on the object under test, which // you would make assertions about later (how its state changed as a consequence, typically)// Raising a custom event which does not adhere to the EventHandler patternpublic delegate void MyEventHandler(int i, bool b);public interface IFoo{  event MyEventHandler MyEvent; }var mock = new Mock<IFoo>();...// Raise passing the custom arguments expected by the event delegatemock.Raise(foo => foo.MyEvent += null, 25, true);

Callbacks

var mock = new Mock<IFoo>();mock.Setup(foo => foo.Execute("ping")).Returns(true).Callback(() => calls++);// access invocation argumentsmock.Setup(foo => foo.Execute(It.IsAny<string>())).Returns(true).Callback((string s) => calls.Add(s));// alternate equivalent generic method syntaxmock.Setup(foo => foo.Execute(It.IsAny<string>())).Returns(true).Callback<string>(s => calls.Add(s));// access arguments for methods with multiple parametersmock.Setup(foo => foo.Execute(It.IsAny<int>(), It.IsAny<string>())).Returns(true).Callback<int, string>((i, s) => calls.Add(s));// callbacks can be specified before and after invocationmock.Setup(foo => foo.Execute("ping")).Callback(() => Console.WriteLine("Before returns")).Returns(true).Callback(() => Console.WriteLine("After returns"));

Verification

mock.Verify(foo => foo.Execute("ping"));// Verify with custom error message for failuremock.Verify(foo => foo.Execute("ping"), "When doing operation X, the service should be pinged always");// Method should never be calledmock.Verify(foo => foo.Execute("ping"), Times.Never());// Called at least oncemock.Verify(foo => foo.Execute("ping"), Times.AtLeastOnce());mock.VerifyGet(foo => foo.Name);// Verify setter invocation, regardless of value.mock.VerifySet(foo => foo.Name);// Verify setter called with specific valuemock.VerifySet(foo => foo.Name ="foo");// Verify setter with an argument matchermock.VerifySet(foo => foo.Value = It.IsInRange(1, 5, Range.Inclusive));

Customizing Mock Behavior

  • Make mock behave like a "true Mock", raising exceptions for anything that doesn't have a corresponding expectation: in Moq slang a "Strict" mock; default behavior is "Loose" mock, which never throws and returns default values or empty arrays, enumerables, etc. if no expectation is set for a member

    var mock = new Mock(MockBehavior.Strict);

  • Invoke base class implementation if no expectation overrides the member (a.k.a. "Partial Mocks" in Rhino Mocks): default is false. (this is required if you are mocking Web/Html controls in System.Web!)

    var mock = new Mock { CallBase = true };

  • Make an automatic recursive mock: a mock that will return a new mock for every member that doesn't have an expectation and whose return value can be mocked (i.e. it is not a value type)

var mock = new Mock<IFoo> { DefaultValue = DefaultValue.Mock };// default is DefaultValue.Empty// this property access would return a new mock of IBar as it's "mock-able"IBar value = mock.Object.Bar;// the returned mock is reused, so further accesses to the property return // the same mock instance. this allows us to also use this instance to // set further expectations on it if we wantvar barMock = Mock.Get(value);barMock.Setup(b => b.Submit()).Returns(true);

  • Centralizing mock instance creation and management: you can create and verify all mocks in a single place by using a MockFactory, which allows setting the MockBehavior, its CallBase and DefaultValue consistently
var factory = new MockFactory(MockBehavior.Strict) { DefaultValue = DefaultValue.Mock };// Create a mock using the factory settingsvar fooMock = factory.Create<IFoo>();// Create a mock overriding the factory settingsvar barMock = factory.Create<IBar>(MockBehavior.Loose);// Verify all verifiable expectations on all mocks created through the factoryfactory.Verify();

Miscellaneous

  • Setting expectations for protected members (you can't get intellisense for these, so you access them using the member name as a string):
// at the top of the test fixtureusing Moq.Protected()// in the testvar mock = new Mock<CommandBase>();mock.Protected()     .Setup<int>("Execute")     .Returns(5);// if you need argument matching, you MUST use ItExpr rather than It// planning on improving this for vNextmock.Protected()    .Setup<string>("Execute",        ItExpr.IsAny<string>())    .Returns(true);

Advanced Features

// get mock from a mocked instanceIFoo foo = // get mock instance somehowvar fooMock = Mock.Get(foo);fooMock.Setup(f => f.Submit()).Returns(true);// implementing multiple interfaces in mockvar foo = new Mock<IFoo>();var disposableFoo = foo.As<IDisposable>();// now the IFoo mock also implements IDisposable :)disposableFoo.Setup(df => df.Dispose());// custom matchersmock.Setup(foo => foo.Submit(IsLarge())).Throws<ArgumentException>();...public string IsLarge() {   return Match.Create<string>(s => !String.IsNullOrEmpty(s) && s.Length > 100);}

  • Mocking internal types of another project: add the following assembly attribute (typically to the AssemblyInfo.cs) to the project containing the internal types:

    // This assembly is the default dynamic assembly generated Castle DynamicProxy, // used by Moq. Paste in a single line. [assembly:InternalsVisibleTo("DynamicProxyGenAssembly2,PublicKey=0024000004800000940000000602000000240000525341310004000001000100c547cac37abd99c8db225ef2f6c8a3602f3b3606cc9891605d02baa56104f4cfc0734aa39b93bf7852f7d9266654753cc297e7d2edfe0bac1cdcf9f717241550e0a7b191195b7667bb4f64bcb8e2121380fd1d9d46ad2d92d2d15605093924cceaf74c4861eff62abf69b9291ed0a340e113be11e6a7d3113e92484cf7045cc7")]


Note: when you need to pass the mock for consumption, you must use themock.Object accessor as a consequence of a C# compiler restriction (vote to get it removed [https://connect.microsoft.com/VisualStudio/feedback/ViewFeedback.aspx?FeedbackID=318122 at Microsoft Connect])

原文地址:

https://github.com/Moq/moq4/wiki/Quickstart

0 0
原创粉丝点击