在多線程編程中,我們經常要使用數據共享.C#中是如何實現的呢?很簡單,只要把你要共享的數據設置成靜態的就可以了.關鍵字static .如下:
static Queue q1=new Queue();
static int b=0;
在這裡我定義了一個整形變量b和隊列q1.
接下去就可以創建多線程代碼了.如下:
MyThread myc;
Thread[] myt;
myt=new Thread[10];
myc=new MyThread();
for(int i=0;i<10;++i)
{
myt[i]=new Thread(new ThreadStart(myc.DoFun));
// System.Console.WriteLine("<<{0}>>",myt[i].GetHashCode());
myt[i].Start();
Thread.Sleep(1000);
}
你可能驚奇的發現這裡使用了一個類實例myc.在起初的設計中我使用了MyThread數組,對於本例來說這沒有什麼關系,當線程要使用不同的操作時,那就要使用其他的類實例了.
以下是完整的代碼:
using System;
using System.Threading;
using System.Collections;
namespace shareThread
{
class MyThread
{
static Queue q1=new Queue();
static int b=0;
public void DoFun()
{
lock(this)
{
++b;
q1.Enqueue(b);
}
System.Console.WriteLine("B:{0}--------------",b);
PrintValues( q1 );
}
public static void PrintValues( IEnumerable myCollection )
{
System.Collections.IEnumerator myEnumerator = myCollection.GetEnumerator();
while ( myEnumerator.MoveNext() )
Console.Write( "\t{0}", myEnumerator.Current );
Console.WriteLine();
}
}
/// <summary>
/// Class1 的摘要說明。
/// </summary>
class ClassMain
{
/// <summary>
/// 應用程序的主入口點。
/// </summary>
[STAThread]
static void Main(string[] args)
{
MyThread myc;
Thread[] myt;
myt=new Thread[10];
myc=new MyThread();
for(int i=0;i<10;++i)
{
myt[i]=new Thread(new ThreadStart(myc.DoFun));
// System.Console.WriteLine("<<{0}>>",myt[i].GetHashCode());
myt[i].Start(); //線程運行
Thread.Sleep(1000);//主線程睡眠
}
System.Console.Read();//等待完成,DOS窗口不會馬上關閉了.
}
}
}