Why don't I see a significant speed increase when running concurrent Graphics.RotateTransform operations across multiple threads?
This example demonstrates the marginal performance increase:
static Bitmap rotate(Bitmap bitmap, float angle)
{
Bitmap rotated = new Bitmap(bitmap.Width, bitmap.Height);
using (Graphics g = Graphics.FromImage(rotated))
{
g.TranslateTransform((float)bitmap.Width / 2, (float)bitmap.Height / 2);
g.RotateTransform(angle);
g.TranslateTransform(-(float)bitmap.Width / 2, -(float)bitmap.Height / 2);
g.DrawImage(bitmap, new Point(0, 0));
}
return rotated;
}
static void Main(string[] args)
{
WebClient client = new WebClient();
string fileName = Path.GetTempFileName();
client.DownloadFile("http://i.imgur.com/Vwiul.png", fileName);
Bitmap original = new Bitmap(fileName);
DateTime start = DateTime.Now;
rotateSingleThread(original);
TimeSpan length = DateTime.Now - start;
Console.WriteLine(string.Format("Single thread rotate took {0} ms", (int)length.TotalMilliseconds));
start = DateTime.Now;
rotateMultiThread(original);
length = DateTime.Now - start;
Console.WriteLine(string.Format("Multiple thread rotate took {0} ms", (int)length.TotalMilliseconds));
Console.WriteLine("Press any key to exit");
Console.ReadKey();
}
static void rotateSingleThread(Bitmap original)
{
for (float a = 0; a < 360; a += 0.1F)
{
Bitmap rotated = rotate(original, a);
rotated.Dispose();
}
}
static void rotateMultiThread(Bitmap original)
{
int threadCount = Environment.ProcessorCount;
int groupSize = 360 / threadCount;
Thread[] threads = new Thread[threadCount];
Bitmap[] bitmaps = new Bitmap[threadCount];
for (int x = 0; x < threadCount; x++)
{
bitmaps[x] = new Bitmap(original);
threads[x] = new Thread(delegate(object i)
{
int min = (int)i * groupSize; int max = min + groupSize;
if ((int)i == threadCount - 1) max = 360;
for (float a = min; a < max + 1; a+= 0.1F)
{
Bitmap rotated = rotate(bitmaps[(int)i], a);
rotated.Dispose();
}
});
threads[x].Start(x);
}
for (int x = 0; x < threadCount; x++) threads[x].Join();
}
What can I do to improve the speed of performing concurrent Graphics.RotateTransform operations?