我有一个点字符数组,我想获取任何字符并能够遍历该数组并找到最接近的前 3 个(使用 Point.distance)邻居。谁能给我一个如何做到这一点的想法?
Brandon
问问题
1749 次
3 回答
3
这是我昨晚发布的代码的新改进版本。它由两个类组成,PointTester 和 TestCase。这次我也可以测试它了!
我们从 TestCase.as 开始
package {
import flash.geom.Point;
import flash.display.Sprite;
public class TestCase extends Sprite {
public function TestCase() {
// some data to test with
var pointList:Array = new Array();
pointList.push(new Point(0, 0));
pointList.push(new Point(0, 0));
pointList.push(new Point(0, 0));
pointList.push(new Point(1, 2));
pointList.push(new Point(9, 9));
// the point we want to test against
var referencePoint:Point = new Point(10, 10);
var resultPoints:Array = PointTester.findClosest(referencePoint, pointList, 3);
trace("referencePoint is at", referencePoint.x, referencePoint.y);
for each(var result:Object in resultPoints) {
trace("Point is at:", result.point.x, ", ", result.point.y, " that's ", result.distance, " units away");
}
}
}
}
这将是 PointTester.as
package {
import flash.geom.Point;
public class PointTester {
public static function findClosest(referencePoint:Point, pointList:Array, maxCount:uint = 3):Array{
// this array will hold the results
var resultList:Array = new Array();
// loop over each point in the test data
for each (var testPoint:Point in pointList) {
// we store the distance between the two in a temporary variable
var tempDistance:Number = getDistance(testPoint, referencePoint);
// if the list is shorter than the maximum length we don't need to do any distance checking
// if it's longer we compare the distance to the last point in the list, if it's closer we add it
if (resultList.length <= maxCount || tempDistance < resultList[resultList.length - 1].distance) {
// we store the testing point and it's distance to the reference point in an object
var tmpObject:Object = { distance : tempDistance, point : testPoint };
// and push that onto the array
resultList.push(tmpObject);
// then we sort the array, this way we don't need to compare the distance to any other point than
// the last one in the list
resultList.sortOn("distance", Array.NUMERIC );
// and we make sure the list is kept at at the proper number of entries
while (resultList.length > maxCount) resultList.pop();
}
}
return resultList;
}
public static function getDistance(point1:Point, point2:Point):Number {
var x:Number = point1.x - point2.x;
var y:Number = point1.y - point2.y;
return Math.sqrt(x * x + y * y);
}
}
}
于 2008-10-01T19:27:28.697 回答
0
值得一提的是,如果点的数量足够大,以使性能变得重要,那么可以通过保留两个点列表来更快地实现目标,一个按 X 排序,另一个按 Y 排序。然后可以找到通过循环遍历每个点,在 O(logn) 时间内而不是 O(n) 时间内最接近的 3 个点。
于 2008-10-06T07:24:26.353 回答
0
如果您使用grapefrukt 的解决方案,您可以将getDistance 方法更改return x*x + y*y;
为return Math.sqrt( x * x + y * y );
于 2008-10-12T21:13:22.860 回答