赞
踩
异步编程
从 .NET Framework 4 开始,使用多线程的推荐方法是使用任务并行库 (TPL) 和并行 LINQ (PLINQ)。
任务并行库(TPL)说的是 System.Threading 和 System.Threading.Tasks 空间中的一组公共类型和 API。较为常见的就是Thread、ThreadPool、Task等
LINQ (PLINQ) 是语言集成查询 (LINQ) 模式的并行实现,可以理解为对LINQ的一些扩充方法,类似于“IEnumerable .AsParallel()”方法。
创建和控制线程,设置其优先级并获取其状态。
使用举例:
- public static void ThreadProc()
- {
- for (int i = 0; i < 10; i++)
- {
- Console.WriteLine("ThreadProc: {0}", i);
- Thread.Sleep(1);
- }
- }
-
- public static void MainThread()
- {
- Console.WriteLine("Main thread Start.");
- Console.WriteLine("Creat a second thread: ThreadProc.");
- Thread t = new Thread(new ThreadStart(ThreadProc));
- Console.WriteLine("ThreadProc start.");
- t.Start();
-
- for (int i = 0; i < 4; i++)
- {
- Console.WriteLine("Main thread: Do some work.");
- Thread.Sleep(1);
- }
-
- Console.WriteLine("Main thread: Call Join(), to wait until ThreadProc ends.");
- t.Join();
- Console.WriteLine("Main thread: ThreadProc.Join has returned. Press Enter to end program.");
- Console.ReadLine();
- }
ThreadStart为系统自带无参委托类型。
Thread的构造函数有如下几种:
- public Thread(ThreadStart start)...
- public Thread(ParameterizedThreadStart start)...
- public Thread(ThreadStart start, int maxStackSize)...
- public Thread(ParameterizedThreadStart start, int maxStackSize)...
先说说进程,进程是一种正在执行的程序,操作系统使用进程来分隔正在执行的应用程序。
可以把线程池比喻成公路,一个进程只有一条公路,一条公路(线程池)上可以有多个车道。即是说一个进程只能有一个线程池,而线程池中可以有多个线程,而具体可以有多少线程呢,是受到计算机内存等限制的。
C#中可以使用 ThreadPool.GetMaxThreads 和 ThreadPool.SetMaxThreads 方法来控制最大线程数。
使用示例:
- public static void ThreadProc(object stateInfo)
- {
- for (int i = 0; i < 5; i++)
- {
- Console.WriteLine("ThreadProc: {0},stateInfo: {1}", i, stateInfo);
- Thread.Sleep(1);
- }
- }
- public static void MainThreadPool()
- {
- ThreadPool.QueueUserWorkItem(ThreadProc, "state");
- Console.WriteLine("Main thread does some work, then sleeps.");
- Thread.Sleep(1000);
-
- Console.WriteLine("Main thread exits.");
- }
输出:
- Main thread does some work, then sleeps.
- ThreadProc: 0,stateInfo: state
- ThreadProc: 1,stateInfo: state
- ThreadProc: 2,stateInfo: state
- ThreadProc: 3,stateInfo: state
- ThreadProc: 4,stateInfo: state
- Main thread exits.
ThreadPool为静态类,只能操作当前进程的线程池。
常用方法除了GetMaxThreads() 和 SetMaxThreads()外,还有上面使用示例中出现的:
QueueUserWorkItem(WaitCallback callBack, object state)
QueueUserWorkItem(WaitCallback callBack)
即将方法排入队列以便执行。 此方法在有线程池线程变得可用时执行。
参数WaitCallBack是一个内置委托(如下
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。