How to use Equals method of Telerik.JustMock.Core.DynamicProxyMockFactory class

Best JustMockLite code snippet using Telerik.JustMock.Core.DynamicProxyMockFactory.Equals

MocksRepository.cs

Source:MocksRepository.cs Github

copy

Full Screen

...214 equal = AreValueTypeObjectsInRegistryEqual(obj, otherObj);215 }216 catch217 {218 throw new MockException("Implementation of method Equals in value types must not throw for mocked instances.");219 }220 if (equal)221 return entry.Value;222 }223 }224 }225 else226 {227 IMockMixin result;228 externalReferenceMixinDatabase.TryGetValue(obj, out result);229 return result;230 }231 }232 return null;233 }234 private static bool AreTypesInRegistrySame(Type queryType, Type typeInRegistry)235 {236 if (queryType == typeInRegistry)237 return true;238 return false;239 }240 private static bool AreValueTypeObjectsInRegistryEqual(object queryObj, object objInRegistry)241 {242 return Object.Equals(queryObj, objInRegistry); // no guard - Object.Equals on a value type can't get intercepted243 }244 private MethodInfoMatcherTreeNode DeepCopy(MethodInfoMatcherTreeNode root)245 {246 var newRoot = (MethodInfoMatcherTreeNode)root.Clone();247 Queue<MatcherNodeAndParent> queue = new Queue<MatcherNodeAndParent>();248 foreach (var child in root.Children)249 queue.Enqueue(new MatcherNodeAndParent(child, newRoot));250 while (queue.Count > 0)251 {252 MatcherNodeAndParent current = queue.Dequeue();253 IMatcherTreeNode newCurrent = current.Node.Clone();254 foreach (IMatcherTreeNode node in current.Node.Children)255 {256 queue.Enqueue(new MatcherNodeAndParent(node, newCurrent));257 }258 current.Parent.Children.Add(newCurrent);259 newCurrent.Parent = current.Parent;260 }261 return newRoot;262 }263 private void CopyConfigurationFromParent()264 {265 this.arrangementTreeRoots.Clear();266 this.invocationTreeRoots.Clear();267 this.valueStore.Clear();268 this.controlledMocks.Clear();269 if (parentRepository != null)270 {271 foreach (var root in parentRepository.arrangementTreeRoots)272 {273 this.arrangementTreeRoots.Add(root.Key, DeepCopy(root.Value));274 }275 foreach (var root in parentRepository.invocationTreeRoots)276 {277 this.invocationTreeRoots.Add(root.Key, DeepCopy(root.Value));278 }279 foreach (var kvp in parentRepository.valueStore)280 {281 this.valueStore.Add(kvp.Key, kvp.Value);282 }283 foreach (WeakReference mockRef in parentRepository.controlledMocks)284 {285 IMockMixin mixin = GetMockMixinFromAnyMock(mockRef.Target);286 if (mixin != null)287 {288 mixin.Repository = this;289 this.controlledMocks.Add(mockRef);290 }291 }292 }293 }294 internal void Retire()295 {296 this.IsRetired = true;297 this.Reset();298 }299 internal void InterceptGlobally(MethodBase method)300 {301 if (this.globallyInterceptedMethods.Add(method))302 {303 ProfilerInterceptor.RegisterGlobalInterceptor(method, this);304 }305 }306 internal void Reset()307 {308 DebugView.TraceEvent(IndentLevel.Configuration, () => String.Format("Resetting mock repository related to {0}.", this.Method));309 foreach (var type in this.arrangedTypes)310 {311 ProfilerInterceptor.EnableInterception(type, false, this);312 }313 this.arrangedTypes.Clear();314 this.staticMixinDatabase.Clear();315 foreach (var method in this.globallyInterceptedMethods)316 {317 ProfilerInterceptor.UnregisterGlobalInterceptor(method, this);318 }319 this.globallyInterceptedMethods.Clear();320 lock (externalMixinDatabase)321 {322 foreach (WeakReference mockRef in this.controlledMocks)323 {324 IMockMixin mock = GetMockMixinFromAnyMock(mockRef.Target);325 if (mock != null && mock.ExternalizedMock != null && mock.Originator == this)326 {327 externalMixinDatabase.RemoveAll(kvp => kvp.Value == mock);328 externalReferenceMixinDatabase.Remove(mock.ExternalizedMock);329 }330 }331 }332 this.controlledMocks.Clear();333 this.CopyConfigurationFromParent();334 }335 internal void DispatchInvocation(Invocation invocation)336 {337 DebugView.TraceEvent(IndentLevel.DispatchResult, () => String.Format("Handling dispatch in repo #{0} servicing {1}", this.repositoryId, this.Method));338 if (this.disabledTypes.Contains(invocation.Method.DeclaringType))339 {340 invocation.CallOriginal = true;341 return;342 }343 invocation.InArrange = this.sharedContext.InArrange;344 invocation.InArrangeArgMatching = this.sharedContext.InArrangeArgMatching;345 invocation.InAssertSet = this.sharedContext.InAssertSet;346 invocation.InRunClassConstructor = this.sharedContext.RunClassConstructorCount > 0;347 invocation.Recording = this.Recorder != null;348 invocation.RetainBehaviorDuringRecording = this.sharedContext.DispatchToMethodMocks;349 invocation.Repository = this;350 bool methodMockProcessed = false;351 if (invocation.Recording)352 {353 this.Recorder.Record(invocation);354 }355 if (!invocation.Recording || invocation.RetainBehaviorDuringRecording)356 {357 methodMockProcessed = DispatchInvocationToMethodMocks(invocation);358 }359 invocation.ThrowExceptionIfNecessary();360 if (!methodMockProcessed)361 {362 // We have to be careful for the potential exception throwing in the assertion context,363 // so skip CallOriginalBehavior processing364 var mock = invocation.MockMixin;365 if (mock != null)366 {367 var fallbackBehaviorsToExecute =368 mock.FallbackBehaviors369 .Where(behavior => !invocation.InAssertSet || !(behavior is CallOriginalBehavior))370 .ToList();371 foreach (var fallbackBehavior in fallbackBehaviorsToExecute)372 {373 fallbackBehavior.Process(invocation);374 }375 }376 else377 {378 invocation.CallOriginal = CallOriginalBehavior.ShouldCallOriginal(invocation) && !invocation.InAssertSet;379 }380 }381 if (!invocation.CallOriginal && !invocation.IsReturnValueSet && invocation.Method.GetReturnType() != typeof(void))382 {383 Type returnType = invocation.Method.GetReturnType();384 object defaultValue = null;385#if !PORTABLE386 if (returnType.BaseType != null && returnType.BaseType == typeof(Task))387 {388 Type taskGenericArgument = returnType.GenericTypeArguments.FirstOrDefault();389 object taskArgumentDefaultValue = taskGenericArgument.GetDefaultValue();390 // create a task with default value to return, by using the casting help method in MockingUtil391 MethodInfo castMethod = typeof(MockingUtil).GetMethod("TaskFromObject", BindingFlags.Static | BindingFlags.Public);392 MethodInfo castMethodGeneric = castMethod.MakeGenericMethod(taskGenericArgument);393 defaultValue = castMethodGeneric.Invoke(null, new object[] { taskArgumentDefaultValue });394 }395 else396#endif397 {398 defaultValue = returnType.GetDefaultValue();399 }400 invocation.ReturnValue = defaultValue;401 }402#if !PORTABLE403 try404 {405 if (MockingContext.Plugins.Exists<IDebugWindowPlugin>())406 {407 Func<object, Type, ObjectInfo> CreateObjectInfo = (value, type) =>408 {409 ObjectInfo resultInfo = (value != null) ? ObjectInfo.FromObject(value) : ObjectInfo.FromNullObject(type);410 return resultInfo;411 };412 var debugWindowPlugin = MockingContext.Plugins.Get<IDebugWindowPlugin>();413 var mockInfo = MockInfo.FromMethodBase(invocation.Method);414 ObjectInfo[] invocationsArgInfos =415 invocation.Args.Select(416 (arg, index) =>417 {418 var argInfo = CreateObjectInfo(arg, invocation.Method.GetParameters()[index].ParameterType);419 return argInfo;420 }).ToArray();421 ObjectInfo invocationInstanceInfo = ObjectInfo.FromObject(invocation.Instance ?? invocation.Method.DeclaringType);422 ObjectInfo invocationResultInfo = CreateObjectInfo(invocation.ReturnValue, invocation.Method.GetReturnType());423 var invocationInfo = new InvocationInfo(invocationInstanceInfo, invocationsArgInfos, invocationResultInfo);424 debugWindowPlugin.MockInvoked(425 invocation.Repository.RepositoryId,426 invocation.Repository.GetRepositoryPath(),427 mockInfo,428 invocationInfo);429 }430 }431 catch (Exception e)432 {433 System.Diagnostics.Trace.WriteLine("Exception thrown calling IDebugWindowPlugin plugin: " + e);434 }435#endif436 }437 internal T GetValue<T>(object owner, object key, T dflt)438 {439 object value;440 if (valueStore.TryGetValue(new KeyValuePair<object, object>(owner, key), out value))441 {442 return (T)value;443 }444 else445 {446 return dflt;447 }448 }449 internal void StoreValue<T>(object owner, object key, T value)450 {451 valueStore[new KeyValuePair<object, object>(owner, key)] = value;452 }453 internal IDisposable StartRecording(IRecorder recorder, bool dispatchToMethodMocks)454 {455 return this.sharedContext.StartRecording(recorder, dispatchToMethodMocks);456 }457 internal IDisposable StartArrangeArgMatching()458 {459 return this.sharedContext.StartArrangeArgMatching();460 }461 internal void AddMatcherInContext(IMatcher matcher)462 {463 if (!this.sharedContext.InArrange || this.sharedContext.Recorder != null)464 {465 this.MatchersInContext.Add(matcher);466 }467 }468 internal object Create(Type type, MockCreationSettings settings)469 {470 object delegateResult;471 if (TryCreateDelegate(type, settings, out delegateResult))472 {473 return delegateResult;474 }475 bool isSafeMock = settings.FallbackBehaviors.OfType<CallOriginalBehavior>().Any();476 this.CheckIfCanMock(type, !isSafeMock);477 this.EnableInterception(type);478 bool canCreateProxy = !type.IsSealed;479 MockMixin mockMixinImpl = this.CreateMockMixin(type, settings);480 ConstructorInfo[] ctors = type.GetConstructors();481 bool isCoclass = ctors.Any(ctor => ctor.IsExtern());482 bool hasAdditionalInterfaces = settings.AdditionalMockedInterfaces != null && settings.AdditionalMockedInterfaces.Length > 0;483 bool hasAdditionalProxyTypeAttributes = settings.AdditionalProxyTypeAttributes != null && settings.AdditionalProxyTypeAttributes.Any();484 bool shouldCreateProxy = settings.MustCreateProxy485 || hasAdditionalInterfaces486 || isCoclass487 || type.IsAbstract || type.IsInterface488 || !settings.MockConstructorCall489 || hasAdditionalProxyTypeAttributes490 || !ProfilerInterceptor.IsProfilerAttached491 || !ProfilerInterceptor.TypeSupportsInstrumentation(type);492 bool createTransparentProxy = MockingProxy.CanCreate(type) && !ProfilerInterceptor.IsProfilerAttached;493 Exception proxyFailure = null;494 object instance = null;495 if (canCreateProxy && shouldCreateProxy)496 {497 try498 {499 instance = mockFactory.Create(type, this, mockMixinImpl, settings, createTransparentProxy);500 }501 catch (ProxyFailureException ex)502 {503 proxyFailure = ex.InnerException;504 }505 }506 IMockMixin mockMixin = instance as IMockMixin;507 if (instance == null)508 {509 if (type.IsInterface || type.IsAbstract)510 throw new MockException(String.Format("Abstract type '{0}' is not accessible for inheritance.", type));511 if (hasAdditionalInterfaces)512 throw new MockException(String.Format("Type '{0}' is not accessible for inheritance. Cannot create mock object implementing the specified additional interfaces.", type));513 if (!ProfilerInterceptor.IsProfilerAttached && !createTransparentProxy)514 ProfilerInterceptor.ThrowElevatedMockingException(type);515 if (settings.MockConstructorCall && type.IsValueType)516 {517 settings.MockConstructorCall = false;518 settings.Args = null;519 }520 if (!settings.MockConstructorCall)521 {522 try523 {524 instance = type.CreateObject(settings.Args);525 }526 catch (MissingMethodException)527 {528 settings.MockConstructorCall = true;529 }530 }531 if (settings.MockConstructorCall)532 {533 instance = MockingUtil.GetUninitializedObject(type);534 }535 if (!createTransparentProxy)536 {537 mockMixin = this.CreateExternalMockMixin(type, instance, settings);538 }539 }540 else541 {542 this.controlledMocks.Add(new WeakReference(instance));543 }544 if (type.IsClass)545 GC.SuppressFinalize(instance);546 if (createTransparentProxy)547 {548 if (mockMixin == null)549 {550 mockMixin = mockMixinImpl;551 }552 instance = MockingProxy.CreateProxy(instance, this, mockMixin);553 }554 mockMixin.IsInstanceConstructorMocked = settings.MockConstructorCall;555 return instance;556 }557 internal IMockMixin CreateExternalMockMixin(Type mockObjectType, object mockObject, MockCreationSettings settings)558 {559 if (mockObjectType == null)560 {561 if (mockObject == null)562 throw new ArgumentNullException("mockObject");563 mockObjectType = mockObject.GetType();564 }565 this.EnableInterception(mockObjectType);566 if (mockObject == null)567 throw new MockException(String.Format("Failed to create instance of type '{0}'", mockObjectType));568 MockMixin mockMixin = this.CreateMockMixin(mockObjectType, settings, false);569 IMockMixin compoundMockMixin = mockFactory.CreateExternalMockMixin(mockMixin, settings.Mixins);570 lock (externalMixinDatabase)571 {572 if (mockObjectType.IsValueType())573 {574 externalMixinDatabase.RemoveAll(kvp => kvp.Key.Equals(mockObject));575 externalMixinDatabase.Add(new KeyValuePair<object, IMockMixin>(mockObject, compoundMockMixin));576 }577 else578 {579 externalReferenceMixinDatabase.Add(mockObject, compoundMockMixin);580 }581 compoundMockMixin.ExternalizedMock = mockObject;582 this.controlledMocks.Add(new WeakReference(compoundMockMixin));583 }584 return compoundMockMixin;585 }586 internal ProxyTypeInfo CreateClassProxyType(Type classToProxy, MockCreationSettings settings)587 {588 MockMixin mockMixinImpl = this.CreateMockMixin(classToProxy, settings);589 return mockFactory.CreateClassProxyType(classToProxy, this, settings, mockMixinImpl);590 }591 private void CheckIfCanMock(Type type, bool checkSafety)592 {593 if (KnownUnmockableTypes.Contains(type)594 || typeof(Delegate).IsAssignableFrom(type))595 throw new MockException("Cannot create mock for type due to CLR limitations.");596 if (checkSafety)597 ProfilerInterceptor.CheckIfSafeToInterceptWholesale(type);598 }599 internal void InterceptStatics(Type type, MockCreationSettings settings, bool mockStaticConstructor)600 {601 if (!ProfilerInterceptor.IsProfilerAttached)602 ProfilerInterceptor.ThrowElevatedMockingException(type);603 if (!settings.FallbackBehaviors.OfType<CallOriginalBehavior>().Any())604 ProfilerInterceptor.CheckIfSafeToInterceptWholesale(type);605 var mockMixin = (IMockMixin)Create(typeof(ExternalMockMixin),606 new MockCreationSettings607 {608 Mixins = settings.Mixins,609 SupplementaryBehaviors = settings.SupplementaryBehaviors,610 FallbackBehaviors = settings.FallbackBehaviors,611 MustCreateProxy = true,612 });613 mockMixin.IsStaticConstructorMocked = mockStaticConstructor;614 lock (staticMixinDatabase)615 staticMixinDatabase[type] = mockMixin;616 this.EnableInterception(type);617 }618 private MockMixin CreateMockMixin(Type declaringType, MockCreationSettings settings)619 {620 return CreateMockMixin(declaringType, settings, settings.MockConstructorCall);621 }622 private MockMixin CreateMockMixin(Type declaringType, MockCreationSettings settings, bool mockConstructorCall)623 {624 var mockMixin = new MockMixin625 {626 Repository = this,627 DeclaringType = declaringType,628 IsInstanceConstructorMocked = mockConstructorCall,629 };630 foreach (var behavior in settings.SupplementaryBehaviors)631 mockMixin.SupplementaryBehaviors.Add(behavior);632 foreach (var behavior in settings.FallbackBehaviors)633 mockMixin.FallbackBehaviors.Add(behavior);634 return mockMixin;635 }636 [ArrangeMethod]637 internal TMethodMock Arrange<TMethodMock>(Expression expression, Func<TMethodMock> methodMockFactory)638 where TMethodMock : IMethodMock639 {640 TMethodMock result = methodMockFactory();641 using (this.sharedContext.StartArrange())642 {643 result.Repository = this;644 result.ArrangementExpression = ExpressionUtil.ConvertMockExpressionToString(expression);645 result.CallPattern = CallPatternCreator.FromExpression(this, expression);646 AddArrange(result);647 }648#if !PORTABLE649 var createInstanceLambda = ActivatorCreateInstanceTBehavior.TryCreateArrangementExpression(result.CallPattern.Method);650 if (createInstanceLambda != null)651 {652 var createInstanceMethodMock = Arrange(createInstanceLambda, methodMockFactory);653 ActivatorCreateInstanceTBehavior.Attach(result, createInstanceMethodMock);654 }655#endif656 return result;657 }658 /// <summary>659 /// Since we are not able to record deffered execution, check whether mock is about to present660 /// IQueryable<> or IEnumerable<>. If it so, then throw an exception to prompt the user to use661 /// Mock.Arrange overloads with expressions.662 /// See also https://stackoverflow.com/questions/3894490/linq-what-is-the-quickest-way-to-find-out-deferred-execution-or-not663 /// </summary>664 /// <typeparam name="TMethodMock">Mock return type</typeparam>665 /// <param name="methodMockFactory">Mock factory</param>666 private void CheckDefferedExecutionTypes<TMethodMock>(Func<TMethodMock> methodMockFactory)667 {668 var mockFactoryType = methodMockFactory.GetType().GetGenericArguments().FirstOrDefault();669 if (mockFactoryType.IsGenericType && mockFactoryType.GetGenericTypeDefinition() == typeof(FuncExpectation<>))670 {671 var mockFactoryGenericArguments = mockFactoryType.GetGenericArguments();672 if (mockFactoryGenericArguments673 .Where(a => a.IsGenericType)674 .Where(a => a.GetGenericTypeDefinition() == typeof(IQueryable<>)675 || a.GetGenericTypeDefinition() == typeof(IEnumerable<>))676 .Any())677 {678 throw new MockException("Cannot arrange action with potential deffered execution, use Mock.Arrange with expressions instead.");679 }680 }681 }682 [ArrangeMethod]683 internal TMethodMock Arrange<TMethodMock>(Action memberAction, Func<TMethodMock> methodMockFactory)684 where TMethodMock : IMethodMock685 {686 using (this.sharedContext.StartArrange())687 {688 var result = methodMockFactory();689 CheckDefferedExecutionTypes(methodMockFactory);690 result.Repository = this;691 result.CallPattern = CallPatternCreator.FromAction(this, memberAction);692 AddArrange(result);693 return result;694 }695 }696 [ArrangeMethod]697 internal TMethodMock Arrange<TMethodMock>(object instance, MethodBase method, object[] arguments, Func<TMethodMock> methodMockFactory)698 where TMethodMock : IMethodMock699 {700 using (this.sharedContext.StartArrange())701 {702 var result = methodMockFactory();703 result.Repository = this;704 result.CallPattern = CallPatternCreator.FromMethodBase(this, instance, method, arguments);705 AddArrange(result);706 return result;707 }708 }709 [ArrangeMethod]710 internal TMethodMock Arrange<TMethodMock>(CallPattern callPattern, Func<TMethodMock> methodMockFactory)711 where TMethodMock : IMethodMock712 {713 using (this.sharedContext.StartArrange())714 {715 var result = methodMockFactory();716 result.Repository = this;717 result.CallPattern = callPattern;718 AddArrange(result);719 return result;720 }721 }722 private void AssertBehaviorsForMocks(IEnumerable<IMethodMock> mocks, bool ignoreMethodMockOccurrences)723 {724 foreach (var methodMock in mocks)725 {726 bool occurrenceAsserted = ignoreMethodMockOccurrences;727 if (!ignoreMethodMockOccurrences728 && !methodMock.OccurencesBehavior.LowerBound.HasValue729 && !methodMock.OccurencesBehavior.UpperBound.HasValue)730 {731 methodMock.OccurencesBehavior.Assert(1, null);732 occurrenceAsserted = true;733 }734 foreach (var behavior in methodMock.Behaviors.OfType<IAssertableBehavior>())735 if (!occurrenceAsserted || behavior != methodMock.OccurencesBehavior)736 behavior.Assert();737 }738 }739 internal void AssertAll(string message, object mock)740 {741 using (MockingContext.BeginFailureAggregation(message))742 {743 var mocks = GetMethodMocksFromObject(mock);744 AssertBehaviorsForMocks(mocks.Select(m => m.MethodMock), false);745 }746 }747 internal void AssertAll(string message)748 {749 using (MockingContext.BeginFailureAggregation(message))750 {751 var mocks = GetAllMethodMocks();752 AssertBehaviorsForMocks(mocks.Select(m => m.MethodMock), false);753 }754 }755 internal void Assert(string message, object mock, Expression expr = null, Args args = null, Occurs occurs = null)756 {757 using (MockingContext.BeginFailureAggregation(message))758 {759 if (expr == null)760 {761 List<IMethodMock> mocks = new List<IMethodMock>();762 mocks.AddRange(GetMethodMocksFromObject(mock).Select(m => m.MethodMock));763 foreach (var methodMock in mocks)764 {765 foreach (var behavior in methodMock.Behaviors.OfType<IAssertableBehavior>())766 behavior.Assert();767 }768 MockingUtil.UnwrapDelegateTarget(ref mock);769 var mockMixin = GetMockMixin(mock, null);770 if (mockMixin != null)771 {772 foreach (var behavior in mockMixin.FallbackBehaviors.OfType<IAssertableBehavior>()773 .Concat(mockMixin.SupplementaryBehaviors.OfType<IAssertableBehavior>()))774 behavior.Assert();775 }776 }777 else778 {779 CallPattern callPattern = CallPatternCreator.FromExpression(this, expr);780 AssertForCallPattern(callPattern, args, occurs);781 }782 }783 }784 internal void AssertAction(string message, Action memberAction, Args args = null, Occurs occurs = null)785 {786 using (MockingContext.BeginFailureAggregation(message))787 {788 CallPattern callPattern = CallPatternCreator.FromAction(this, memberAction);789 AssertForCallPattern(callPattern, args, occurs);790 }791 }792 internal void AssertSetAction(string message, Action memberAction, Args args = null, Occurs occurs = null)793 {794 using (MockingContext.BeginFailureAggregation(message))795 {796 using (this.sharedContext.StartAssertSet())797 {798 CallPattern callPattern = CallPatternCreator.FromAction(this, memberAction, true);799 AssertForCallPattern(callPattern, args, occurs);800 }801 }802 }803 internal void AssertMethodInfo(string message, object instance, MethodBase method, object[] arguments, Occurs occurs)804 {805 using (MockingContext.BeginFailureAggregation(message))806 {807 CallPattern callPattern = CallPatternCreator.FromMethodBase(instance, method, arguments);808 AssertForCallPattern(callPattern, null, occurs);809 }810 }811 internal void AssertIgnoreInstance(string message, Type type, bool ignoreMethodMockOccurrences)812 {813 using (MockingContext.BeginFailureAggregation(message))814 {815 var methodMocks = GetMethodMocksFromObject(null, type);816 AssertBehaviorsForMocks(methodMocks.Select(m => m.MethodMock), ignoreMethodMockOccurrences);817 }818 }819 internal int GetTimesCalled(Expression expression, Args args)820 {821 CallPattern callPattern = CallPatternCreator.FromExpression(this, expression);822 int callsCount;823 CountMethodMockInvocations(callPattern, args, out callsCount);824 return callsCount;825 }826 internal int GetTimesCalledFromAction(Action action, Args args)827 {828 var callPattern = CallPatternCreator.FromAction(this, action);829 int callsCount;830 CountMethodMockInvocations(callPattern, args, out callsCount);831 return callsCount;832 }833 internal int GetTimesCalledFromMethodInfo(object instance, MethodBase method, object[] arguments)834 {835 var callPattern = CallPatternCreator.FromMethodBase(instance, method, arguments);836 int callsCount;837 CountMethodMockInvocations(callPattern, null, out callsCount);838 return callsCount;839 }840 private HashSet<IMethodMock> CountMethodMockInvocations(CallPattern callPattern, Args args, out int callsCount)841 {842 if (callPattern.IsDerivedFromObjectEquals)843 throw new MockException("Cannot assert calls to methods derived from Object.Equals");844 PreserveRefOutValuesBehavior.ReplaceRefOutArgsWithAnyMatcher(callPattern);845 if (args != null)846 {847 if (args.Filter != null)848 {849 if (args.IsIgnored == null)850 {851 args.IsIgnored = true;852 }853 if (!callPattern.Method.IsStatic854 && args.IsInstanceIgnored == null855 && args.Filter.Method.GetParameters().Length == callPattern.Method.GetParameters().Length + 1)856 {857 args.IsInstanceIgnored = true;858 }859 }860 if (args.IsIgnored == true)861 {862 for (int i = 0; i < callPattern.ArgumentMatchers.Count; i++)863 callPattern.ArgumentMatchers[i] = new AnyMatcher();864 }865 if (args.IsInstanceIgnored == true)866 {867 callPattern.InstanceMatcher = new AnyMatcher();868 }869 callPattern.Filter = args.Filter;870 }871 MethodInfoMatcherTreeNode root;872 callsCount = 0;873 var mocks = new HashSet<IMethodMock>();874 var method = callPattern.Method;875 if (invocationTreeRoots.TryGetValue(method, out root))876 {877 var occurences = root.GetOccurences(callPattern);878 callsCount = occurences.Select(x => x.Calls).Sum();879 foreach (var mock in occurences.SelectMany(x => x.Mocks))880 {881 mocks.Add(mock);882 }883 }884 return mocks;885 }886 private void AssertForCallPattern(CallPattern callPattern, Args args, Occurs occurs)887 {888 int callsCount;889 var mocks = CountMethodMockInvocations(callPattern, args, out callsCount);890 if (occurs != null)891 {892 InvocationOccurrenceBehavior.Assert(occurs.LowerBound, occurs.UpperBound, callsCount, null, null);893 }894 if (mocks.Count == 0)895 {896 MethodInfoMatcherTreeNode funcRoot;897 if (arrangementTreeRoots.TryGetValue(callPattern.Method, out funcRoot))898 {899 var arranges = funcRoot.GetAllMethodMocks(callPattern);900 foreach (var arrange in arranges)901 {902 mocks.Add(arrange.MethodMock);903 }904 }905 }906 if (occurs == null && mocks.Count == 0)907 {908 InvocationOccurrenceBehavior.Assert(Occurs.AtLeastOnce().LowerBound, Occurs.AtLeastOnce().UpperBound, callsCount, null, null);909 }910 else911 {912 AssertBehaviorsForMocks(mocks, occurs != null);913 }914 }915 internal MethodBase GetMethodFromCallPattern(CallPattern callPattern)916 {917 var method = callPattern.Method as MethodInfo;918 if (method == null || !method.IsVirtual)919 return callPattern.Method;920 method = method.NormalizeComInterfaceMethod();921 var valueMatcher = callPattern.InstanceMatcher as IValueMatcher;922 if (valueMatcher != null && valueMatcher.Value != null)923 {924 var valueType = valueMatcher.Value.GetType();925 var mockMixin = GetMockMixin(valueMatcher.Value, null);926 var type = mockMixin != null ? mockMixin.DeclaringType : valueType;927 if (!type.IsInterface && method.DeclaringType.IsAssignableFrom(type))928 {929 var concreteMethod = MockingUtil.GetConcreteImplementer(method, type);930 if (!concreteMethod.IsInheritable() && !ProfilerInterceptor.IsProfilerAttached)931 {932 var reimplementedInterfaceMethod = (MethodInfo)method.GetInheritanceChain().Last();933 if (reimplementedInterfaceMethod.DeclaringType.IsInterface934 && mockFactory.IsAccessible(reimplementedInterfaceMethod.DeclaringType))935 {936 concreteMethod = reimplementedInterfaceMethod;937 }938 }939 method = concreteMethod;940 }941 }942 if (method.DeclaringType != method.ReflectedType)943 method = (MethodInfo)MethodBase.GetMethodFromHandle(method.MethodHandle, method.DeclaringType.TypeHandle);944 return method;945 }946 /// <summary>947 /// Converts the given object to a matcher as follows. This method is most useful for948 /// creating a matcher out of an argument expression.949 /// 950 /// It works as follows:951 /// If the object is not an expression, then a value matcher for that object is returned.952 /// If the object is an expression then:953 /// * if the top of the expression is a method call expression and the member954 /// has the ArgMatcherAttribute then the specific matcher type is instantiaded955 /// with the parameters passed to the method call expression and returned.956 /// If the matcher type is generic, then it is defined with the type of the expression.957 /// * if the top expression is a member or method call and the member958 /// has the ArgIgnoreAttribute, then a TypeMatcher is returned959 /// * otherwise, the expression is evaluated and a ValueMatcher is returned960 /// </summary>961 /// <param name="argumentObj"></param>962 /// <returns></returns>963 internal static IMatcher CreateMatcherForArgument(object argumentObj)964 {965 var argExpr = argumentObj as Expression;966 if (argExpr == null)967 {968 return new ValueMatcher(argumentObj);969 }970 else971 {972 var argMatcher = TryCreateMatcherFromArgMember(argExpr);973 if (argMatcher != null)974 {975 return argMatcher;976 }977 else978 {979 //no matcher, evaluate the original expression980 var argValue = argExpr.EvaluateExpression();981 return new ValueMatcher(argValue);982 }983 }984 }985 internal static IMatcher TryCreateMatcherFromArgMember(Expression argExpr)986 {987 // The expression may end with a conversion which erases the type of the required matcher.988 // Remove the conversion before working with matchers989 while (argExpr.NodeType == ExpressionType.Convert)990 argExpr = ((UnaryExpression)argExpr).Operand;991 ArgMatcherAttribute argAttribute = null;992 Expression[] matcherArguments = null;993 if (argExpr is MethodCallExpression)994 {995 var methodCall = (MethodCallExpression)argExpr;996 argAttribute = (ArgMatcherAttribute)Attribute.GetCustomAttribute(methodCall.Method, typeof(ArgMatcherAttribute));997 matcherArguments = methodCall.Arguments.ToArray();998 }999 else if (argExpr is MemberExpression)1000 {1001 var memberExpr = (MemberExpression)argExpr;1002 argAttribute = (ArgMatcherAttribute)Attribute.GetCustomAttribute(memberExpr.Member, typeof(ArgMatcherAttribute));1003 }1004 if (argAttribute != null)1005 {1006 if (argAttribute.GetType() == typeof(ArgIgnoreAttribute))1007 {1008 return new TypeMatcher(argExpr.Type);1009 }1010 else if (argAttribute.GetType() == typeof(ArgIgnoreTypeAttribute))1011 {1012 var func = Expression.Lambda(argExpr).Compile();1013 var funcResult = func.DynamicInvoke();1014 return new TypeMatcher(funcResult.GetType());1015 }1016 else if (argAttribute.GetType() == typeof(RefArgAttribute) || argAttribute.GetType() == typeof(OutArgAttribute))1017 {1018 var asMemberExpr = argExpr as MemberExpression;1019 if (asMemberExpr != null)1020 {1021 argExpr = asMemberExpr.Expression;1022 }1023 var refCall = (MethodCallExpression)argExpr;1024 var actualArg = refCall.Arguments[0];1025 var memberExpr = actualArg as MemberExpression;1026 if (memberExpr != null && typeof(Expression).IsAssignableFrom(memberExpr.Type) && memberExpr.Expression.Type.DeclaringType == typeof(ArgExpr))1027 {1028 actualArg = (Expression)actualArg.EvaluateExpression();1029 }1030 var argMatcher = CreateMatcherForArgument(actualArg);1031 argMatcher.ProtectRefOut = argAttribute.GetType() == typeof(RefArgAttribute);1032 return argMatcher;1033 }1034 else1035 {1036 var matcherType = argAttribute.Matcher;1037 var matcherArgs = argAttribute.MatcherArgs;1038 if (matcherType.IsGenericTypeDefinition)1039 matcherType = matcherType.MakeGenericType(argExpr.Type);1040 if (matcherArgs == null && matcherArguments != null)1041 matcherArgs = matcherArguments.Select(matcherArgExpr => matcherArgExpr.EvaluateExpression()).ToArray();1042 var matcher = (IMatcher)MockingUtil.CreateInstance(matcherType, matcherArgs);1043 return matcher;1044 }1045 }1046 else1047 {1048 return null;1049 }1050 }1051 private void AddArrange(IMethodMock methodMock)1052 {1053 var method = methodMock.CallPattern.Method;1054 if (methodMock.CallPattern.IsDerivedFromObjectEquals && method.ReflectedType.IsValueType())1055 throw new MockException("Cannot mock Equals method because JustMock depends on it. Also, when Equals is called internally by JustMock, all methods called by it will not be intercepted and will have only their original implementations called.");1056 CheckMethodInterceptorAvailable(methodMock.CallPattern.InstanceMatcher, method);1057 Type declaringType = method.DeclaringType;1058 // If we're arranging a call to a mock object, overwrite its repository.1059 // This will ensure correct behavior when a mock object is arranged1060 // in multiple contexts.1061 var refMatcher = methodMock.CallPattern.InstanceMatcher as ReferenceMatcher;1062 if (refMatcher != null)1063 {1064 var value = refMatcher.Value;1065 var mock = GetMockMixin(value, declaringType);1066 if (mock != null)1067 {1068 methodMock.Mock = mock;1069 mock.Repository = this;...

Full Screen

Full Screen

MockFixture.cs

Source:MockFixture.cs Github

copy

Full Screen

...245 public void ShouldAssertEqualityRefereces()246 {247 var iFoo1 = Mock.Create<IFoo>();248 var iFoo2 = Mock.Create<IFoo>();249 Assert.True(iFoo1.Equals(iFoo1));250 Assert.False(iFoo1.Equals(iFoo2));251 }252 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]253 public void TwoMockedObjectsShouldHavdDifferentHashCode()254 {255 var iFoo1 = Mock.Create<IFoo>();256 var iFoo2 = Mock.Create<IFoo>();257 Assert.NotEqual(iFoo1.GetHashCode(), iFoo2.GetHashCode());258 }259 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]260 public void ToStringShouldNotbeNullOrEmpty()261 {262 var foo = Mock.Create<IFoo>();263 Assert.False(String.IsNullOrEmpty(foo.ToString()));264 }265 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]266 public void ShouldMockClassWithNonDefaultConstructor()267 {268 var nonDefaultClass = Mock.Create<ClassWithNonDefaultConstructor>("ping", 1);269 Assert.NotNull(nonDefaultClass);270 }271 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]272 public void ShouldMockClassWithNonDefaultConstructorWithoutPassingAnything()273 {274 var nonDefaultClass = Mock.Create<ClassWithNonDefaultConstructor>();275 Assert.NotNull(nonDefaultClass);276 }277 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]278 public void ShouldMockClassWithNoDefaultConstructorWithNull()279 {280 var nonDefaultClass = Mock.Create<ClassWithNonDefaultConstructor>(null, 1);281 Assert.NotNull(nonDefaultClass);282 }283 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]284 public void ShoulsMockClassWithMultipleNonDefaultConstructor()285 {286 var nonDefaultClass = Mock.Create<ClassWithNonDefaultConstructor>(null, 1, true);287 Assert.NotNull(nonDefaultClass);288 }289 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]290 public void ShouldAssertGuidNonDefaultCtorWithDefaultIfNotSpecified()291 {292 var nonDefaultGuidClass = Mock.Create<ClassNonDefaultGuidConstructor>();293 Assert.Equal(nonDefaultGuidClass.guidValue, default(Guid));294 }295 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]296 public void ShouldAssertBaseCallWithGuid()297 {298 var foo = Mock.Create<FooBase>();299 Mock.Arrange(() => foo.GetGuid()).CallOriginal();300 Assert.Equal(foo.GetGuid(), default(Guid));301 }302 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]303 public void ShouldAssertImplementedInterface()304 {305 var implemented = Mock.Create<IFooImplemted>();306 Assert.NotNull(implemented);307 }308 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]309 public void ShouldAssertBaseForImplemetedInterface()310 {311 var implemented = Mock.Create<IFooImplemted>();312 Assert.True(implemented is IFoo);313 }314 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]315 public void SHouldAssertCallsFromBaseInImplemented()316 {317 var implemented = Mock.Create<IFooImplemted>();318 Mock.Arrange(() => implemented.Execute("hello")).Returns("world");319 Assert.Equal(implemented.Execute("hello"), "world");320 }321 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]322 public void ShouldMockObject_GetHashCodeMethod()323 {324 var foo = Mock.Create<FooBase>();325 Mock.Arrange(() => foo.GetHashCode()).Returns(1);326 Assert.Equal(1, foo.GetHashCode());327 }328 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]329 public void ShouldMockObject_ToStringMethod()330 {331 var foo = Mock.Create<FooBase>();332 Mock.Arrange(() => foo.ToString()).Returns("foo");333 Assert.Equal("foo", foo.ToString());334 }335 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]336 public void ShouldMockObject_EqualsMethod()337 {338 var foo = Mock.Create<FooBase>();339 Mock.Arrange(() => foo.Equals(Arg.IsAny<object>())).Returns(true);340 Assert.True(foo.Equals(new object()));341 }342 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]343 public void ShouldCallUnderlyingEquals()344 {345 var foo1 = Mock.Create<FooOverridesEquals>("foo");346 var foo2 = Mock.Create<FooOverridesEquals>("foo");347 Assert.True(foo1.Equals(foo2));348 }349 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]350 public void ShouldNotCallBaseByDefault()351 {352 var foo = Mock.Create<FooBase>();353 // this will not throw exception.354 foo.ThrowException();355 }356 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]357 public void ShouldTakeLatestSetup()358 {359 var foo = Mock.Create<IFoo>();360 Mock.Arrange(() => foo.Execute("ping")).Returns("pong");361 Mock.Arrange(() => foo.Execute(Arg.IsAny<string>())).Returns("pong");362 Assert.Equal(foo.Execute("nothing"), "pong");363 }364 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]365 public void ShouldOverrideBehaviorFromBaseClass()366 {367 var foo = Mock.Create<FooBase>();368 Mock.Arrange(() => foo.GetString("pong")).CallOriginal().InSequence();369 Mock.Arrange(() => foo.GetString(Arg.IsAny<string>())).Returns("ping").InSequence();370 Assert.Equal(foo.GetString("pong"), "pong");371 Assert.Equal(foo.GetString("it"), "ping");372 }373 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]374 public void ShouldAssertDateTimeAsRef()375 {376 var foo = Mock.Create<IFoo>();377 DateTime expected = new DateTime(2009, 11, 26);378 Mock.Arrange(() => foo.Execute(out expected)).DoNothing();379 DateTime acutal = DateTime.Now;380 foo.Execute(out acutal);381 Assert.Equal(expected, acutal);382 }383 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]384 public void ShouldAssertOutputParamPassedViaNested()385 {386 var nested = new Nested();387 nested.expected = 10;388 var foo = Mock.Create<IFoo>();389 Mock.Arrange(() => foo.Execute(out nested.expected));390 int actual = 0;391 foo.Execute(out actual);392 Assert.Equal(actual, 10);393 }394 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]395 public void ShouldNotInvokeOriginalCallWhenInitiatedFromCtor()396 {397 var foo = Mock.Create<FooAbstractCall>(false);398 Assert.NotNull(foo);399 }400 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]401 public void ShouldNotInvokeOriginalActionWhenInitiatedFromCtor()402 {403 var foo = Mock.Create<FooAbstractAction>();404 Assert.NotNull(foo);405 }406 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]407 public void ShouldNotInitalizeAsArgMatcherWhenProcessingMemberAccessArgument()408 {409 var foo = Mock.Create<IFoo>();410 Mock.Arrange(() => foo.Execute(false, BadGuid)).OccursOnce();411 foo.Execute(false, Guid.Empty);412 Mock.Assert(() => foo.Execute(Arg.IsAny<bool>(), Guid.Empty));413 }414 public static readonly Guid BadGuid = Guid.Empty;415 public abstract class FooAbstractCall416 {417 public FooAbstractCall(bool flag)418 {419 // invoke base will throw exception here.420 Initailize();421 }422 public abstract bool Initailize();423 }424 public abstract class FooAbstractAction425 {426 public FooAbstractAction()427 {428 // invoke base will throw exception here.429 Initailize();430 }431 public abstract void Initailize();432 }433#if !COREFX434 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]435 public void ShouldCreateMockClassWithInternalConstructor()436 {437 var foo = Mock.Create<FooWithInternalConstruct>();438 Assert.NotNull(foo);439 }440 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]441 public void ShouldAssertArrangeWithInternalConstructor()442 {443 var foo = Mock.Create<FooWithInternalConstruct>();444 bool called = false;445 Mock.Arrange(() => foo.Execute()).DoInstead(() => called = true);446 foo.Execute();447 Assert.True(called);448 }449#endif450 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]451 public void ShouldAssertGenericFuncCalls()452 {453 var genericClass = Mock.Create<FooGeneric<int>>();454 Mock.Arrange(() => genericClass.Get(1, 1)).Returns(10);455 Assert.Equal(genericClass.Get(1, 1), 10);456 }457 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]458 public void ShouldAssertGenericVoidCalls()459 {460 var genericClass = Mock.Create<FooGeneric<int>>();461 bool called = false;462 Mock.Arrange(() => genericClass.Execute(1)).DoInstead(() => called = true);463 genericClass.Execute(1);464 Assert.True(called);465 }466 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]467 public void ShouldAssertGenricMockWithNoGenericClass()468 {469 var genericClass = Mock.Create<FooGeneric>();470 Mock.Arrange(() => genericClass.Get<int, int>(1)).Returns(10);471 Assert.Equal(genericClass.Get<int, int>(1), 10);472 }473 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]474 public void ShouldAssertFuncWithOccurrence()475 {476 var foo = Mock.Create<IFoo>();477 Mock.Arrange(() => foo.Execute("x")).Returns("x");478 foo.Execute("x");479 Mock.Assert(() => foo.Execute("x"), Occurs.Exactly(1));480 }481 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]482 public void ShouldAssertOutputGenericArgument()483 {484 var fooGen = Mock.Create<FooGeneric>();485 int result = 0;486 fooGen.Execute<int, int>(out result);487 Assert.Equal(result, 0);488 }489 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]490 public void ShouldAssertArrangeForGenricOutArgument()491 {492 var fooGen = Mock.Create<FooGeneric>();493 int expected = 10;494 Mock.Arrange(() => fooGen.Execute<int, int>(out expected)).Returns(0);495 int actual = 0;496 fooGen.Execute<int, int>(out actual);497 Assert.Equal(expected, actual);498 }499 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]500 public void ShouldAssertParamArrayMatchArugments()501 {502 string expected = "bar";503 string argument = "foo";504 var target = Mock.Create<IParams>();505 Mock.Arrange(() => target.ExecuteParams(argument, "baz")).Returns(expected);506 string ret = target.ExecuteParams(argument, "baz");507 Assert.Equal(expected, ret);508 }509 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]510 public void ShouldDistinguiseMethodWithDifferentGenericArgument()511 {512 var foo = Mock.Create<FooGeneric>();513 Mock.Arrange(() => foo.Get<int>()).Returns(10);514 Mock.Arrange(() => foo.Get<string>()).Returns(12);515 Assert.Equal(foo.Get<string>(), 12);516 Assert.Equal(foo.Get<int>(), 10);517 }518 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]519 public void ShouldAssertParamArrayWithMatcherAndConcreteValue()520 {521 string expected = "bar";522 string argument = "foo";523 var target = Mock.Create<IParams>();524 Mock.Arrange(() => target.ExecuteByName(Arg.IsAny<int>(), argument)).Returns(expected);525 string ret = target.ExecuteByName(0, argument);526 Assert.Equal(expected, ret);527 }528 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]529 public void ShouldAssertCallWithMultipleMathers()530 {531 var foo = Mock.Create<IFoo>();532 Mock.Arrange(() => foo.Echo(Arg.Matches<int>(x => x == 10), Arg.Matches<int>(x => x == 10))).Returns(20);533 int ret = foo.Echo(10, 10);534 Assert.Equal(20, ret);535 }536 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]537 public void ShouldAssertArgumentMatherArgumentSetup()538 {539 var foo = Mock.Create<IFoo>();540 Mock.Arrange(() => foo.Echo(10, Arg.Matches<int>(x => x > 10 && x < 20), 21)).Returns(20);541 int ret = foo.Echo(10, 11, 21);542 Assert.Equal(20, ret);543 }544 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]545 public void ShouldAssertCallWithDefaultValues()546 {547 var foo = Mock.Create<IFoo>();548 Mock.Arrange(() => foo.Echo(0, 0)).Returns(2);549 int ret = foo.Echo(0, 0);550 Assert.Equal(2, ret);551 }552 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]553 public void ShouldCreateMockFromRealObject()554 {555 var realItem = Mock.Create(() => new RealItem());556 Assert.NotNull(realItem);557 }558 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]559 public void ShouldCreateMockFromRealObjectForNonDefaultConstructor()560 {561 var realItem = Mock.Create(() => new RealItem(10));562 Assert.NotNull(realItem);563 }564 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]565 public void ShouldCreateMockFromRealObjectThatHasOnlyNonDefaultCtor()566 {567 var realItem = Mock.Create(() => new RealItem2(10, string.Empty));568 Assert.NotNull(realItem);569 }570 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]571 public void ShouldCreateMockFromRealCtorWithParams()572 {573 // the following line should not throw any argument exception.574 var realItem = Mock.Create(() => new RealItem("hello", 10, 20),575 Behavior.CallOriginal);576 Assert.Equal("hello", realItem.Text);577 Assert.Equal(2, realItem.Args.Length);578 }579 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]580 public void ShouldAssertMixins()581 {582 var realItem = Mock.Create<RealItem>(x =>583 {584 x.Implements<IDisposable>();585 x.CallConstructor(() => new RealItem(0));586 });587 var iDispose = realItem as IDisposable;588 iDispose.Dispose();589 }590 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]591 public void ShouldAssertMixinsWithClosure()592 {593 int a = 5;594 var realItem = Mock.Create<RealItem>(x =>595 {596 x.Implements<IDisposable>();597 x.CallConstructor(() => new RealItem(a));598 });599 var iDispose = realItem as IDisposable;600 iDispose.Dispose();601 }602 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]603 public void ShouldImplementDependentInterfacesWhenTopIsSpecified()604 {605 var realItem = Mock.Create<RealItem>(x =>606 {607 x.Implements<IFooImplemted>();608 x.CallConstructor(() => new RealItem(0));609 });610 Assert.NotNull(realItem as IFoo);611 }612 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]613 public void ShouldCloneWhenItemImplementsICloneableAndOneOtherInterface()614 {615 var myMock = Mock.Create<IDisposable>(x => x.Implements<ICloneable>());616 var myMockAsClonable = myMock as ICloneable;617 bool isCloned = false;618 Mock.Arrange(() => myMockAsClonable.Clone()).DoInstead(() => isCloned = true);619 myMockAsClonable.Clone();620 Assert.True(isCloned);621 }622 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]623 public void ShouldCallOriginalMethodForCallsOriginal()624 {625 var foo = Mock.Create<FooBase>(Behavior.CallOriginal);626 //// should call the original.627 Assert.Throws<InvalidOperationException>(() => foo.ThrowException());628 }629 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]630 public void ShouldNotCallOriginalMethodIfThereisASetupForCallsOriginal()631 {632 var foo = Mock.Create<FooBase>(Behavior.CallOriginal);633 Guid expected = Guid.NewGuid();634 Mock.Arrange(() => foo.GetGuid()).Returns(expected);635 Assert.Equal(expected, foo.GetGuid());636 }637 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]638 public void ShouldCallOriginalIfThereIsNoSetupForSimilarTypeForCallsOiginal()639 {640 var foo = Mock.Create<FooBase>(Behavior.CallOriginal);641 Mock.Arrange(() => foo.Echo(1)).Returns(2);642 Assert.Equal(2, foo.Echo(1));643 Assert.Equal(2, foo.Echo(2));644 }645 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]646 public void ShouldBeAbleToIgnoreArgumentsIfSpecified()647 {648 var foo = Mock.Create<IFoo>();649 Mock.Arrange(() => foo.Echo(10, 9)).IgnoreArguments().Returns(11);650 Assert.Equal(11, foo.Echo(1, 1));651 }652 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]653 public void ShouldInterceptVirtualsFromBaseClass()654 {655 var foo = Mock.Create<FooChild>();656 Mock.Arrange(() => foo.ThrowException()).Throws<ArgumentException>();657 Assert.Throws<ArgumentException>(() => foo.ThrowException());658 }659 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]660 public void ShouldAssertSetupWithArgAnyMatcherForArray()661 {662 var foo = Mock.Create<IFoo>();663 Mock.Arrange(() => foo.Submit(Arg.IsAny<byte[]>())).MustBeCalled();664 foo.Submit(new byte[10]);665 Mock.Assert(foo);666 }667 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]668 public void ShouldAssertDictionaryArgumentForIsAny()669 {670 var param = Mock.Create<IParams>();671 Mock.Arrange(() =>672 param.ExecuteArrayWithString(Arg.AnyString, Arg.IsAny<Dictionary<string, object>>()))673 .MustBeCalled();674 param.ExecuteArrayWithString("xxx", new Dictionary<string, object>());675 Mock.Assert(param);676 }677 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]678 public void ShouldAssertSetupWithCallHavingParamsAndPassedWithMatcher()679 {680 var foo = Mock.Create<IFoo>();681 Mock.Arrange(() => foo.FindOne(Arg.IsAny<ICriteria>())).Returns(true);682 var criteria = Mock.Create<ICriteria>();683 Assert.True(foo.FindOne(criteria));684 }685 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]686 public void ShouldThrowNotImplementedExceptionForBaseInovocationOnAbstract()687 {688 var node = Mock.Create<ExpressionNode>(Behavior.CallOriginal);689 Assert.Throws<NotImplementedException>(() => { var expected = node.NodeType; });690 }691 [TestMethod, TestCategory("Lite"), TestCategory("Behavior"), TestCategory("CallOriginal")]692 public void CallOriginalClause_AbstractMethod_ThrowsNotImplemented()693 {694 var mock = Mock.Create<IFoo>();695 Mock.Arrange(() => mock.JustCall()).CallOriginal();696 Assert.Throws<NotImplementedException>(() => mock.JustCall());697 }698 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]699 public void ShouldSetupMockWithParamsWhenNoParamIsPassed()700 {701 var fooParam = Mock.Create<FooParam>();702 var expected = "hello";703 Mock.Arrange(() => fooParam.FormatWith(expected)).Returns(expected);704 Assert.Equal(expected, fooParam.FormatWith(expected));705 }706 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]707 public void ShouldBeAbleToPassSingleArgIsAnyForParamsTypeArgument()708 {709 var fooParam = Mock.Create<FooParam>();710 Mock.Arrange(() => fooParam.GetDevicesInLocations(0, false, Arg.IsAny<MesssageBox>())).Returns(10);711 int result = fooParam.GetDevicesInLocations(0, false, new MesssageBox());712 Assert.Equal(10, result);713 }714 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]715 public void ShouldBeAbleToPassMultipleArgIsAnyForParamsTypeArgument()716 {717 var fooParam = Mock.Create<FooParam>();718 Mock.Arrange(() => fooParam719 .GetDevicesInLocations(0, false, Arg.IsAny<MesssageBox>(), Arg.IsAny<MesssageBox>()))720 .Returns(10);721 var box = new MesssageBox();722 int result = fooParam.GetDevicesInLocations(0, false, box, box);723 Assert.Equal(10, result);724 }725 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]726 public void ShouldCreateMockFromInterfaceWithSimilarGenericOverloads()727 {728 var session = Mock.Create<ISession>();729 Assert.NotNull(session);730 }731 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]732 public void ShouldDisposeArrangementEffects()733 {734 var mock = Mock.Create<IBar>();735 using (Mock.Arrange(() => mock.Value).Returns(123))736 {737 Assert.Equal(123, mock.Value);738 }739 Assert.Equal(0, mock.Value);740 }741 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]742 public void ShouldDisposeArrangementExpectations()743 {744 var mock = Mock.Create<IBar>();745 using (Mock.Arrange(() => mock.Value).MustBeCalled())746 {747 Assert.Throws<AssertionException>(() => Mock.Assert(mock));748 }749 Mock.Assert(mock);750 }751 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]752 public void ShouldAssertExpectedWithDynamicQuery()753 {754 var bookRepo = Mock.Create<IBookRepository>();755 var expected = new Book();756 Mock.Arrange(() => bookRepo.GetWhere(book => book.Id > 1))757 .Returns(expected)758 .MustBeCalled();759 var actual = bookRepo.GetWhere(book => book.Id > 1);760 Assert.Equal(expected, actual);761 Mock.Assert(bookRepo);762 }763 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]764 public void ShouldAssertMockExpressionDeleteArgumentForCompoundQuery()765 {766 var bookRepo = Mock.Create<IBookRepository>();767 var expected = new Book();768 string expectedTitle = "Telerik";769 Mock.Arrange(() => bookRepo.GetWhere(book => book.Id > 1 && book.Title == expectedTitle))770 .Returns(expected)771 .MustBeCalled();772 var actual = bookRepo.GetWhere(book => book.Id > 1 && book.Title == expectedTitle);773 Assert.Equal(expected, actual);774 Mock.Assert(bookRepo);775 }776 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]777 public void ShouldAssertMockForDynamicQueryWhenComparedUsingAVariable()778 {779 var repository = Mock.Create<IBookRepository>();780 var expected = new Book { Title = "Adventures" };781 var service = new BookService(repository);782 Mock.Arrange(() => repository.GetWhere(book => book.Id == 1))783 .Returns(expected)784 .MustBeCalled();785 var actual = service.GetSingleBook(1);786 Assert.Equal(actual.Title, expected.Title);787 }788 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]789 public void ShouldAssertWithIntValueUsedForLongValuedArgument()790 {791 int number = 5;792 int expectedResult = 42;793 var myClass = Mock.Create<ClassWithLongMethod>();794 Mock.Arrange(() => myClass.AddOne(number)).Returns(expectedResult);795 // Act796 var result = myClass.AddOne(number);797 // Assert798 Assert.Equal(expectedResult, result);799 }800 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]801 public void ShouldAutoArrangePropertySetInConstructor()802 {803 var expected = "name";804 var item = Mock.Create<Item>(() => new Item(expected));805 Assert.Equal(expected, item.Name);806 }807 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]808 public void ShouldTakeOutValueFromDoInteadWhenDefinedWithCustomDelegate()809 {810 int outArg = 1;811 var mock = Mock.Create<DoInsteadWithCustomDelegate>();812 Mock.Arrange(() => mock.Do(0, ref outArg)).DoInstead(new RefAction<int, int>((int i, ref int arg2) => { arg2 = 2; }));813 mock.Do(0, ref outArg);814 Assert.Equal(2, outArg);815 }816 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]817 public void ShouldCheckMethodOverloadsWhenResolvingInterfaceInheritance()818 {819 var project = Mock.Create<IProject>();820 Assert.NotNull(project);821 }822 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]823 public void PropertySetShouldThrowExceptionWhenNameHasSet_Literal()824 {825 var b_object = Mock.Create<B>();826 Mock.ArrangeSet<B>(() => b_object.b_string_set_get = string.Empty).DoNothing().MustBeCalled();827 b_object.b_string_set_get = string.Empty;828 Mock.Assert(b_object);829 }830 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]831 public void ShouldNotAffectAssertionForInvalidAsserts()832 {833 var foo = Mock.Create<IFoo>();834 Guid goodGuid = Guid.NewGuid();835 Guid badGuid = Guid.NewGuid();836 Mock.Arrange(() => foo.CallMeOnce(true, goodGuid)).OccursOnce();837 foo.CallMeOnce(true, goodGuid);838 Mock.Assert(() => foo.CallMeOnce(true, badGuid), Occurs.Never());839 Mock.Assert(() => foo.CallMeOnce(true, Guid.Empty), Occurs.Never());840 Mock.Assert(() => foo.CallMeOnce(true, goodGuid), Occurs.Once());841 Mock.Assert(() => foo.CallMeOnce(false, badGuid), Args.Ignore(), Occurs.Once());842 Mock.Assert(() => foo.CallMeOnce(Arg.AnyBool, badGuid), Occurs.Never());843 Mock.Assert(() => foo.CallMeOnce(Arg.IsAny<bool>(), badGuid), Occurs.Never());844 }845 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]846 public void ShouldEqualityCheckForMockFromAnInterfaceThatHasEquals()847 {848 IRule mockRule1 = Mock.Create<IRule>();849 List<IRule> ruleList = new List<IRule>();850 Assert.False(ruleList.Contains(mockRule1));851 ruleList.Add(mockRule1);852 Assert.True(ruleList.Contains(mockRule1));853 }854 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]855 public void ShouldAssertMethodWithKeyValuePairTypeArgument()856 {857 var presenter = Mock.Create<InteractiveKioskPresenter>(Behavior.CallOriginal);858 var key = Mock.Create<IKioskPart>();859 var val = Mock.Create<IKioskWellInfo>();860 presenter.ShowControl(new KeyValuePair<IKioskPart, IKioskWellInfo>(key, val));861 }862 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]863 public void ShouldAssertMethodWithStructTypeArgument()864 {865 var presenter = Mock.Create<InteractiveKioskPresenter>(Behavior.CallOriginal);866 Size size = new Size();867 presenter.DrawRect(size);868 }869 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]870 public void ShouldParsePrimitiveParamsArrayCorrectly()871 {872 var foo = Mock.Create<IFoo>();873 Mock.Arrange(() => foo.SubmitWithParams(Arg.AnyInt)).MustBeCalled();874 foo.SubmitWithParams(10);875 Mock.Assert(foo);876 }877 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]878 public void ShouldAssertCorrectMethodWhenDifferentArgumentsPassedForParamSetup()879 {880 var foo = Mock.Create<IFoo>();881 Mock.Arrange(() => foo.SubmitWithParams(10)).OccursOnce();882 foo.SubmitWithParams(10);883 foo.SubmitWithParams(10, 11);884 Mock.Assert(foo);885 }886 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]887 public void ShouldAssertOccursForIndexedPropertyWithDifferentArguments()888 {889 var foo = Mock.Create<Foo>();890 string expected = "string";891 Mock.Arrange(() => foo.Baz["Test"]).Returns(expected);892 Mock.Arrange(() => foo.Baz["TestName"]).Returns(expected);893 Assert.Equal(expected, foo.Baz["Test"]);894 Assert.Equal(expected, foo.Baz["TestName"]);895 Mock.Assert(() => foo.Baz["Test"], Occurs.Once());896 Mock.Assert(() => foo.Baz["TestName"], Occurs.Once());897 }898 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]899 public void ShouldNotSkipBaseInterfaceWhenSomeMembersAreSame()900 {901 var loanString = Mock.Create<ILoanStringField>();902 Assert.NotNull(loanString);903 }904 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]905 public void ShouldAssertParamsArrayAsArrayBasedOnArgument()906 {907 string value1 = "Hello";908 string value2 = "World";909 var session = Mock.Create<IMockable>();910 Mock.Arrange(() => session.Get<string>(Arg.Matches<string[]>(v => v.Contains("Lol") &&911 v.Contains("cakes"))))912 .Returns(new[]913 {914 value1,915 value2,916 });917 var testValues = new[]{918 "Lol",919 "cakes"920 };921 var result = session.Get<string>(testValues);922 Assert.Equal(value1, result[0]);923 Assert.Equal(value2, result[1]);924 }925 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]926 public void ShouldNotInitRescursiveMockingWithProfilerForProperyThatReturnsMock()927 {928 WorkerHelper helper = new WorkerHelper();929 helper.Arrange();930 helper.Worker.Echo("hello");931 }932 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]933 public void ShouldAssertMockWithEnumArgumentWithUnderlyingTypeOtherThanInt()934 {935 var subdivisionTypeCode = SubdivisionTypeCode.City;936 var subdivisionTypeRepository = Mock.Create<ISubdivisionTypeRepository>();937 Mock.Arrange(() => subdivisionTypeRepository.Get(subdivisionTypeCode)).Returns((SubdivisionTypeCode subDivision) =>938 {939 return subDivision.ToString();940 });941 var result = subdivisionTypeRepository.Get(subdivisionTypeCode);942 Assert.Equal(result, subdivisionTypeCode.ToString());943 Mock.AssertAll(subdivisionTypeRepository);944 }945 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]946 public void ShouldAssertMockWithNullableValueTypeArg()947 {948 FooNullable foo = Mock.Create<FooNullable>();949 var now = DateTime.Now;950 Mock.Arrange(() => foo.ValideDate(now)).MustBeCalled();951 foo.ValideDate(now);952 Mock.Assert(foo);953 }954 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]955 public void ShouldAssertMockWithNullForNullableValueTypeArg()956 {957 FooNullable foo = Mock.Create<FooNullable>();958 Mock.Arrange(() => foo.ValideDate(null)).MustBeCalled();959 foo.ValideDate(null);960 Mock.Assert(foo);961 }962 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]963 public void ShouldAssertCallOriginalForAbstractClass()964 {965 Assert.NotNull(Mock.Create<TestTreeItem>(Behavior.CallOriginal));966 }967 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]968 public void ShouldCallBaseWhenCallOriginalSpecifiedForMock()969 {970 var item = Mock.Create<TestTreeItem>(Behavior.CallOriginal);971 var result = ((IComparable)item).CompareTo(10);972 Assert.Equal(1, result);973 }974 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]975 public void ShouldArrangeBothInterfaceMethodAndImplementation()976 {977 var mock = Mock.Create<FrameworkElement>() as ISupportInitialize;978 bool implCalled = false;979 Mock.Arrange(() => mock.Initialize()).DoInstead(() => implCalled = true).MustBeCalled();980 mock.Initialize();981 Assert.True(implCalled);982 Mock.Assert(() => mock.Initialize());983 }984 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]985 public void ShouldArrangeBothBaseAndOverriddenMethod()986 {987 var mock = Mock.Create<Control>() as FrameworkElement;988 bool implCalled = false;989 Mock.Arrange(() => mock.Initialize()).DoInstead(() => implCalled = true);990 mock.Initialize();991 Assert.True(implCalled);992 Mock.Assert(() => mock.Initialize());993 Mock.Assert(() => ((ISupportInitialize)mock).Initialize());994 }995 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]996 public void ShouldArrangeBaseMethodInManyImplementations()997 {998 var fe = Mock.Create<FrameworkElement>();999 var control = Mock.Create<Control>();1000 int calls = 0;1001 Mock.Arrange(() => (null as ISupportInitialize).Initialize()).DoInstead(() => calls++);1002 fe.Initialize();1003 Assert.Equal(1, calls);1004 control.Initialize();1005 Assert.Equal(2, calls);1006 }1007 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]1008 public void ShouldAssertMethodAtAllHierarchyLevels()1009 {1010 var control = Mock.Create<Control>();1011 control.Initialize();1012 Mock.Assert(() => control.Initialize(), Occurs.Once());1013 Mock.Assert(() => (control as FrameworkElement).Initialize(), Occurs.Once());1014 Mock.Assert(() => (control as ISupportInitialize).Initialize(), Occurs.Once());1015 }1016 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]1017 public void ShouldArrangeBaseMethodInManyImplementationsForProperty()1018 {1019 var fe = Mock.Create<FrameworkElement>();1020 var control = Mock.Create<Control>();1021 int calls = 0;1022 Mock.Arrange(() => (null as ISupportInitialize).Property).DoInstead(() => calls++);1023 var property = fe.Property;1024 Assert.Equal(1, calls);1025 property = control.Property;1026 Assert.Equal(2, calls);1027 }1028 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]1029 public void ShouldAssertMethodAtAllHierarchyLevelsForProperty()1030 {1031 var control = Mock.Create<Control>();1032 var property = control.Property;1033 Mock.Assert(() => control.Property, Occurs.Once());1034 Mock.Assert(() => (control as FrameworkElement).Property, Occurs.Once());1035 Mock.Assert(() => (control as ISupportInitialize).Property, Occurs.Once());1036 }1037 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]1038 public void ShouldArrangeInheritableMemberOfExplicitlySpecifiedType()1039 {1040 var ident = Mock.Create<IIdentifiable>();1041 Mock.Arrange<IIdentifiable, int>(new Func<int>(() => ident.Id)).Returns(15);1042 Assert.Equal(15, ident.Id);1043 }1044#if !SILVERLIGHT1045 [TestMethod, TestCategory("Elevated"), TestCategory("Lite"), TestCategory("Mock")]1046 public void ShouldNotCreateProxyIfNotNecessary()1047 {1048 var mock = Mock.Create<Poco>();1049 Mock.Arrange(() => mock.Data).Returns(10);1050 Assert.Equal(10, mock.Data);1051 if (Mock.IsProfilerEnabled)1052 Assert.Same(typeof(Poco), mock.GetType());1053 }1054#elif !LITE_EDITION1055 [TestMethod, TestCategory("Elevated"), TestCategory("Mock")]1056 public void ShouldNotCreateProxyIfNotNecessary()1057 {1058 var mock = Mock.Create<Poco>(Constructor.Mocked);1059 Mock.Arrange(() => mock.Data).Returns(10);1060 Assert.Equal(10, mock.Data);1061 Assert.Same(typeof(Poco), mock.GetType());1062 }1063#endif1064#if LITE_EDITION && !COREFX1065 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]1066 public void MockInternalMembersWithoutExplicitlyGivenVisibilitySentinel()1067 {1068 Assert.Throws<MockException>(() => Mock.Create<InvisibleInternal>());1069 }1070#endif1071 public class Poco // should be inheritable but shouldn't be abstract1072 {1073 public virtual int Data { get { return 0; } }1074 }1075 public interface IIdentifiable1076 {1077 int Id { get; }1078 }1079 public interface ISupportInitialize1080 {1081 void Initialize();1082 string Property { get; }1083 }1084 public abstract class FrameworkElement : ISupportInitialize1085 {1086 public abstract void Initialize();1087 public abstract string Property { get; set; }1088 }1089 public abstract class Control : FrameworkElement1090 {1091 public override void Initialize()1092 {1093 throw new NotImplementedException();1094 }1095 public override string Property1096 {1097 get1098 {1099 throw new NotImplementedException();1100 }1101 set1102 {1103 throw new NotImplementedException();1104 }1105 }1106 }1107 public abstract class TestTreeItem : IComparable1108 {1109 int IComparable.CompareTo(object obj)1110 {1111 return 1;1112 }1113 }1114 public class FooNullable1115 {1116 public virtual void ValideDate(DateTime? date)1117 {1118 }1119 }1120 public enum SubdivisionTypeCode : byte1121 {1122 None = 255,1123 State = 0,1124 County = 1,1125 City = 2,1126 }1127 public interface ISubdivisionTypeRepository1128 {1129 string Get(SubdivisionTypeCode subdivisionTypeCode);1130 }1131 public class WorkerHelper1132 {1133 public IWorker TheWorker { get; private set; }1134 public WorkerHelper()1135 {1136 this.TheWorker = Mock.Create<IWorker>(Behavior.Strict);1137 }1138 public IWorker Worker1139 {1140 get1141 {1142 return this.TheWorker;1143 }1144 }1145 public void Arrange()1146 {1147 Mock.Arrange(() => this.TheWorker.Echo(Arg.AnyString)).DoNothing();1148 }1149 }1150 public interface IWorker1151 {1152 void Echo(string value);1153 }1154 public interface IMockable1155 {1156 T[] Get<T>(params string[] values);1157 }1158 public interface ILoanStringField : ILoanField1159 {1160 string Value { get; set; }1161 }1162 public interface ILoanField1163 {1164 void ClearValue();1165 object Value { get; set; }1166 }1167 public interface IKioskPart1168 {1169 }1170 public interface IKioskWellInfo1171 {1172 }1173 public class InteractiveKioskPresenter1174 {1175 public virtual void ShowControl(KeyValuePair<IKioskPart, IKioskWellInfo> kPart)1176 {1177 }1178 public virtual void DrawRect(Size size)1179 {1180 }1181 }1182 public struct Size1183 {1184 }1185 public interface IRule1186 {1187 bool Equals(object obj);1188 }1189 public class B1190 {1191 public string b_string = null;1192 public virtual string b_string_set_get { get { return b_string; } set { b_string = value; } }1193 }1194 public interface IProject : IProjectItemContainer1195 {1196 IEnumerable<IProjectItem> Items { get; }1197 void AddChild();1198 }1199 public interface IProjectItem : IProjectItemContainer1200 {1201 }1202 public interface IProjectItemContainer : IDocumentItemContainer<IProjectItem>1203 {1204 bool CanAddChild { get; }1205 }1206 public interface IDocumentItemContainer : IDocumentItem1207 {1208 IEnumerable<IDocumentItem> Children { get; }1209 }1210 public interface IDocumentItemContainer<T> : IDocumentItemContainer1211 where T : IDocumentItem1212 {1213 IEnumerable<T> Children { get; }1214 void AddChild(T child);1215 void RemoveChild(T child);1216 }1217 public interface IDocumentItem1218 {1219 }1220 public delegate void RefAction<T1, T2>(T1 arg1, ref T2 arg2);1221 public class DoInsteadWithCustomDelegate1222 {1223 public virtual void Do(int k, ref int j)1224 {1225 }1226 }1227 public class ClassWithLongMethod1228 {1229 public virtual long AddOne(long number)1230 {1231 return number + 1;1232 }1233 }1234 public class BookService1235 {1236 private IBookRepository repository;1237 public BookService(IBookRepository repository)1238 {1239 this.repository = repository;1240 }1241 public Book GetSingleBook(int id)1242 {1243 return repository.GetWhere(book => book.Id == id);1244 }1245 }1246 public interface IBookRepository1247 {1248 Book GetWhere(Expression<Func<Book, bool>> expression);1249 }1250 public class Book1251 {1252 public int Id { get; private set; }1253 public string Title { get; set; }1254 }1255 #region Syntax Integrity1256 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]1257 public void ShouldBeAbleToInvokeMustBeCalledWithIgnoreArguments()1258 {1259 var foo = Mock.Create<Foo>();1260 Mock.Arrange(() => foo.Execute(0)).IgnoreArguments().MustBeCalled();1261 foo.Execute(10);1262 Mock.Assert(foo);1263 }1264 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]1265 public void ShouldBeAbleToUseMuseBeCalledAfterIgnoreFoFunc()1266 {1267 var foo = Mock.Create<Foo>();1268 Mock.Arrange(() => foo.Echo(0)).IgnoreArguments().MustBeCalled();1269 foo.Echo(10);1270 Mock.Assert(foo);1271 }1272 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]1273 public void ShouldBeAbleToDoDoNothingForNonVoidCalls()1274 {1275 var foo = Mock.Create<Foo>();1276 Mock.Arrange(() => foo.Echo(Arg.AnyInt)).DoNothing();1277 foo.Echo(10);1278 }1279 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]1280 public void ShouldBeAbleToSpecifyOccursAfterReturns()1281 {1282 var foo = Mock.Create<Foo>();1283 Mock.Arrange(() => foo.Echo(Arg.AnyInt))1284 .Returns(10)1285 .Occurs(1);1286 foo.Echo(10);1287 Mock.Assert(foo);1288 }1289 internal abstract class FooAbstract1290 {1291 protected internal abstract bool TryCreateToken(string literal);1292 }1293 internal abstract class FooAbstract2 : FooAbstract1294 {1295 }1296 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]1297 public void ShouldAsssertMockHavingInternalAbstractBaseMethod()1298 {1299 var foo = Mock.Create<FooAbstract2>();1300 foo.TryCreateToken(string.Empty);1301 }1302 #endregion1303 public interface ISession1304 {1305 ICriteria CreateCriteria<T>() where T : class;1306 ICriteria CreateCriteria(string entityName);1307 ICriteria CreateCriteria<T>(string alias) where T : class;1308 ICriteria CreateCriteria(System.Type persistentClass);1309 ICriteria CreateCriteria(string entityName, string alias);1310 ICriteria CreateCriteria(System.Type persistentClass, string alias);1311 }1312 [TestMethod, TestCategory("Lite"), TestCategory("Mock")]1313 public void ShouldNotTryToWeaveMethodInSilverlightRuntime()1314 {1315 var foo = Mock.Create<FooSilver>();1316 Assert.NotNull(foo);1317 }1318 public interface ICloneable1319 {1320 object Clone();1321 }1322 public abstract class FooSilver1323 {1324 public void Do()1325 {1326 }1327 }1328#if LITE_EDITION1329 [TestMethod]1330 public void ShouldThrowMockExceptionWhenTryingToMockFinalMethod()1331 {1332 var mock = Mock.Create<Bar>();1333 Assert.Throws<MockException>(() => Mock.Arrange(() => mock.Submit()).DoNothing());1334 }1335 public class Bar1336 {1337 public void Submit()1338 {1339 }1340 }1341#endif1342 #region Test Insfrastructure1343 public class Foo1344 {1345 public virtual void Execute(int arg1)1346 {1347 }1348 public virtual int Echo(int arg1)1349 {1350 return arg1;1351 }1352 public virtual Baz Baz { get; set; }1353 }1354 public class Baz1355 {1356 public virtual string this[string key]1357 {1358 get1359 {1360 return null;1361 }1362 }1363 }1364 public class FooParam1365 {1366 public virtual int GetDevicesInLocations(int arg1, bool bExclude, params MesssageBox[] box)1367 {1368 return default(int);1369 }1370 public virtual string FormatWith(string format, params object[] args)1371 {1372 return string.Empty;1373 }1374 }1375 public class MesssageBox1376 {1377 }1378 public enum ExpressionNodeType1379 {1380 Constant,1381 Binary1382 }1383 public abstract class ExpressionNode1384 {1385 public abstract ExpressionNodeType NodeType { get; }1386 }1387 public class RealItem1388 {1389 public RealItem()1390 {1391 }1392 public RealItem(int num)1393 {1394 }1395 public RealItem(string text, params int[] args)1396 {1397 if (args.Length == 0 || string.IsNullOrEmpty(text))1398 {1399 throw new ArgumentException();1400 }1401 this.text = text;1402 this.args = args;1403 }1404 public string Text1405 {1406 get1407 {1408 return text;1409 }1410 }1411 public int[] Args1412 {1413 get1414 {1415 return args;1416 }1417 }1418 public string text;1419 private int[] args;1420 }1421 public class RealItem21422 {1423 public RealItem2(int num, string str)1424 {1425 }1426 }1427 public class Item1428 {1429 public virtual string Name { get; set; }1430 public Item(string name)1431 {1432 Name = name;1433 }1434 }1435 public class FooGeneric<T>1436 {1437 public virtual T Get<T1, T2>(T1 p1, T2 p2)1438 {1439 return default(T);1440 }1441 public virtual void Execute<T1>(T1 arg)1442 {1443 throw new Exception();1444 }1445 }1446 public class FooGeneric1447 {1448 public virtual TRet Get<T, TRet>(T arg1)1449 {1450 return default(TRet);1451 }1452 public virtual TRet Execute<T1, TRet>(out T1 arg1)1453 {1454 arg1 = default(T1);1455 object[] args = new object[1];1456 args[0] = arg1;1457 return default(TRet);1458 }1459 public virtual int Get<T1>()1460 {1461 throw new NotImplementedException();1462 }1463 }1464 public class FooWithInternalConstruct1465 {1466 internal FooWithInternalConstruct()1467 {1468 }1469 public virtual void Execute()1470 {1471 throw new ArgumentException();1472 }1473 }1474 public class Nested1475 {1476 public int expected;1477 public int expeted1;1478 }1479 class FooService : IFooService { }1480 interface IFooService { }1481 public interface ICriteria1482 {1483 }1484 public interface IFoo1485 {1486 string Execute(string arg);1487 void JustCall();1488 void Execute(Guid guid);1489 void Execute(bool flag, Guid guid);1490 void Execute(out int expected);1491 void Execute(out DateTime date);1492 IFoo GetFoo();1493 int Echo(int arg1);1494 int Echo(int arg1, int arg2);1495 int Echo(int arg1, int arg2, int arg3);1496 int Echo(int arg1, int arg2, int arg3, int arg4);1497 void Submit(int arg1);1498 void Submit(int arg1, int arg2);1499 void Submit(int arg1, int arg2, int arg3);1500 void Submit(int arg1, int arg2, int arg3, int arg4);1501 void Submit(byte[] arg);1502 void SubmitWithParams(params int[] args);1503 void CallMeOnce(bool flag, Guid guid);1504 bool FindOne(params ICriteria[] criteria);1505 }1506 public interface IBar1507 {1508 int Echo(int value);1509 int Value { get; set; }1510 }1511 public interface IFooImplemted : IFoo1512 {1513 }1514 public class CustomExepction : Exception1515 {1516 public CustomExepction(string message, bool throwed)1517 : base(message)1518 {1519 }1520 }1521 public class Log1522 {1523 public virtual void Info(string message)1524 {1525 throw new Exception(message);1526 }1527 }1528 public abstract class FooBase1529 {1530 public virtual string GetString(string inString)1531 {1532 return inString;1533 }1534 public virtual Guid GetGuid()1535 {1536 return default(Guid);1537 }1538 public virtual int Echo(int arg1)1539 {1540 return arg1;1541 }1542 public virtual void ThrowException()1543 {1544 throw new InvalidOperationException("This should throw expection.");1545 }1546 }1547 public class FooChild : FooBase1548 {1549 }1550 public class FooOverridesEquals1551 {1552 public FooOverridesEquals(string name)1553 {1554 this.name = name;1555 }1556 public override bool Equals(object obj)1557 {1558 return (obj is FooOverridesEquals) &&1559 ((FooOverridesEquals)obj).name == this.name;1560 }1561 public override int GetHashCode()1562 {1563 if (!string.IsNullOrEmpty(name))1564 {1565 return name.GetHashCode();1566 }1567 return base.GetHashCode();1568 }1569 private string name;1570 }1571 public interface IParams1572 {1573 string ExecuteByName(int index, params string[] args);...

Full Screen

Full Screen

DynamicProxyMockFactory.cs

Source:DynamicProxyMockFactory.cs Github

copy

Full Screen

...243#endif244 }245 }246 #region Equality members247 public override bool Equals(object obj)248 {249 if (ReferenceEquals(null, obj)) return false;250 if (ReferenceEquals(this, obj)) return true;251 if (obj.GetType() != this.GetType()) return false;252 var other = (ProxyGenerationHook)obj;253 return this.myMockConstructors == other.myMockConstructors254 && ((this.myInterceptorFilter == null && other.myInterceptorFilter == null)255 || ExpressionComparer.AreEqual(this.myInterceptorFilter, other.myInterceptorFilter));256 }257 public override int GetHashCode()258 {259 return this.myMockConstructors.GetHashCode();260 }261 #endregion262 }263 }264}...

Full Screen

Full Screen

Equals

Using AI Code Generation

copy

Full Screen

1using Telerik.JustMock;2using Telerik.JustMock.Core;3using System;4using System.Collections.Generic;5using System.Linq;6using System.Text;7using System.Threading.Tasks;8using System.Reflection;9{10 {11 static void Main(string[] args)12 {13 var mock = Mock.Create<IFoo>();14 Mock.Arrange(() => mock.Execute()).Returns(42);15 var mock2 = Mock.Create<IFoo>();16 Mock.Arrange(() => mock2.Execute()).Returns(42);17 Console.WriteLine(DynamicProxyMockFactory.Equals(mock, mock2));18 }19 }20 {21 int Execute();22 }23}24using Telerik.JustMock;25using Telerik.JustMock.Core;26using System;27using System.Collections.Generic;28using System.Linq;29using System.Text;30using System.Threading.Tasks;31using System.Reflection;32{33 {34 static void Main(string[] args)35 {36 var mock = Mock.Create<IFoo>();37 Mock.Arrange(() => mock.Execute()).Returns(42);38 var mock2 = Mock.Create<IFoo>();39 Mock.Arrange(() => mock2.Execute()).Returns(42);40 Console.WriteLine(DynamicProxyMockFactory.Equals(mock, mock2));41 }42 }43 {44 int Execute();45 }46}

Full Screen

Full Screen

Equals

Using AI Code Generation

copy

Full Screen

1{2 public static void Main()3 {4 var mock = Mock.Create<IFoo>();5 Mock.Arrange(() => mock.Bar()).Returns(1);6 Console.WriteLine(mock.Bar());7 Console.WriteLine(mock.Equals(mock));8 }9}10{11 int Bar();12}13{14 public static void Main()15 {16 var mock = Mock.Create<IFoo>();17 Mock.Arrange(() => mock.Bar()).Returns(1);18 Console.WriteLine(mock.Bar());19 Console.WriteLine(mock.Equals(mock));20 }21}22{23 int Bar();24}25public void TestMethod()26{27 var mock = Mock.Create<IFoo>();28 Mock.Arrange(() => mock.Bar()).Returns(1);29 Console.WriteLine(mock.Bar());30 Console.WriteLine(mock.Equals(mock));31}

Full Screen

Full Screen

Equals

Using AI Code Generation

copy

Full Screen

1using System;2using System.Collections.Generic;3using System.Linq;4using System.Text;5using Telerik.JustMock;6using NUnit.Framework;7using System.Reflection;8{9 {10 string Name { get; set; }11 int Id { get; set; }12 }13 {14 public string Name { get; set; }15 public int Id { get; set; }16 }17 {18 public void TestMethod1()19 {20 IInterface obj = Mock.Create<IInterface>();21 Mock.Arrange(() => obj.Name).Returns("Hello");22 Mock.Arrange(() => obj.Id).Returns(1);23 MyClass obj1 = new MyClass();24 obj1.Name = "Hello";25 obj1.Id = 1;26 Assert.AreEqual(obj, obj1);27 }28 public void TestMethod2()29 {30 IInterface obj = Mock.Create<IInterface>();31 Mock.Arrange(() => obj.Name).Returns("Hello");32 Mock.Arrange(() => obj.Id).Returns(1);33 MyClass obj1 = new MyClass();34 obj1.Name = "Hello";35 obj1.Id = 1;36 Assert.AreEqual(obj.Equals(obj1), true);37 }38 public void TestMethod3()39 {40 IInterface obj = Mock.Create<IInterface>();41 Mock.Arrange(() => obj.Name).Returns("Hello");42 Mock.Arrange(() => obj.Id).Returns(1);43 MyClass obj1 = new MyClass();44 obj1.Name = "Hello";45 obj1.Id = 1;46 Assert.AreEqual(obj.Equals(obj1), obj.Equals(obj1));47 }48 public void TestMethod4()49 {50 IInterface obj = Mock.Create<IInterface>();51 Mock.Arrange(() => obj.Name).Returns("Hello");52 Mock.Arrange(() => obj.Id).Returns(1);53 MyClass obj1 = new MyClass();54 obj1.Name = "Hello";55 obj1.Id = 1;56 Assert.AreEqual(obj.Equals(obj1), obj.Equals(obj));57 }58 public void TestMethod5()59 {60 IInterface obj = Mock.Create<IInterface>();61 Mock.Arrange(() => obj.Name).Returns("Hello");

Full Screen

Full Screen

Equals

Using AI Code Generation

copy

Full Screen

1using Telerik.JustMock;2using System;3{4 {5 static void Main(string[] args)6 {7 var mock = Mock.Create<IMyInterface>();8 mock.MyProperty = "test";9 if (mock.MyProperty.Equals("test"))10 {11 Console.WriteLine("The value of the property is 'test'");12 }13 {14 Console.WriteLine("The value of the property is not 'test'");15 }16 }17 }18 {19 string MyProperty { get; set; }20 }21}22using Telerik.JustMock;23using System;24{25 {26 static void Main(string[] args)27 {28 var mock = Mock.Create<IMyInterface>();29 mock.MyProperty = "test";30 if (mock.Equals("test"))31 {32 Console.WriteLine("The value of the property is 'test'");33 }34 {35 Console.WriteLine("The value of the property is not 'test'");36 }37 }38 }39 {40 string MyProperty { get; set; }41 }42}

Full Screen

Full Screen

Automation Testing Tutorials

Learn to execute automation testing from scratch with LambdaTest Learning Hub. Right from setting up the prerequisites to run your first automation test, to following best practices and diving deeper into advanced test scenarios. LambdaTest Learning Hubs compile a list of step-by-step guides to help you be proficient with different test automation frameworks i.e. Selenium, Cypress, TestNG etc.

LambdaTest Learning Hubs:

YouTube

You could also refer to video tutorials over LambdaTest YouTube channel to get step by step demonstration from industry experts.

Try LambdaTest Now !!

Get 100 minutes of automation test minutes FREE!!

Next-Gen App & Browser Testing Cloud

Was this article helpful?

Helpful

NotHelpful