c# – Flood填充递归算法

前端之家收集整理的这篇文章主要介绍了c# – Flood填充递归算法前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我正在尝试制作一个可以在c#中填充int数组的算法.基本上,作为MS Paint中的填充工具,我有一个颜色,如果我在数组中选择(x,y)坐标,它会用新颜色替换所有具有相同初始颜色的邻居.

例如:

  1. [0,0]
  2. [0,1,0]
  3. [1,0]

如果我将3放入(0,0),则数组变为:

  1. [3,3,3]
  2. [3,3]
  3. [1,3]

所以我在递归中尝试了它,它确实有效,但不是所有时间.实际上,我有时会出现“Stack Overflow”错误(似乎合适).
这是我的代码,如果你能告诉我什么是错的话会很棒:)

  1. public int[,] fill(int[,] array,int x,int y,int initialInt,int newInt)
  2. {
  3. if (array[x,y] == initialInt)
  4. {
  5. array[x,y] = newInt;
  6.  
  7. if (x < array.GetLength(0) - 1)
  8. array = fill(array,(x + 1),y,initialInt,newInt);
  9. if (x > 0)
  10. array = fill(array,(x - 1),newInt);
  11.  
  12. if (y < array.GetLength(1) - 1)
  13. array = fill(array,x,(y + 1),newInt);
  14. if (y > 0)
  15. array = fill(array,(y - 1),newInt);
  16. }
  17.  
  18. return array;
  19. }

谢谢 !

解决方法

如何使用堆栈/队列来管理剩余的工作?
  1. public void Fill(int[,int newInt)
  2. {
  3. int initial = array[x,y];
  4.  
  5. Queue<Tuple<int,int>> queue = new Queue<Tuple<int,int>>();
  6. queue.Push(new Tuple<int,int>(x,y));
  7.  
  8. while (queue.Any())
  9. {
  10. Tuple<int,int> point = queue.Dequeue();
  11.  
  12. if (array[point.Value1,point.Value2] != initial)
  13. continue;
  14.  
  15. array[point.Value1,point.Value2] = newInt;
  16.  
  17. EnqueueIfMatches(array,queue,point.Value1 - 1,point.Value2,initial);
  18. EnqueueIfMatches(array,point.Value1 + 1,point.Value1,point.Value2 - 1,point.Value2 + 1,initial);
  19. }
  20. }
  21.  
  22. private void EnqueueIfMatches(int[,Queue<Tuple<int,int>> queue,int initial)
  23. {
  24. if (x < 0 || x >= array.GetLength(0) || y < 0 || y >= array.GetLength(1))
  25. return;
  26.  
  27. if (array[x,y] == initial)
  28. queue.Enqueue(new Tuple<int,y));
  29. }

猜你在找的C#相关文章