1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117
|
using System;
using System.IO;
using System.IO.Compression;
using System.Threading;
using System.Collections.Generic;
namespace TestThreads
{
class Program
{
static void Main(string[] args)
{
Console.WriteLine("Attempt with threads");
MyThreadPool pool = new MyThreadPool();
string[] files = Directory.GetFiles(@"c:\in", "*.*", SearchOption.AllDirectories);
for (int i = 0, cpt = files.Length; i < cpt; ++i)
{
pool.Enqueue(files[i]);
}
pool.DoWork();
Console.WriteLine("Main finished");
Console.ReadKey(true);
}
}
static class GZip
{
public static void CompressFile(string param)
{
FileInfo fileToCompress = new FileInfo(param);
using (FileStream originalFileStream = fileToCompress.OpenRead())
{
Console.WriteLine("Compressing {0}.", fileToCompress.FullName);
using (FileStream compressedFileStream = File.Create(fileToCompress.FullName + ".gz"))
{
using (GZipStream compressionStream = new GZipStream(compressedFileStream, CompressionLevel.Optimal))
{
originalFileStream.CopyTo(compressionStream);
}
}
FileInfo info = new FileInfo(fileToCompress.FullName + ".gz");
Console.WriteLine("Compressed {0} from {1} to {2} bytes.", fileToCompress.FullName, fileToCompress.Length.ToString(), info.Length.ToString());
}
fileToCompress.Delete();
}
}
class MyThreadPool : Queue<String>
{
int MaxWorkers;
List<Thread> Workers = null;
public MyThreadPool() : this(Environment.ProcessorCount)
{
}
public MyThreadPool(int maxWorkers)
{
if (maxWorkers < 1) maxWorkers = 1;
MaxWorkers = maxWorkers;
Workers = new List<Thread>(MaxWorkers);
for (int i = 0; i < MaxWorkers; ++i)
{
Workers.Add(null);
}
}
public void DoWork()
{
while (Count > 0)
{
for (int i = 0; i < MaxWorkers; ++i)
{
if (Workers[i] == null || Workers[i].ThreadState == ThreadState.Stopped || Workers[i].ThreadState == ThreadState.Aborted)
{
if (Count > 0)
{
Workers[i] = new Thread(DoJob);
Workers[i].Start(Dequeue());
}
else
{
break;
}
}
}
Console.WriteLine("Waits for a free worker");
Thread.Sleep(100);
}
for (int i = 0; i < MaxWorkers; ++i)
{
if (Workers[i] != null && Workers[i].ThreadState == ThreadState.Running || Workers[i].ThreadState == ThreadState.WaitSleepJoin)
{
Console.WriteLine("Wait for the worker {0} to ends", i);
Workers[i].Join();
}
else if (Workers[i] != null && Workers[i].ThreadState != ThreadState.Stopped)
{
Console.WriteLine("Worker {0} is in a strange state : {1}", i, Workers[i].ThreadState);
}
}
}
private void DoJob(object param)
{
GZip.CompressFile(param as string);
}
}
} |
Partager