Alyafey
Alyafey

Reputation: 1453

Thread.Sleep() in C#

I want to make an image viewer in C# Visual Studio 2010 which displays images one by one after seconds:

i = 0;

if (image1.Length > 0) //image1 is an array string containing the images directory
{
    while (i < image1.Length)
    {
        pictureBox1.Image = System.Drawing.Image.FromFile(image1[i]);
        i++;
        System.Threading.Thread.Sleep(2000);
    }

When the program starts, it stops and just shows me the first and last image.

Upvotes: 6

Views: 40602

Answers (4)

d3dave
d3dave

Reputation: 1381

If you want to avoid using Timer and defining an event handler you can do this:

DateTime t = DateTime.Now;
while (i < image1.Length) {
    DateTime now = DateTime.Now;
    if ((now - t).TotalSeconds >= 2) {
        pictureBox1.Image = Image.FromFile(image1[i]);
        i++;
        t = now;
    }
    Application.DoEvents();
}

Upvotes: 0

CaffGeek
CaffGeek

Reputation: 22054

Use a Timer.

First declare your Timer and set it to tick every second, calling TimerEventProcessor when it ticks.

static System.Windows.Forms.Timer myTimer = new System.Windows.Forms.Timer();
myTimer.Tick += new EventHandler(TimerEventProcessor);
myTimer.Interval = 1000;
myTimer.Start();

Your class will need the image1 array and an int variable imageCounter to keep track of the current image accessible to the TimerEventProcessor function.

var image1[] = ...;
var imageCounter = 0;

Then write what you want to happen on each tick

private static void TimerEventProcessor(Object myObject, EventArgs myEventArgs) {
    if (image1 == null || imageCounter >= image1.Length)
        return;

    pictureBox1.Image = Image.FromFile(image1[imageCounter++]);
}

Something like this should work.

Upvotes: 14

ken2k
ken2k

Reputation: 48985

Yes, because Thread.Sleep blocks the UI thread during the 2s.

Use a timer instead.

Upvotes: 0

L.B
L.B

Reputation: 116118

Thread.Sleep blocks your UI thread use System.Windows.Forms.Timer instead.

Upvotes: 17

Related Questions