MongoDB (Mgo v2) 投影 returns 父结构

MongoDB (Mgo v2) Projection returns parent struct

我这里有一个建筑对象,里面有一组地板对象。

在投影时,我的目标是 return 或在相应地匹配元素后计算建筑对象内的地板对象的数量。代码如下:

对象:

type Floor struct {
    // Binary JSON Identity
    ID bson.ObjectId `bson:"_id,omitempty"`
    // App-level Identity
    FloorUUID string `bson:"f"`
    // Floor Info
    FloorNumber int `bson:"l"`
    // Units
    FloorUnits []string `bson:"u"`
    // Statistics
    Created time.Time `bson:"y"`
}

type Building struct {
    // Binary JSON Identity
    ID bson.ObjectId `bson:"_id,omitempty"`
    // App-level Identity
    BldgUUID string `bson:"b"`
    // Address Info
    BldgNumber  string `bson:"i"` // Street Number
    BldgStreet  string `bson:"s"` // Street
    BldgCity    string `bson:"c"` // City
    BldgState   string `bson:"t"` // State
    BldgCountry string `bson:"x"` // Country
    // Building Info
    BldgName      string `bson:"w"`
    BldgOwner     string `bson:"o"`
    BldgMaxTenant int    `bson:"m"`
    BldgNumTenant int    `bson:"n"`
    // Floors
    BldgFloors []Floor `bson:"p"`
    // Statistics
    Created time.Time `bson:"z"`
}

代码:

func InsertFloor(database *mgo.Database, bldg_uuid string, fnum int) error {

    fmt.Println(bldg_uuid)
    fmt.Println(fnum) // Floor Number

    var result Floor // result := Floor{}

    database.C("buildings").Find(bson.M{"b": bldg_uuid}).Select(
        bson.M{"p": bson.M{"$elemMatch": bson.M{"l": fnum}}}).One(&result)

    fmt.Printf("AHA %s", result)
    return errors.New("x")
}

事实证明,无论我如何尝试查询 return 都是建筑对象,而不是楼层对象?我需要做哪些更改才能让查询获取和计算楼层而不是建筑物?

这样做是为了在插入之前检查建筑物内的楼层是否已经存在。如果有更好的方法,我会用更好的方法替换我的方法!

谢谢!

您正在查询一个 Building 文档,因此 mongo returns 即使您尝试使用投影来掩盖它的某些字段。

我不知道在 find 查询中计算 mongo 数组中元素数量的方法,但是您可以使用聚合框架,其中有 $size 运算符就是这样做的。所以你应该发送这样的查询到 mongo :

db.buildings.aggregate([
{
    "$match":
    {
        "_id": buildingID,
        "p": {
             "$elemMatch": {"l": fNum}
         }
    }
},
{
    "$project":
    {
        nrOfFloors: {
            "$size": "$p"
        }
    }
}])

go中看起来像

result := []bson.M{}
match := bson.M{"$match": bson.M{"b": bldg_uuid, "p": bson.M{"$elemMatch": bson.M{"l": fNum}}}}
count := bson.M{"$project": bson.M{"nrOfFloors": bson.M{"$size": "$p"}}}
operations := []bson.M{match, count}
pipe := sess.DB("mgodb").C("building").Pipe(operations) 
pipe.All(&result)