Я не знаком с программными библиотеками для этой проблемы. но если вы говорите в двумерном пространстве, то тут мне в голову приходит математика:
Вы можете найти расстояние между любыми двумя точками в 2D-пространстве, используя этот расчет:
расстояние = sqrt ((X2 - X1) ^ 2 + (Y2 - Y1) ^ 2)
в котором ^ 2 означает питание от 2.
так скажем, у вас есть массив объектов Point (здесь я определяю простой класс для Point), таким образом вы можете узнать, какие точки соседствуют:
class Point {
protected $_x = 0;
protected $_y = 0;
public function __construct($x,$y) {
$this->_x = $x;
$this->_y = $y;
}
public function getX() {
return $this->_x;
}
public function getY() {
return $this->_y;
}
public function getDistanceFrom($x,$y) {
$distance = sqrt( pow($x - $this->_x , 2) + pow($y - $this->_y , 2) );
return $distance;
}
public function isCloseTo($point=null,$threshold=10) {
$distance = $this->getDistanceFrom($point->getX(), $point->getY() );
if ( abs($distance) <= $threshold ) return true;
return false;
}
public function addNeighbor($point) {
array_push($this->_neighbors,$point);
return count($this->_neighbors);
}
public function getNeighbors() {
return $this->_neighors;
}
}
$threshold = 100; // the threshold that if 2 points are closer than it, they are called "close" in our application
$pointList = array();
/*
* here you populate your point objects into the $pointList array.
*/
// you have your coordinates, right?
$myPoint = new Point($myXCoordinate, $myYCoordinate);
foreach ($pointList as $point) {
if ($myPoint->isCloseTo($point,$threshold) {
$myPoint->addNeighbor($point);
}
}
$nearbyPointsList = $myPoint->getNeighbors();
edit: Извините, я забыл формулу линейного расстояния. оба значения расстояний по осям X и Y должны быть снабжены энергией 2, и тогда результатом будет сумма их суммы. код теперь исправлен.