void関数をモックするときにロジックを設定するには( MoqクイックスタートCallbackも参照)メソッドが必要だと思います。
使用法を示すサンプルテストは次のとおりです。
var mock = new Mock<IRetrieveListService>();
mock.Setup(m => m.RetrieveList(It.IsAny<CollectionPager>()))
    .Callback<CollectionPager>(p =>
                                    {
                                        p.List.Add("testItem1");
                                        p.List.Add("testItem2");
                                    });
var sut = new OtherService(mock.Object);
sut.SomeMethodToTest();
クラスが次のようになっていると仮定します。
public class CollectionPager
{
    public CollectionPager()
    {
        List = new List<string>();
    }
    public List<string> List { get; private set; }
}
public interface IRetrieveListService
{
    void RetrieveList(CollectionPager pager);
}
public class RetrieveListService : IRetrieveListService
{
    public void RetrieveList(CollectionPager pager)
    {
        pager.List.Add("item1");
        pager.List.Add("item2");
    }
}
public class OtherService
{
    private readonly IRetrieveListService retrieveListService;
    public OtherService(IRetrieveListService retrieveListService)
    {
        this.retrieveListService = retrieveListService;
    }
    public void SomeMethodToTest()
    {
        var collectionPager = new CollectionPager();
        retrieveListService.RetrieveList(collectionPager);
        // in your test collectionPager.Item contains: testItem1, testItem2
    }
}