我在 WinForms 中制作了一个像 MsPaint 这样的程序,我正在考虑将它移到 WPF 中。
我看过很多文章,我很清楚,当涉及到使控件无效时,这是值得做的,在这种情况下这种情况经常发生(例如线工具)。
我的一位朋友使用 Java Swing 制作了相同的程序,我们遇到了有趣的事情。我们使用相同的算法“Flood Fill”来填充封闭空间(桶工具)。
他的程序制作速度要快得多。在该算法中,仅对 BitMap 进行了复杂的计算,最后只有一次重绘。
我的问题是它可能是由Java Swing 中存在的GPU 加速引起的,而 WinForms 没有使用它?换句话说,(GPU 加速)Wpf 可以比 WinForms 更快地对 Bitmap(不显示)进行操作吗?
所以这是复杂 BMP 1000x1000 上的代码 Mine 12 sec:
public override void MyMouseDownSubscriber(object sender, System.Windows.Forms.MouseEventArgs e, System.Drawing.Pen pen)
{
// public void floodFill(BufferedImage image, Point node, Color targetColor, Color replacementColor) {
PictureBox canvas = (PictureBox)sender;
Bitmap image = (Bitmap) canvas.Image;
int width = image.Width;
int height = image.Height;
Color replacementColor = pen.Color;
Point node = e.Location;
Color targetColor = image.GetPixel(node.X, node.Y);
int target = targetColor.ToArgb();
if (targetColor != replacementColor)
{
Queue<Point> queue = new Queue<Point> ();
bool noMorePixelsLeft = false;
do
{
int x = node.X;
int y = node.Y;
while (x > 0 && image.GetPixel(x - 1, y).ToArgb() == target)
{
x--;
}
bool spanUp = false;
bool spanDown = false;
while (x < width && image.GetPixel(x, y).ToArgb() == target)
{
image.SetPixel(x, y, replacementColor);
if (!spanUp && y > 0 && image.GetPixel(x, y - 1).ToArgb() == target)
{
queue.Enqueue(new Point(x, y - 1));
spanUp = true;
}
else if (spanUp && y > 0 && image.GetPixel(x, y - 1).ToArgb() != target)
{
spanUp = false;
}
if (!spanDown && y < height - 1 && image.GetPixel(x, y + 1).ToArgb() == target)
{
queue.Enqueue(new Point(x, y + 1));
spanDown = true;
}
else if (spanDown && y < height - 1 && image.GetPixel(x, y + 1).ToArgb() != target)
{
spanDown = false;
}
x++;
}
noMorePixelsLeft = false;
if (queue.Count > 0)
{
node = queue.Dequeue();
noMorePixelsLeft = true;
}
else noMorePixelsLeft = false;
} while (noMorePixelsLeft);
canvas.Invalidate();
canvas.Update();
}
}
JavaSwing 中的一个:复杂 BMP 1000x1000 上的 0,5 秒
private void floodFill(BufferedImage image, Point startPoint, Color targetColor, Color replacementColor) {
int width = image.getWidth();
int height = image.getHeight();
int target = targetColor.getRGB();
int replacement = replacementColor.getRGB();
if (target != replacement) {
Deque<Point> queue = new LinkedList<>();
do {
int x = startPoint.x;
int y = startPoint.y;
while (x > 0 && image.getRGB(x - 1, y) == target) x--;
boolean spanUp = false;
boolean spanDown = false;
while (x < width && image.getRGB(x, y) == target) {
image.setRGB(x, y, replacement);
if (!spanUp && y > 0 && image.getRGB(x, y - 1) == target) {
queue.add(new Point(x, y - 1));
spanUp = true;
} else if (spanUp && y > 0 && image.getRGB(x, y - 1) != target) spanUp = false;
if (!spanDown && y < height - 1 && image.getRGB(x, y + 1) == target) {
queue.add(new Point(x, y + 1));
spanDown = true;
} else if (spanDown && y < height - 1 && image.getRGB(x, y + 1) != target) spanDown = false;
x++;
}
} while ((startPoint = queue.pollFirst()) != null);
}
}