Mysql
 sql >> Base de données >  >> RDS >> Mysql

Fusionner les points long/lat dans une boîte englobante en fonction d'un rayon dans MySQL

Cette opération peut être trop compliquée à exécuter sans l'aide de PHP ou d'un autre langage de programmation. Voici comment vous pourriez le faire en PHP :

<?
    $link = mysqli_connect("host", "user", "pass", "database");

    // Grab all the points from the db and push them into an array
    $sql = "SELECT * FROM data";
    $res = $link->query($sql);
    $arr = array();
    for($i = 0; $i < mysqli_num_rows($res); $i++){
        array_push($arr, mysqli_fetch_assoc($res));
    }

    // Cycle through the point array, eliminating those points that "touch" 
    $rad = 1000; //radius in KM
    for($i = 0; $i < count($arr); ++$i){
        $lat1 = $arr[$i]['lat'];
        $lon1 = $arr[$i]['long'];
        for($j = 0; $j<count($arr); ++$j){
            if($i != $j && isset($arr[$i]) && isset($arr[$j])){ // do not compare a point to itself
                $lat2 = $arr[$j]['lat'];
                $lon2 = $arr[$j]['long'];
                // get the distance between each pair of points using the haversine formula
                $dist = acos( sin($lat1*pi()/180)*sin($lat2*pi()/180) + cos($lat1*pi()/180)*cos($lat2*pi()/180)*cos($lon2*PI()/180-$lon1*pi()/180) ) * 6371;
                if($dist < $rad){
                    echo "Removing point id:".$arr[$i]['id']."<br>";
                    unset($arr[$i]);
                }
            }
        }
    }

    //display results
    echo "Remaining points:<br>";
    foreach($arr as $val){
        echo "id=".$val['id']."<br>";
    }
?>

La sortie de ce code sur les données que vous avez fournies est :

    Removing point id:1
    Removing point id:2
    Remaining points:
    id=3
    id=4

Notez que cela supprime simplement les points qui se chevauchent, il ne fait aucune moyenne des positions. Vous pourriez facilement ajouter cela cependant. J'espère que cela vous aidera.