間隔プロセスのキューをロードしようとしています。つまり、キューがあり、キュー内の各アイテムを個別の間隔で実行したいということです。
私の問題は、一度に 25 を超えるスレッドを実行できないように見えることです。デフォルトの最大スレッド数が 32768 の 64 ビット マシンで .Net 4.5 を使用しています。
マシンが処理できる数の同時スレッドをアプリで実行するにはどうすればよいですか?
私の製品コードで実際の問題を再現するアプリの例を次に示します。
class Program
{
static void Main(string[] args)
{
System.Threading.ThreadPool.SetMaxThreads(200, 200);
test t = new test();
t.LoadUrls("http://www.google.com");
while (1 == 1)
{
System.Threading.Thread.Sleep(1000);//refresh every 5 seconds
Console.WriteLine(System.Diagnostics.Process.GetCurrentProcess().Threads.Count);
}
}
public class test
{
public void LoadUrls(string url)
{
for (int i = 0; i < 100; i++)
{
System.Threading.Timer t = new System.Threading.Timer(new System.Threading.TimerCallback(RunInterval), url, 0, 1000);
Console.WriteLine("Loaded {0} feeds.", i);
}
}
private static void RunInterval(object state)
{
string url = state as string;
string data = "";
using (System.Net.WebClient cl = new System.Net.WebClient())
{
Console.WriteLine("getting data for " + url);
data = cl.DownloadString(url);
}
//do something with the data
}
}
}
このコードは、理論的には 2 秒程度で 198 スレッドを実行するはずです。
ところで、これは私のプロトタイプ アプリで見事に機能しました。ノードに書いてありました。しかし、今ではC#で正しく動作させることができません...
回答: 問題は実際にはガベージ コレクションにあり、スレッドプールの問題ではありませんでした。プールは、私が投げているすべてのスレッドをスプールする以上の能力があります。その秘訣は、System.Threading.Timer の単一パラメーター コンストラクターを使用することです。これにより、タイマーはそれ自体をセマフォとして使用するようになり、gc が回避されます。
class Program
{
static void Main(string[] args)
{
for (int i = 0; i < 100; i++)
{
test t = new test();
t.url = "http://www.google.com?" + i;
System.Threading.Timer ti = new System.Threading.Timer(new System.Threading.TimerCallback(t.RunInterval));
ti.Change(0, 1000);
}
while (1 == 1)
System.Threading.Thread.Sleep(int.MaxValue);
}
public class test
{
public string url { get; set; }
public void RunInterval(object state)
{
Console.WriteLine("getting data for " + this.url);
string data = "";
using (System.Net.WebClient cl = new System.Net.WebClient())
{
data = cl.DownloadString(this.url);
}
}
}
}
gc によってタイマーを収集する必要がある理由はわかりませんが、私は何を知っていますか。