简体   繁体   中英

how to get a c# method to run on a timer?

How can I get a C# method to run on a timer? I found this example online but the DoStuffOnTimer() method below is not getting hit:

    public void DoStuff()
    {
        var intervalMs = 5000;
        var timer = new Timer(intervalMs);
        timer.Elapsed += new ElapsedEventHandler(DoStuffOnTimer);
        timer.Enabled = true;
    }

    private void DoStuffOnTimer(object source, ElapsedEventArgs e)
    {
        //do stuff
    }

Or if you don't need very precise timer you always can create it yourself:

using System;
using System.Threading;
using System.Threading.Tasks;

namespace Temp
{
    internal class Program
    {
        // this is the `Timer`
        private static async Task CallWithInterval(Action action, TimeSpan interval, CancellationToken token)
        {
            while (true)
            {
                await Task.Delay(interval, token);
                if (token.IsCancellationRequested)
                {
                    return;
                }

                action();
            }
        }

        // your method which is called with some interval
        private static void DoSomething()
        {
            Console.WriteLine("ding!");
        }

        // usage sample
        private static void Main()
        {
            // we need it to add the ability to stop timer on demand at any time
            var cts = new CancellationTokenSource();

            // start Timer
            var task = CallWithInterval(DoSomething, TimeSpan.FromSeconds(1), cts.Token);

            // continue doing another things - I stubbed it with Sleep
            Thread.Sleep(5000);

            // if you need to stop timer, let's try it!
            cts.Cancel();

            // check out, it really stopped!
            Thread.Sleep(2000);
        }
    }
}
using System;
using System.Timers;

namespace ConsoleApplication1
{
    class Program
    {

        static void Main(string[] args)
        {
            Program thisone = new Program();
            thisone.DoStuff();
            Console.Read();
        }

        public void DoStuff()
        {
            var intervalMs = 5000;
            Timer timer = new Timer(intervalMs);
            timer.Elapsed += new ElapsedEventHandler(DoStuffOnTimer);
            timer.Enabled = true;
        }

        private void DoStuffOnTimer(object source, ElapsedEventArgs e)
        {
            //do stuff
            Console.WriteLine("Tick!");
        }
    }
}

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM