在我的项目中,我创建了System.Timers.Timer对象,时间间隔设置为10分钟。
每隔10分钟,我就会经历一次事件。在此事件处理程序中,我正在执行一些代码。

在执行此代码之前,我将Enabled属性设置为与false相等,因为如果处理程序执行的时间长于下一个间隔,则另一个线程将执行经过的事件。

这里的问题是Elapsed事件突然停止。

我已经阅读了一些文章,并怀疑将启用时间属性设置为false垃圾收集器会释放计时器对象。

如果正确,请告诉我解决方案。

下面是示例代码:

public class Timer1
{
    private static System.Timers.Timer aTimer;

    public static void Main()
    {
        // Create a timer with a ten second interval.
        aTimer = new System.Timers.Timer(10000);

        // Hook up the Elapsed event for the timer.
        aTimer.Elapsed += new ElapsedEventHandler(OnTimedEvent);

        // Set the Interval to 10min.
        aTimer.Interval = 600000;
        aTimer.Enabled = true;

        Console.WriteLine("Press the Enter key to exit the program.");
        Console.ReadLine();
    }

    private static void OnTimedEvent(object source, ElapsedEventArgs e)
    {
        aTimer.Enabled = false;

        // excutes some code

        aTimer.Enabled = true;
    }
}

最佳答案

由于您的类中有一个指向计时器对象的字段,因此GC将不会收集计时器对象。

但是您的代码可能会引发异常,这可以防止Enabled属性再次变为true。为了防止这种情况,您应该使用finally块:

private static void OnTimedEvent(object source, ElapsedEventArgs e)
{
    aTimer.Enabled = false;
    try
    {
        // excutes some code
    }
    catch(Exception ex)
    {
        // log the exception and possibly rethrow it
        // Attention: never swallow exceptions!
    }
    finally
    {
        aTimer.Enabled = true;
    }
}

10-04 13:00