我无法理解如何正确使用$ literal。我正在使用mgo.v2和mgo.v2 / bson包。
db.store.aggregate([
{"$project":{
"location":{
"type":{"$literal":"Point"},
"coordinates":["$longitude","$latitude"]
}}
},])
我使用上面的代码来获取mongodb中的数据并正常工作。它给了我结果
{ "location":{
"type":"Point",
"coordinates":[77.587073,12.958794]
}}
我尝试在golang中使用相同的内容,如下所示
pipe :=DB.C("store").Pipe([]bson.M{
{"$project":bson.M{"location":
bson.M{"type":
bson.M{"$literal":"Point"},"coordinates":[]interface{}{"$longitude","$latitude"}}}}}
上面的代码,给我一个错误
恐慌:错误查询:BadValue:Point必须是数组或对象
所以我就像这样替换它
pipe :=DB.C("store").Pipe([]bson.M{
{"$project":bson.M{"location":
bson.M{"$literal":
bson.M{"type":"Point"},"coordinates":[]interface{}{"$longitude","$latitude"}}}}})
但这也引发了我的错误
恐慌:这个对象已经是一个运算符表达式,不可能 用作文档表达式(在'坐标')
我的完整作品显示在以下链接中 my work is here 请帮我解决这个问题。 谢谢
答案 0 :(得分:0)
要完成,这就是您实际尝试做的事情:
pipe := DB.C("store").Pipe([]bson.M{
{"$project": bson.M{"location": bson.M{"type": bson.M{"$literal": "Point"}, "coordinates": []interface{}{"$longitude", "$latitude"}}}},
{"$match": bson.M{"location": bson.M{"$geoWithin": bson.M{"$centerSphere": []interface{}{"$coordinates", 10 / 6378.11}}}}},
})
问题不在于您的"Point"
字面值,而只是巧合。例如,如果将其更改为"Pt"
,您仍会看到完全相同的错误消息。
错误消息中的Point
是指$centerSphere
,它需要一个中心点和一个半径。你试图通过"传递"它不起作用。
这适用于例如:
"$centerSphere": []interface{}{[]interface{}{1.0, 2.0}, 10 / 6378.11}
您的原始查询没有意义,因为您尝试查找距本身 10公里范围内的文档,该文档将匹配所有文档。
相反,您希望/应该查询距特定位置10公里范围内的文档,并且您可以将此特定位置的坐标传递给$centerSphere
:
myLong, myLat := 10.0, 20.0
// ...
"$centerSphere": []interface{}{[]interface{}{myLong, myLat}, 10 / 6378.11}
完整的查询:
myLong, myLat := 10.0, 20.0
pipe := DB.C("store").Pipe([]bson.M{
{"$project": bson.M{"location": bson.M{"type": bson.M{"$literal": "Point"}, "coordinates": []interface{}{"$longitude", "$latitude"}}}},
{"$match": bson.M{"location.coordinates": bson.M{"$geoWithin": bson.M{"$centerSphere": []interface{}{[]interface{}{myLong, myLat}, 10 / 6378.11}}}}},
})