C#:通用 method/wrapper 用于具有不同定义的方法

C# : Common method/wrapper for methods with different definitions

比如我有以下方法:

    private async Task<T> Read<T>(string id, string endpoint)
    {
         //....
    }

    private async Task<List<T>> List<T>(int start, int count, string endpoint, List<FilterData> filterData = null)
    {
         //....
    }

(以及更多具有不同属性的) 但是所有这些方法都可以抛出 BillComInvalidSessionException 如果我调用的方法抛出这个异常,我想执行一些逻辑并调用调用的方法。 即:

    private async Task<T> ReadWithRetry<T>(string id, string endpoint)
    {
        try
        {
            return await Read<T>(id, endpoint);
        }
        catch (BillComInvalidSessionException)
        {
            SessionId = new Lazy<string>(() => LoginAsync().Result);
            return await ReadWithRetry<T>(id, endpoint);
        }
    }

    private async Task<List<T>> ListWithRetry<T>(int start, int count, string endpoint, List<FilterData> filterData = null)
    {
        try
        {
            return await List<T>(start, count, endpoint, filterData);
        }
        catch (BillComInvalidSessionException)
        {
            SessionId = new Lazy<string>(() => LoginAsync().Result);
            return await ListWithRetry<T>(start, count, endpoint, filterData);
        }
    }

如何创建一个通用方法,执行相同的逻辑,但获取不同的方法作为参数?

您可以使用通用委托来实现此目的:

private async Task<T> Retry<T>(Func<Task<T>> func)
{
    try
    {
        return await func();
    }
    catch (BillComInvalidSessionException)
    {
        SessionId = new Lazy<string>(() => LoginAsync().Result);
        return await Retry(func);
    }
}

然后您的重试方法将变为:

private async Task<T> ReadWithRetry<T>(string id, string endpoint)
{
    return await Retry(async () => await Read<T>(id, endpoint));
}

private async Task<List<T>> ListWithRetry<T>(int start, int count, string endpoint, List<FilterData> filterData = null)
{
    return await Retry(async () => await List<T>(start, count, endpoint, filterData));
}