Click here to Skip to main content
15,867,453 members
Articles / Desktop Programming / Windows Forms

Creating a 'Progress Cursor'

Rate me:
Please Sign up or sign in to vote.
4.93/5 (50 votes)
1 Jul 2012CPOL2 min read 80.9K   3.4K   135   31
Utility to display a circular progressbar as cursor.

progresscursor/cursor.png

Introduction

This article explains how we can customize the cursor to display a circular progress bar.

Because I often get questions about extending functionality of this utility, it has now entered the world of OSS at github. You can fork the repo here.  

Class diagram

progresscursor/classdiagram.png

Using the code

Using the code is pretty simple, as you can see in 1-1.

C#
var progressCursor = Van.Parys.Windows.Forms.CursorHelper.StartProgressCursor(100);

for (int i = 0; i < 100; i++)
{
 progressCursor.IncrementTo(i);

 //do some work
}

progressCursor.End();
1-1 Basic usage of ProgressCursor

The library also has some points of extensibility, by handling the 'EventHandler<CursorPaintEventArgs> CustomDrawCursor' event. By handling this event, the developer can choose to extend the default behaviour by running the DrawDefault method on the CursorPaintEventArgs instance (1-2).

C#
...
progressCursor.CustomDrawCursor += progressCursor_CustomDrawCursor;
...

void progressCursor_CustomDrawCursor(object sender, 
                    ProgressCursor.CursorPaintEventArgs e)
{
	e.DrawDefault();
	
	//add text to the default drawn cursor
	e.Graphics.DrawString("Test", 
	           SystemFonts.DefaultFont, Brushes.Black, 0,0);
	
	//set Handled to true, or else nothing will happen,
	//and default painting is done
	e.Handled = true;
}
1-2 ProgressCursor extension using events

IProgressCursor also implements IDisposable, which makes the 'using' statement valid on this interface. The advantage is that no custom exception handling has to be done to ensure the End() method is called on the ProgressCursor. An example of the usage is found in 1-3.

C#
using (var progressCursor = CursorHelper.StartProgressCursor(100))
{
    for (int i = 0; i < 100; i++)
    {
        progressCursor.IncrementTo(i);

        //simulate some work
    }
}
1-3 ProgressCursor implements IDisposable

Why implement IDisposable 

A classic usage of the default cursor classes would be like this:

C#
private void DoStuff()
{
    Cursor.Current = Cursors.WaitCursor;

    try
    {
        //do heavy duty stuff here...
    }
    finally 
    {
        Cursor.Current = Cursors.Default;
    }
}

If one wouldn't implement the cursor change like this, the cursor could 'hang' and stay 'WaitCursor'. To avoid this Try Finally coding style, I implemented IDisposable on the IProgressCursor like this (2-2):

C#
public ProgressCursor(Cursor originalCursor)
{
    OriginalCursor = originalCursor;
}

~ProgressCursor()
{
    Dispose();
}

public void Dispose()
{
    End();
}

public void End()
{
    Cursor.Current = OriginalCursor;
}
2-2 Classic sample of Cursor usage

How it works

Creating a custom cursor 

Basically, all the 'heavy lifting' is done by two imported user32.dll methods (1-3). These can be found in the class UnManagedMethodWrapper (what would be the right name for this class?).

C#
public sealed class UnManagedMethodWrapper
{
	[DllImport("user32.dll")]
	public static extern IntPtr CreateIconIndirect(ref IconInfo iconInfo);

	[DllImport("user32.dll")]
	[return: MarshalAs(UnmanagedType.Bool)]
	public static extern bool GetIconInfo(IntPtr iconHandle, ref IconInfo iconInfo);
}
1-3 P/Invoke methods

These methods are called in CreateCursor (1-4):

C#
private Cursor CreateCursor(Bitmap bmp, Point hotSpot)
{
	//gets the 'icon-handle' of the bitmap
	//(~.net equivalent of bmp as Icon)
	IntPtr iconHandle = bmp.GetHicon();
	IconInfo iconInfo = new IconInfo();
	
	//fill the IconInfo structure with data from the iconHandle
	UnManagedMethodWrapper.GetIconInfo(iconHandle, ref iconInfo);
	
	//set hotspot coordinates
	iconInfo.xHotspot = hotSpot.X;
	iconInfo.yHotspot = hotSpot.Y;
	
	//indicate that this is a cursor, not an icon
	iconInfo.fIcon = false;
	
	//actually create the cursor
	iconHandle = 
	  UnManagedMethodWrapper.CreateIconIndirect(ref iconInfo);
	
	//return managed Cursor object
	return new Cursor(iconHandle);
}
1-4 Cursor magic!

MSDN documentation:

Circular progress cursor drawing

C#
int fontEmSize = 7;

var totalWidth = (int) Graphics.VisibleClipBounds.Width;
var totalHeight = (int) Graphics.VisibleClipBounds.Height;
int margin_all = 2;
var band_width = (int) (totalWidth*0.1887);

int workspaceWidth = totalWidth - (margin_all*2);
int workspaceHeight = totalHeight - (margin_all*2);
var workspaceSize = new Size(workspaceWidth, workspaceHeight);

var upperLeftWorkspacePoint = new Point(margin_all, margin_all);
var upperLeftInnerEllipsePoint = new Point(upperLeftWorkspacePoint.X + band_width, 
                                 upperLeftWorkspacePoint.Y + band_width);

