我有一个简单的任务,想在后台运行。该任务应该只是尝试移动文件。该任务可能失败,因为该文件正在另一进程中使用。

我想在指定的时间段内重试此操作,如果文件仍被锁定,请尝试timeout

我阅读了有关Polly的文章,并认为这对我的需求非常理想。

该代码最终将包含在ASP.NET应用程序中,但是我创建了一个小型控制台应用程序,以演示我要实现的目标。

这是我对Polly的首次尝试,因此我在这里可能完全不满意,但是一旦我在Visual Studio 2013中运行该应用程序,就会收到以下错误:

An unhandled exception of type 'System.InvalidOperationException' occurred in mscorlib.dll

Additional information: Please use asynchronous-defined policies when calling asynchronous ExecuteAsync (and similar) methods.


这是代码:

class Program
    {
        static void Main(string[] args)
        {
            RunMyTask().GetAwaiter().GetResult();
        }

        private static async Task RunMyTask()
        {
            var timeoutPolicy = Policy.Timeout(TimeSpan.FromSeconds(20), TimeoutStrategy.Pessimistic, (context, span, arg3) => {});
            var policyResult = await timeoutPolicy.ExecuteAndCaptureAsync(async () =>
            {
                await Task.Run(() =>
                {
                    while (!MoveFiles())
                    {
                    }
                });
            });
            if (policyResult.Outcome == OutcomeType.Failure && policyResult.FinalException is TimeoutRejectedException)
            {
                Console.WriteLine("Operation Timed out");
            }
            else
            {
                Console.WriteLine("Operation succeeded!!!!!");
            }
        }

        private static bool MoveFiles()
        {
            try
            {
                var origFile = @"c:\temp\mydb.sqlite";
                var tempFile = @"c:\temp\mydb.sqlite.tmp";
                File.Move(origFile, tempFile);
                File.Move(tempFile, origFile);
                return true;
            }
            catch (Exception)
            {
                return false;
            }

        }


我究竟做错了什么?

最佳答案

您需要使用asyncTimeout变体以及async execute方法。 Polly每种策略都有async个变体,因此您需要一直使用async

TimeoutPolicy timeoutPolicy = Policy
  .TimeoutAsync([int|TimeSpan|Func<TimeSpan> timeout]
                [, TimeoutStrategy.Optimistic|Pessimistic]
                [, Func<Context, TimeSpan, Task, Task> onTimeoutAsync])


From Timeout policy

关于c# - 使用Polly超时运行异步任务,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/48769508/

10-16 19:53