Moq ReturnsAsync() with parameters
From Moq v4.5.28 onwards
You can use ReturnsAsync
with lambdas, exactly as in the code example of the question. No need to use Task.FromResult()
any more. You just need to specify the types of the lambda delegate arguments. Otherwise you will get the same error message:
Cannot convert lambda expression to type 'Model.WhitelistItem' because it is not a delegate type
To give an example, the following works with the latest version of Moq:
whitelistRepositoryMock.Setup(w => w.GetByTypeValue(It.IsAny<WhitelistType>(), It.IsAny<string>()))
.ReturnsAsync((WhitelistType type, string value) =>
{
return (from item in whitelist
where item.Type == type && item.Value == value
select item).FirstOrDefault();
});
Before Moq v4.5.28 (answer provided by Alexei Levenkov)
You have to use Returns
with Task.FromResult
:
.Returns((WhitelistType type, string value) =>
{
return Task.FromResult(
(from item in whitelist
where item.Type == type && item.Value == value
select item).FirstOrDefault()
);
});
I know this is an old question, but the one answer given here did not work for me and I was able to figure it out. It seems that you have to include the mocked function's argument types as type parameters to ReturnsAsync()
first, followed by the mocked class type, and then the return type.
For example: .ReturnsAsync<T1, T2, TMock, TResult>((arg1, arg2) => { ... } )
Where T1, T2
are the types of your mocked function's arguments, and (arg1, arg2)
are the actual arguments given when the mock was called.
So given the code from the OP, it would look like this:
whitelistRepositoryMock.Setup(w => w.GetByTypeValue(It.IsAny<WhitelistType>(), It.IsAny<string>()))
.ReturnsAsync<WhitelistType, string, IWhiteListRepository, WhitelistItem>((type, value) =>
{
return (from item in whitelist
where item.Type == type && item.Value == value
select item).FirstOrDefault();
});
Edit: I realized later in the previous answer that the types are given in the lambda which does work. If you leave out the types, like I did, it will not. You would have to use the form I used.