var innerEllipseSize = new Size(((totalWidth/2) - upperLeftInnerEllipsePoint.X)*2, 
            ((totalWidth/2) - upperLeftInnerEllipsePoint.Y)*2);

var outerEllipseRectangle = 
    new Rectangle(upperLeftWorkspacePoint, workspaceSize);
var innerEllipseRectangle = 
    new Rectangle(upperLeftInnerEllipsePoint, innerEllipseSize);

double valueMaxRatio = (Value/Max);
var sweepAngle = (int) (valueMaxRatio*360);

var defaultFont = new Font(SystemFonts.DefaultFont.FontFamily, 
                           fontEmSize, FontStyle.Regular);
string format = string.Format("{0:00}", (int) (valueMaxRatio*100));
SizeF measureString = Graphics.MeasureString(format, defaultFont);
var textPoint = new PointF(upperLeftInnerEllipsePoint.X + 
  ((innerEllipseSize.Width - measureString.Width)/2), 
    upperLeftInnerEllipsePoint.Y + 
    ((innerEllipseSize.Height - measureString.Height)/2));

Graphics.Clear(Color.Transparent);

Graphics.DrawEllipse(BorderPen, outerEllipseRectangle);
Graphics.FillPie(FillPen, outerEllipseRectangle, 0, sweepAngle);

Graphics.FillEllipse(new SolidBrush(Color.White), innerEllipseRectangle);
Graphics.DrawEllipse(BorderPen, innerEllipseRectangle);

Graphics.DrawString(format, defaultFont, FillPen, textPoint); 

What does it (try to) solve

End users tend to have the impression to be waiting longer on a process with no progress visualization, then a process with progress indication. 

History

  • 2011-08-30: Initial version.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer
Belgium Belgium
LinkedIn Profile

I maintain a blog at pietervp.com

Comments and Discussions

 
GeneralMy vote of 5 Pin
Michael Grünwaldt11-Jul-12 23:48
Michael Grünwaldt11-Jul-12 23:48 
GeneralGDI objects aren't managed and need to be disposed Pin
jeffb423-Jul-12 17:31
jeffb423-Jul-12 17:31 
GeneralRe: GDI objects aren't managed and need to be disposed Pin
Pieter Van Parys3-Jul-12 19:49
Pieter Van Parys3-Jul-12 19:49 
GeneralRe: GDI objects aren't managed and need to be disposed Pin
jeffb424-Jul-12 10:34
jeffb424-Jul-12 10:34 
Questionnice Pin
BillW332-Jul-12 3:31
professionalBillW332-Jul-12 3:31 
GeneralMy vote of 5 Pin
Md. Marufuzzaman2-Jul-12 2:41
professionalMd. Marufuzzaman2-Jul-12 2:41 
QuestionVote of 5 Pin
Ganesan Senthilvel2-Jul-12 0:37
Ganesan Senthilvel2-Jul-12 0:37 
GeneralMy vote of 5 Pin
Manoj Kumar Choubey20-Feb-12 21:36
professionalManoj Kumar Choubey20-Feb-12 21:36 
QuestionWin32 handle passed to Cursor is not valid or is the wrong type. Pin
Member 40789589-Dec-11 5:05
Member 40789589-Dec-11 5:05 
AnswerRe: Win32 handle passed to Cursor is not valid or is the wrong type. Pin
sapatag5-Jul-12 2:15
sapatag5-Jul-12 2:15 
GeneralGreat idea! Pin
danlobo13-Oct-11 8:16
danlobo13-Oct-11 8:16 
Questionvery nice Pin
BillW3311-Oct-11 6:06
professionalBillW3311-Oct-11 6:06 
QuestionNice One Pin
Gandalf_TheWhite10-Oct-11 2:15
professionalGandalf_TheWhite10-Oct-11 2:15 
GeneralMy vote of 5 Pin
Oshtri Deka9-Oct-11 0:28
professionalOshtri Deka9-Oct-11 0:28 
GeneralRe: My vote of 5 Pin
Pieter Van Parys12-Oct-11 5:08
Pieter Van Parys12-Oct-11 5:08 
QuestionVery good Pin
marc ochsenmeier19-Sep-11 9:35
marc ochsenmeier19-Sep-11 9:35 
AnswerRe: Very good Pin
Pieter Van Parys20-Sep-11 0:23
Pieter Van Parys20-Sep-11 0:23 
Thx! Thumbs Up | :thumbsup:
QuestionLove It! Pin
NickPace8-Sep-11 13:05
NickPace8-Sep-11 13:05 
AnswerRe: Love It! Pin
Pieter Van Parys8-Sep-11 22:50
Pieter Van Parys8-Sep-11 22:50 
GeneralAwesome! Pin
abdurahman ibn hattab7-Sep-11 2:00
abdurahman ibn hattab7-Sep-11 2:00 
GeneralRe: Awesome! Pin
Pieter Van Parys7-Sep-11 6:13
Pieter Van Parys7-Sep-11 6:13 
QuestionGreat stuff Pin
KDME7-Sep-11 1:23
KDME7-Sep-11 1:23 
AnswerRe: Great stuff Pin
Pieter Van Parys7-Sep-11 4:26
Pieter Van Parys7-Sep-11 4:26 
QuestionMy vote of 5 Pin
Filip D'haene6-Sep-11 23:36
Filip D'haene6-Sep-11 23:36 
AnswerRe: My vote of 5 Pin
Pieter Van Parys7-Sep-11 6:14
Pieter Van Parys7-Sep-11 6:14 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.