我有一个表示图片选择性数据的二维数组。所有不感兴趣的数据都设置为0.从两个索引,我需要找到最接近的值 - 几何 - 与索引(表示坐标)不为0。
到目前为止,我的方法是以圆圈形式检查以兴趣点为中心的值,在每次圆圈通过后增加半径,而不会找到非零值。
这种方法的复杂性似乎是指数级的,当最近的点距离大约25像素时,程序需要很长时间。
您是否有建议使用其他方法/现有算法来完成此任务?
编辑:每个请求,我当前的代码如下:
int height;
int width;
ushort[,] _2dfat;
private ushort getAssociatedFat(int centerX, int centerY)
{
int radiusmax = (int)Math.Ceiling(Math.Sqrt(Math.Pow(height,2) + Math.Pow(width, 2) + 1));
return getAssociatedFat(1, centerX, centerY,radiusmax);
}
private ushort getAssociatedFat(int radius, int centerX, int centerY,int radiusmax) //RECURSIVE METHOD: requires extensive analysis and testing
{
ushort max=circleSym8(centerX, centerY, radius);
if (max != 0) return max;
else if (radius <= radiusmax)
return getAssociatedFat(radius + 1, centerX, centerY, radiusmax);
else
{
MessageBox.Show("WARNING: empty fat array/image");
return 0;
}
}
private ushort getMax(ushort max, int x, int y)
{
try
{
if (_2dfat[y, x] == 0) return max;
else if (_2dfat[y, x] > max) return _2dfat[y, x];
else return max;
}
catch (IndexOutOfRangeException) { return max; }
}
private ushort circleSym8(int xCenter, int yCenter, int radius)
{
int x, y, r2;
r2 = radius * radius;
ushort max=0;
max=getMax(max, xCenter, yCenter + radius);
max = getMax(max, xCenter, yCenter - radius);
max = getMax(max, xCenter + radius, yCenter);
max = getMax(max, xCenter - radius, yCenter);
y = radius;
x = 1;
y = (int)(Math.Sqrt(r2 - 1) + 0.5);
while (x < y)
{
max = getMax(max, xCenter + x, yCenter + y);
max = getMax(max, xCenter + x, yCenter - y);
max = getMax(max, xCenter - x, yCenter + y);
max = getMax(max, xCenter - x, yCenter - y);
max = getMax(max, xCenter + y, yCenter + x);
max = getMax(max, xCenter + y, yCenter - x);
max = getMax(max, xCenter - y, yCenter + x);
max = getMax(max, xCenter - y, yCenter - x);
x += 1;
y = (int)(Math.Sqrt(r2 - x * x) + 0.5);
}
if (x == y)
{
max = getMax(max, xCenter + x, yCenter + y);
max = getMax(max, xCenter + x, yCenter - y);
max = getMax(max, xCenter - x, yCenter + y);
max = getMax(max, xCenter - x, yCenter - y);
}
return max;
}
答案 0 :(得分:3)
您可以将有趣的数据存储为Quadtree或kd-tree中的点,然后以这种方式执行范围搜索。这些数据结构针对您正在执行的查找进行了优化,并将降低每次搜索的复杂性。
我设想了一个足够的四叉树实现,提供以下内容:
// Given some point in the quadtree, walk upwards and outwards
// returning points found ordered by distance
var nearestNeighbor = quadTree.Neighbors(point)
.OrderBy(pp => point.Distance(pp))
.First();