C#构建多线程应用程序(5) —— 使用System.Threading.Timer

时间:2021-07-10 23:49:57

许多程序需要定期调用具体的方法,这种情况下可以使用System.Threading.Timer类型和相关的TimerCallback委托来实现。注意不要和System.Timer混淆了。System.Threading.Timer 其实是轻量级的定时器。


TimerCallback委托的原型显示如下:

public delegate void TimerCallback(object state);


下面是一个简单的定时器示例代码,定时器每个一秒钟输出一次“My Timer!”


using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading;

namespace MyTimer
{
class Program
{
static void Printer(object state)
{
Console.WriteLine("My timer!");
}

static void Main(string[] args)
{
Console.WriteLine("* * * * * Working with Timer * * * * *!");

//为Timer类型创建委托
System.Threading.TimerCallback timeCB = new System.Threading.TimerCallback(Printer);

//设置Timer类
Timer t = new Timer(
timeCB, //TimerCallback委托对象
null, //相传入的参数,null表示没有参数
0, //在定时器开始之前,等待多长时间,以毫秒为单位
1000); //每次调用的间隔时间,以毫秒为单位

Console.WriteLine("Hit key to terminate...");

Console.ReadLine();
}
}
}


运行结果如下:


C#构建多线程应用程序(5) —— 使用System.Threading.Timer



注意,System.Threading.Timer类型实现的是后台程序。上面代码中,如果注释掉最后一句“Console.ReadLine();”其运行结果是控制台界面一闪而逝,因为主程序运行结束以后,后台程序自动关闭。