PHP安裝GeoIP擴展和數據庫根據IP獲取訪客所在國家/城市/經緯度等信息
而後就能夠用geoip_record_by_name($_SERVER['REMOTE_ADDR'])根據用戶IP肯定經緯度了.
注意:geoip_record_by_name()返回的西經和南緯是負數.
5000米轉成經緯度:
緯度 Latitude: 1 deg = 110852 m
經度 Longitude: 1 deg = 111320*cos(lat) m
同一經線上,相差一緯度約爲 110852 米
同一緯線上,相差一經度約爲 111320*cos(lat) 米 (lat爲該緯線的緯度)php
<?php //以當前用戶經緯度爲中心,查詢5000米內的其餘用戶 $y = 5000 / 110852; //緯度的範圍 $x = 5000 / (111320*cos($lat)); //經度的範圍 $sql = ' select * from user where lat >= ($lat-$y) and lat <= ($lat+$y) and lon >= ($lon-$x) and lon <= ($lon+$x); ';
數據庫用戶表中設兩個字段,分別存儲用戶的經度lat和緯度lon.
($lat-$y) <= lat <= ($lat+$y)
($lon-$x) <= lon <= ($lon+$x)
這個範圍是一個粗略的範圍,下面計算距離後把超過5千米的用戶去掉便可.
根據上面查詢出來的用戶的經緯度,
用半正矢公式(Haversine)根據經緯度計算兩點間距離:git
<?php function distance($lat1, $lon1, $lat2, $lon2) { $R = 6371393; //地球平均半徑,單位米 $dlat = deg2rad($lat2-$lat1); $dlon = deg2rad($lon2-$lon1); $a = pow(sin($dlat/2), 2) + cos(deg2rad($lat1)) * cos(deg2rad($lat2)) * pow(sin($dlon/2), 2); $c = 2 * atan2(sqrt($a), sqrt(1-$a)); $d = $R * $c; return round($d); } echo distance(0, 0, -1, 0); // 111202米
而後就能夠用uasort或array_multisort由近到遠列出用戶了,好比有名爲win,osx,lin這3個用戶:sql
<?php $arr = array( 'win' => array( 'dis' => 1024, 'age' => 31 ), 'osx' => array( 'dis' => 512, 'age' => 15 ), 'lin' => array( 'dis' => 512, 'age' => 25 ) ); foreach($arr as $k => $v) { $sort['dis'][$k] = $v['dis']; $sort['age'][$k] = $v['age']; } //先按距離升序排序,若是距離相同,則按年齡降序排序 array_multisort($sort['dis'], SORT_ASC, $sort['age'], SORT_DESC, $arr); echo json_encode($arr); //{"lin":{"dis":512,"age":25},"osx":{"dis":512,"age":15},"win":{"dis":1024,"age":31}}