我尝试通过循环在运行时winform中添加300个按钮。这需要很多时间,所以我想在循环运行时显示.gif加载图像。 loading.gif只显示但在循环结束前没有动画。那是为什么?
pictureBox1.Load("loading.gif");
pictureBox1.Invalidate();
pictureBox1.Update();
// loop to add buttons
this.SuspendLayout();
for (int i = 0; i < 300; i++)
// add buttons
this.ResumeLayout();
this.PerformLayout();
答案 0 :(得分:4)
循环阻止UI线程,因此pictureBox1
不会更新。有几种可能性可以解决这个问题:
丑陋的:在你的按钮创建循环中不时地使用Application.DoEvents();
(即不是每一轮)。
或者你可以从计时器创建按钮,每次10或20,直到你得到300。
或者您可以使用基于线程的启动画面。但是,重要的是所有按钮都是由UI线程创建的。
或者找到一个不需要300个按钮的更好的解决方案。
答案 1 :(得分:1)
可以手动处理动画事件。令人惊讶的是,OnFrameChanged
事件仍然会触发,从而可以进行动画制作。
public class Form1 : Form {
Button btn = new Button { Text = "Button", Dock = DockStyle.Top };
AsyncPictureBox box = new AsyncPictureBox("c:\\temp\\chick_dance.gif") { Dock = DockStyle.Fill };
public Form1() {
Controls.Add(box);
Controls.Add(btn);
btn.Click += delegate {
box.AnimateImage = !box.AnimateImage;
Thread.Sleep(30000);
};
}
}
public class AsyncPictureBox : Control {
Bitmap bitmap = null;
bool currentlyAnimating = false;
int frameCount = 0;
int frame = 0;
public AsyncPictureBox(String filename) {
bitmap = new Bitmap(filename);
this.DoubleBuffered = true;
frameCount = bitmap.GetFrameCount(System.Drawing.Imaging.FrameDimension.Time);
}
public bool AnimateImage {
get {
return currentlyAnimating;
}
set {
if (currentlyAnimating == value)
return;
currentlyAnimating = value;
if (value)
ImageAnimator.Animate(bitmap, OnFrameChanged);
else
ImageAnimator.StopAnimate(bitmap, OnFrameChanged);
}
}
// even though the UI thread is busy, this event is still fired
private void OnFrameChanged(object o, EventArgs e) {
Graphics g = this.CreateGraphics();
g.Clear(this.BackColor);
bitmap.SelectActiveFrame(System.Drawing.Imaging.FrameDimension.Time, frame);
frame = (frame + 1) % frameCount;
g.DrawImage(bitmap, Point.Empty);
g.Dispose();
}
protected override void Dispose(bool disposing) {
base.Dispose(disposing);
if (disposing) {
if (bitmap != null)
bitmap.Dispose();
bitmap = null;
}
}
}