web-dev-qa-db-ja.com

タイマーASP.NET MVCで関数を呼び出す方法

タイマーで関数を呼び出し(onTickTack()関数と言います)、ASP.NET MVCプロジェクトでいくつかの情報をリロードする必要があります。これにはいくつかの方法があることは知っていますが、あなたの意見ではどちらが最適ですか?

注:関数は1か所からのみ呼び出す必要があり、アプリケーションが起動するまでX分ごとに呼び出す必要があります。

編集1:いくつかの情報をリロードします-たとえば、キャッシュに何かがあり、タイマーでDBからそれを更新したい-特定の時間に1日に1回。

19
devfreak

この質問への答えは、ASP.NET MVCプロジェクトの一部の情報をリロードすることによって何を意味するかに大きく依存します。これは明確に述べられた問題ではなく、そのため、明らかに、明確に述べられた答えを持つことができません。

したがって、これにより、コントローラーアクションを定期的にポーリングし、ビューの情報を更新する場合、 setInterval javascript関数を使用して、AJAX UIをリクエストして更新します。

window.setInterval(function() {
    // Send an AJAX request every 5s to poll for changes and update the UI
    // example with jquery:
    $.get('/foo', function(result) {
        // TODO: use the results returned from your controller action
        // to update the UI
    });
}, 5000);

一方、サーバーで定期的にタスクを実行する場合は、次のように RegisterWaitForSingleObject メソッドを使用できます。

var waitHandle = new AutoResetEvent(false);
ThreadPool.RegisterWaitForSingleObject(
    waitHandle, 
    // Method to execute
    (state, timeout) => 
    {
        // TODO: implement the functionality you want to be executed
        // on every 5 seconds here
        // Important Remark: This method runs on a worker thread drawn 
        // from the thread pool which is also used to service requests
        // so make sure that this method returns as fast as possible or
        // you will be jeopardizing worker threads which could be catastrophic 
        // in a web application. Make sure you don't sleep here and if you were
        // to perform some I/O intensive operation make sure you use asynchronous
        // API and IO completion ports for increased scalability
    }, 
    // optional state object to pass to the method
    null, 
    // Execute the method after 5 seconds
    TimeSpan.FromSeconds(5), 
    // Set this to false to execute it repeatedly every 5 seconds
    false
);

他のことを意味している場合は、質問に詳細を提供することを躊躇しないでください。

28
Darin Dimitrov

Global.asaxのOnApplicationStartイベントでTimerクラスを使用できます...

public static System.Timers.Timer timer = new System.Timers.Timer(60000); // This will raise the event every one minute.
.
.
.

timer.Enabled = true;
timer.Elapsed += new System.Timers.ElapsedEventHandler(timer_Elapsed);
.
.
.

static void timer_Elapsed(object sender, System.Timers.ElapsedEventArgs e)
{
  // Do Your Stuff
}
12
Chandu

私の解決策はこの方法です。

<script type="text/javascript">
    setInterval(
        function ()
        {
            $.post("@Url.Action("Method", "Home")", {}, function (data) {
                alert(data);
            });
        }, 5000)
</script>

呼び出されたメソッド。

[HttpPost]
public ActionResult Method()
{
  return Json("Tick");
}
2
oyenigun

これを行うには、Application_Start()からワーカースレッドを開始します。

これが私のクラスです:

public interface IWorker
{
    void DoWork(object anObject);
}

public enum WorkerState
{
    Starting = 0,
    Started,
    Stopping,
    Stopped,
    Faulted
}

public class Worker : IWorker
{
    public WorkerState State { get; set; }

    public virtual void DoWork(object anObject)
    {
        while (!_shouldStop)
        {
            // Do some work
            Thread.Sleep(5000);
        }

        // thread is stopping
        // Do some final work
    }

    public void RequestStop()
    {
        State = WorkerState.Stopping;
        _shouldStop = true;
    }
    // Volatile is used as hint to the compiler that this data
    // member will be accessed by multiple threads.
    protected volatile bool _shouldStop;
}

次のように始まります:

        var backgroundThread = new Thread(Worker.DoWork)
                                  {
                                      IsBackground = true,
                                      Name = "MyThread"
                                  };
        backgroundThread.Start();
1
rboarman