4

次のようなコンソールアプリを作成しています。

  1. メールアカウントを確認するメソッドを呼び出します(私はこの手順を実行しました)
  2. 添付ファイルをpdfに変換します(私はこのステップを実行しました)
  3. 次に、変換が完了したら、30秒待ちます
  4. 前の3つのステップを継続的に繰り返します

メソッドのステップ1)と2)を実行しましたProcessMailMessages()。次のコードは機能しますが、自分が正しい方向に進んでいるかどうか、または電子メールクライアントをポーリングするためのより良い方法があるかどうかを知りたいですか?

    private static int secondsToWait = 30 * 1000;

    static void Main(string[] args)
    {
        bool run = true;
        do
        {
            try
            {
                Task theTask = ProcessEmailTaskAsync();
                theTask.Wait();
            }
            catch (Exception e)
            {
                Debug.WriteLine("<p>Error in Client</p> <p>Exception</p> <p>" + e.Message + "</p><p>" + e.StackTrace + "</p> ");
            }
            GC.Collect();

        } while (run);

    }

    static async Task ProcessEmailTaskAsync()
    {
        var result = await EmailTaskAsync();
    }

    static async Task<int> EmailTaskAsync()
    {
        await ProcessMailMessages();
        await Task.Delay(secondsToWait);
        return 1;
    }

    static async Task ProcessMailMessages()
    {
        ...............................................................................
    }
4

3 に答える 3

2

メインでループする代わりに、タイマーを使用できます。メインでは、タイマーを設定し、Console.Readline() を待ってコンソールが閉じないようにすることができます。

編集 - ここに例があります


using System;

namespace ConsoleApplication1
{
    class Program
    {
        private const int MilliSecondsToWait = 30000;
        private static System.Timers.Timer EmailTimer;

        static void Main(string[] args)
        {
            EmailTimer = new System.Timers.Timer(MilliSecondsToWait);
            EmailTimer.Elapsed += EmailTimer_Elapsed;
            EmailTimer.Start();

            Console.WriteLine("Press Enter to quit.");
            Console.ReadLine();
            // if you hit enter, the app will exit.  It is possible for the user to exit the app while a mail download is occurring.  
            // I'll leave it to you to add some flags to control that situation (just trying to keep the example simple)
        }

        private static void EmailTimer_Elapsed(object sender, System.Timers.ElapsedEventArgs e)
        {
            // stop the timer to prevent overlapping email downloads if the current download takes longer than MilliSecondsToWait
            EmailTimer.Stop();
            try
            {
                Console.WriteLine("Email Download in progress.");
                // get your email.
            }
            catch (System.Exception ex)
            {
                // handle any errors -- if you let an exception rise beyond this point, the app will be terminated.
            }
            finally
            {
                // start the next poll
                EmailTimer.Start();
            }

        }

    }
}

于 2012-11-15T22:51:17.827 に答える
0

あなたのコードはうまく機能し、タイマーの使用を避けています! また、async/await (TPL) を使用してコードを非同期にします。あなたは正しい軌道に乗っています!

于 2012-11-19T15:54:15.197 に答える