Golang和MongoDB:带过滤器的DeleteMany

时间:2019-06-19 05:43:58

标签: mongodb go mongo-go

我尝试使用go的官方mongodb驱动程序(go.mongodb.org/mongo-driver)从Go应用程序中读取和写入和删除数据。

这是我要使用的结构:

self._t0 = float((1 + 8 + 2)) / self.baudrate
self.inter_char_timeout = 1.5 * self._t0

由于此方法可以正常工作,因此我省略了添加到集合中的代码。

我可以使用以下代码(缩写)获取具有特定contact_id的联系人列表:

Contact struct {
    ID               xid.ID `json:"contact_id" bson:"contact_id"`
    SurName          string `json:"surname" bson:"surname"`
    PreName          string `json:"prename" bson:"prename"`
}
// xid is https://github.com/rs/xid

这有效并返回文档。我考虑过要对delete或匹配的get做同样的事情:

filter := bson.D{}
cursor, err := contactCollection.Find(nil, filter)
for cur.Next(context.TODO()) {
  ...
}

为什么相同的过滤器不能用于删除?

编辑:插入代码如下:

// delete - abbreviated
filter := bson.M{"contact_id": id}
result, _ := contactCollection.DeleteMany(nil, filter)
// result.DeletedCount is always 0, err is nil
if err != nil {
    sendError(c, err) // helper function
    return
}

c.JSON(200, gin.H{
    "ok":      true,
    "message": fmt.Sprintf("deleted %d patients", result.DeletedCount),
}) // will be called, it is part of a webservice done with gin

// get complete
func Get(c *gin.Context) {
    defer c.Done()

    id := c.Param("id")
    filter := bson.M{"contact_id": id}

    cur, err := contactCollection.Find(nil, filter)
    if err != nil {
        sendError(c, err) // helper function
        return
    } // no error

    contacts := make([]types.Contact, 0)
    for cur.Next(context.TODO()) { // nothing returned
        // create a value into which the single document can be decoded
        var elem types.Contact
        err := cur.Decode(&elem)
        if err != nil {
            sendError(c, err) // helper function
            return
        }
        contacts = append(contacts, elem)
    }

    c.JSON(200, contacts)
}

2 个答案:

答案 0 :(得分:2)

Contact.ID的类型为xid.ID,它是一个字节数组:

type ID [rawLen]byte

因此,您使用string文字为ID字段指定值时提供的插入代码将是编译时错误:

_, _ = contactCollection.InsertOne(context.TODO(), Contact{
    ID: "abcdefg",
    SurName: "Demo",
    PreName: "on stackoverflow",
})

您在稍后的评论中澄清了上述插入代码仅是示例,而不是实际操作方式。在您的真实代码中,您将请求中的联系人(或其ID字段)取消封送。

xid.ID有其自己的解编组逻辑,该逻辑可能会以不同的方式解释输入数据,并可能导致ID代表与输入不同的string值。 ID.UnmarshalJSON()定义如何将string ID转换为xid.ID

func (id *ID) UnmarshalJSON(b []byte) error {
    s := string(b)
    if s == "null" {
        *id = nilID
        return nil
    }
    return id.UnmarshalText(b[1 : len(b)-1])
}

如您所见,第一个字节被截断,ID.UnmarshalText()对其进行更多的“魔术处理”(如果您有兴趣,请检查源代码)。

全面,为避免在您不知情的情况下在后台发生此类“转换”,请为ID使用简单的string类型,并在需要存储/传输ID的位置自行进行必要的转换

答案 1 :(得分:0)

对于ID字段,您应该使用bson软件包提供的primitive.ObjectID

"go.mongodb.org/mongo-driver/bson/primitive"

ID          primitive.ObjectID `json:"_id" bson:"_id"`