C#--理解线程

简介: 一个进程可以有一个或多个线程,这些线程共享资源。CPU按照它自己的进度表,在各线程间切换。      线程并不提高计算机在给定时间内可以完成的工作量,但可以使计算机相应更加灵活。在.Net中,用Thread类来创建线程。

     一个进程可以有一个或多个线程,这些线程共享资源。CPU按照它自己的进度表,在各线程间切换。

     线程并不提高计算机在给定时间内可以完成的工作量,但可以使计算机相应更加灵活。在.Net中,用Thread类来创建线程。如:

 
 
1 /*
2 Example14_1.cs illustrates the creation of threads
3   */
4
5 using System;
6 using System.Threading;
7
8 class Example14_1 {
9
10 // the Countdown method counts down from 1000 to 1
11 public static void Countdown() {
12 for ( int counter = 1000 ; counter > 0 ; counter -- ) {
13 Console.Write(counter.ToString() + " " );
14 }
15 }
16
17 public static void Main() {
18
19 // create a second thread
20 Thread t2 = new Thread( new ThreadStart(Countdown));
21
22 // launch the second thread
23 t2.Start();
24
25 // and meanwhile call the Countdown method from the first thread
26 Countdown();
27
28 }
29
30 }

设置优先级

Thread对象可以定义5个优先级:

  • Lowest
  • BelowNormal
  • Normal
  • AboveNormal
  • Highest

 用属性Priority类设置:

 
 
1 /*
2 Example14_2.cs illustrates the use of thread priorities
3 */
4
5 using System;
6 using System.Threading;
7
8 class Example14_2
9 {
10
11 // the Countdown method counts down from 1000 to 1
12 public static void Countdown()
13 {
14 for ( int counter = 1000 ; counter > 0 ; counter -- )
15 {
16 Console.Write(counter.ToString() + " " );
17 }
18 }
19
20 public static void Main()
21 {
22
23 // create a second thread
24 Thread t2 = new Thread( new ThreadStart(Countdown));
25
26 // set the new thread to highest priority
27 t2.Priority = ThreadPriority.Highest;
28
29 // Locate the current thread and set it to the lowest priority
30 Thread.CurrentThread.Priority = ThreadPriority.Lowest;
31
32 // launch the second thread
33 t2.Start();
34
35 // and meanwhile call the Countdown method from the first thread
36 Countdown();
37
38 }
39
40 }
相关文章
|
8月前
|
SQL 开发框架 安全
C#编程与多线程处理
【4月更文挑战第21天】探索C#多线程处理,提升程序性能与响应性。了解C#中的Thread、Task类及Async/Await关键字,掌握线程同步与安全,实践并发计算、网络服务及UI优化。跟随未来发展趋势,利用C#打造高效应用。
217 3
|
8月前
|
安全 编译器 C#
C#学习相关系列之多线程---lock线程锁的用法
C#学习相关系列之多线程---lock线程锁的用法
|
8月前
|
并行计算 安全 Java
C# .NET面试系列四:多线程
<h2>多线程 #### 1. 根据线程安全的相关知识,分析以下代码,当调用 test 方法时 i > 10 时是否会引起死锁? 并简要说明理由。 ```c# public void test(int i) { lock(this) { if (i > 10) { i--; test(i); } } } ``` 在给定的代码中,不会发生死锁。死锁通常是由于两个或多个线程互相等待对方释放锁而无法继续执行的情况。在这个代码中,只有一个线程持有锁,且没有其他线程参与,因此不
427 3
|
8月前
|
Java 调度 C#
C#学习系列相关之多线程(一)----常用多线程方法总结
C#学习系列相关之多线程(一)----常用多线程方法总结
|
8月前
|
C#
C#学习相关系列之多线程---ConfigureAwait的用法
C#学习相关系列之多线程---ConfigureAwait的用法
145 0
|
8月前
|
C#
C#学习相关系列之多线程---TaskCompletionSource用法(八)
C#学习相关系列之多线程---TaskCompletionSource用法(八)
237 0
|
8月前
|
Java C#
C#学习系列相关之多线程(五)----线程池ThreadPool用法
C#学习系列相关之多线程(五)----线程池ThreadPool用法
194 0
|
5月前
|
数据采集 XML JavaScript
C# 中 ScrapySharp 的多线程下载策略
C# 中 ScrapySharp 的多线程下载策略
|
4月前
|
安全 数据库连接 API
C#一分钟浅谈:多线程编程入门
在现代软件开发中,多线程编程对于提升程序响应性和执行效率至关重要。本文从基础概念入手,详细探讨了C#中的多线程技术,包括线程创建、管理及常见问题的解决策略,如线程安全、死锁和资源泄露等,并通过具体示例帮助读者理解和应用这些技巧,适合初学者快速掌握C#多线程编程。
89 0