1 回答
TA贡献1775条经验 获得超11个赞
我认为您将字符串而不是对象传递给您的计算方法。
对于某些位置,分数与您要求的值不太匹配,它们显示的分数为 0.6 而不是 0.5,尽管我相信逻辑是正确的。
例如,Londontowne, MD 与原点的距离为 3.82°(平均纬度/经度偏移),因此得分将为 round(10 - 3.82) = 6 / 10 = 0.6。
我添加了另一种计算分数的方法,(scoreII) 只是为了好玩,它将计算与原点的距离为 0 公里的 1.00 到 1000 公里或更大的 0.00 的值。(我使用了这个出色答案中的距离公式:calculate-distance-between-two-latitude-longitude-points-havesine-formula)
const suggestions = [ { name: "London, ON, Canada", latitude: 42.98339, longitude: -81.23304 }, { name: "Londontowne, MD, USA", latitude: 38.93345, longitude: -76.54941 }, { name: "London, OH, USA", latitude: 39.88645, longitude: -83.44825 }, { name: "Londonderry, NH, USA", latitude: 42.86509, longitude: -71.37395 }, { name: "New London, CT, USA", latitude: 41.35565, longitude: -72.09952 }, { name: "New London, WI, USA", latitude: 44.39276, longitude: -88.73983 }, { name: "London, KY, USA", latitude: 37.12898, longitude: -84.08326 } ];
console.log(calculateScore(suggestions, 43.70011, -79.4163))
function getDistanceFromLatLonInKm(lat1,lon1,lat2,lon2) {
var R = 6371; // Radius of the earth in km
var dLat = deg2rad(lat2-lat1); // deg2rad below
var dLon = deg2rad(lon2-lon1);
var a =
Math.sin(dLat/2) * Math.sin(dLat/2) +
Math.cos(deg2rad(lat1)) * Math.cos(deg2rad(lat2)) *
Math.sin(dLon/2) * Math.sin(dLon/2)
;
var c = 2 * Math.atan2(Math.sqrt(a), Math.sqrt(1-a));
var d = R * c; // Distance in km
return d;
}
function deg2rad(deg) {
return deg * (Math.PI/180)
}
function calculateLocationScoreII(location, latitude, longitude) {
const distanceKm = getDistanceFromLatLonInKm(location.latitude, location.longitude, latitude, longitude);
let score = 1000 - distanceKm;
score = score > 0 ? Math.round(score/10) / 100 : 0;
return score;
}
function calculateLocationScore(location, latitude, longitude) {
const lat = Math.abs(location.latitude - latitude);
const long = Math.abs(location.longitude - longitude);
let score = 10 - (lat + long) / 2;
score = score > 0 ? Math.round(score) / 10 : 0;
return score;
}
function calculateScore(suggestions, latitude, longitude) {
// Clone the suggestions.
const suggestionsResult = suggestions.map(s => { return {...s}});
return suggestionsResult.map(suggestion => {
suggestion.score = calculateLocationScore(suggestion, latitude, longitude);
suggestion.scoreII = calculateLocationScoreII(suggestion, latitude, longitude);
return suggestion;
});
}
添加回答
举报