Caliburn EventAggregator 最小起订量验证 PublishOnUIThreadAsync 异步方法

Caliburn EventAggregator moq verify PublishOnUIThreadAsync async method

我有一个事件如下

namespace MyProject
{
    public class MyEvent
    {
        public MyEvent(int favoriteNumber)
        {
            this.FavoriteNumber = favoriteNumber;
        }

        public int FavoriteNumber { get; private set; }
    }
}

我有一个引发此事件的方法。

using Caliburn.Micro;
//please assume the rest like initializing etc.
namespace MyProject
{
    private IEventAggregator eventAggregator;

    public void Navigate()
    {
        eventAggregator.PublishOnUIThreadAsync(new MyEvent(5));
    }
}

如果我只使用 PublishOnUIThread,下面的代码(在单元测试中)工作正常。

eventAggregatorMock.Verify(item => item.Publish(It.IsAny<MyEvent>(), Execute.OnUIThread), Times.Once);

但是我该如何检查异步版本呢?

eventAggregatorMock.Verify(item => item.Publish(It.IsAny<MyEvent>(), Execute.OnUIThreadAsync), Times.Once);

验证异步方法时遇到问题。假设 private Mock<IEventAggregator> eventAggregatorMock;Execute.OnUIThreadAsync 部分给出错误 'Task Execute.OnUIThreadAsync' has the wrong return type.

我也试过了

eventAggregatorMock.Verify(item => item.Publish(It.IsAny<MyEvent>(), action => Execute.OnUIThreadAsync(action)), Times.Once);

但是说,System.NotSupportedException: Unsupported expression: action => action.OnUIThreadAsync()

提前致谢。

IEvenAggregator.Publish 定义为

void Publish(object message, Action<System.Action> marshal);

因此您需要提供一个正确的表达式来匹配该定义。

eventAggregatorMock.Verify(_ => _.Publish(It.IsAny<MyEvent>(), 
                                It.IsAny<Action<System.Action>>()), Times.Once);

还有PublishOnUIThreadAsync扩展方法returns一个任务

/// <summary>
/// Publishes a message on the UI thread asynchrone.
/// </summary>
/// <param name="eventAggregator">The event aggregator.</param>
/// <param name="message">The message instance.</param>
public static Task PublishOnUIThreadAsync(this IEventAggregator eventAggregator, object message) {
    Task task = null;
    eventAggregator.Publish(message, action => task = action.OnUIThreadAsync());
    return task;
}

所以应该等待

public async Task Navigate() {
    await eventAggregator.PublishOnUIThreadAsync(new MyEvent(5));
}