Go 在 MongoDB 中常用查询与修改的操作

以下所有例子中结构定义如下:

type User struct {
    Id_ bson.ObjectId `bson:"_id"`
    Name string `bson:"name"`
    Age int `bson:"age"`
    JoinedAt time.Time `bson:"joined_at"`
    Interests []string `bson:"interests"`
    Num []int `bson:"num"`
}

1、查询

通过func (c *Collection) Find(query interface{}) *Query来进行查询,返回的Query struct可以有附加各种条件来进行过滤。

通过Query.All()可以获得所有结果,通过Query.One()可以获得一个结果,注意如果没有数据或者数量超过一个,One()会报错。

条件用bson.M{key: value},注意key必须用MongoDB中的字段名,而不是struct的字段名。

1.1、查询所有

var users []User
c.Find(nil).All(&users)

上面代码可以把所有Users都查出来:

1.2、根据ObjectId查询

id := "5204af979955496907000001"
objectId := bson.ObjectIdHex(id)
user := new(User)
c.Find(bson.M{"_id": objectId}).One(&user)

更简单的方式是直接用FindId()方法:

c.FindId(objectId).One(&user)

注意这里没有处理err。当找不到的时候用One()方法会出错。

1.3、单条件查询

=($eq)
c.Find(bson.M{"name": "Jimmy Kuu"}).All(&users)
!=($ne)
c.Find(bson.M{"name": bson.M{"$ne": "Jimmy Kuu"}}).All(&users)
>($gt)
c.Find(bson.M{"age": bson.M{"$gt": 32}}).All(&users)
<($lt)
c.Find(bson.M{"age": bson.M{"$lt": 32}}).All(&users)
>=($gte)
c.Find(bson.M{"age": bson.M{"$gte": 33}}).All(&users)
<=($lte)
c.Find(bson.M{"age": bson.M{"$lte": 31}}).All(&users)
in($in)
c.Find(bson.M{"name": bson.M{"$in": []string{"Jimmy Kuu", "Tracy Yu"}}}).All(&users)

1.4、多条件查询

and($and)
c.Find(bson.M{"name": "Jimmy Kuu", "age": 33}).All(&users)
or($or)
c.Find(bson.M{"$or": []bson.M{bson.M{"name": "Jimmy Kuu"}, bson.M{"age": 31}}}).All(&users)

2、修改

通过func (*Collection) Update来进行修改操作。

func (c *Collection) Update(selector interface{}, change interface{}) error

注意修改单个或多个字段需要通过$set操作符号,否则集合会被替换。

2.1、($set)

//修改字段的值
c.Update(
    bson.M{"_id": bson.ObjectIdHex("5204af979955496907000001")},
    bson.M{"$set": bson.M{ "name": "Jimmy Gu", "age": 34 }}
)

2.2、inc($inc)

//字段增加值
c.Update(
    bson.M{"_id": bson.ObjectIdHex("5204af979955496907000001")},
    bson.M{"$inc": bson.M{ "age": -1 }}
)
//字段Num数组第三个数增加值
c.Update(
    bson.M{"_id": bson.ObjectIdHex("5204af979955496907000001")},
    bson.M{"$inc": bson.M{ "Num." + strconv.Itoa(2): 1 }})

2.3、push($push)

//从数组中增加一个元素
c.Update(
    bson.M{"_id": bson.ObjectIdHex("5204af979955496907000001")},
    bson.M{"$push": bson.M{ "interests": "Golang" }}
)

2.4、pull($pull)

//从数组中删除一个元素
c.Update(
    bson.M{"_id": bson.ObjectIdHex("5204af979955496907000001")},
    bson.M{"$pull": bson.M{ "interests": "Golang" }}
)

2.5、删除

c.Remove(bson.M{"name": "Jimmy Kuu"})

补充:golang mongodb查找find demo

使用gopkg.in/mgo.v2库操作,插入操作主要使用mongodb中Collection对象的Find方法,函数原型:

func (c *Collection) Find(query interface{}) *Query

查找的时候Find的参数都会用bson.M类型

type M map[string]interface{}

例如:bson.M{"name": "Tom"}相当直接mongodb的查询条件{"name": "Tom"}

统一封装下getDB方法

package main

import (
     "fmt"

     "gopkg.in/mgo.v2"
     "gopkg.in/mgo.v2/bson"
)

// get mongodb db
func getDB() *mgo.Database {
     session, err := mgo.Dial( "172.16.27.134:10001" )
     if err != nil {
         panic(err)
     }

     session.SetMode(mgo.Monotonic, true)
     db := session.DB( "test" )
     return db
}

查找单条记录

func findOne() {
     db := getDB()

     c := db.C( "user" )

     // 用struct接收,一般情况下都会这样处理
     type User struct {
         Name string  "bson:`name`"
         Age  int     "bson:`age`"
     }
     user := User{}
     err := c.Find(bson.M{ "name" :  "Tom" }).One(&user)
     if err != nil {
         panic(err)
     }
     fmt.Println(user)
     // output: {Tom 20}

     // 用bson.M结构接收,当你不了解返回的数据结构格式时,可以用这个先查看,然后再定义struct格式
     // 在处理mongodb组合查询时,经常这么干
     result := bson.M{}
     err = c.Find(nil).One(&result)
     if err != nil {
         panic(err)
     }
     fmt.Println(result)
     // output: map[_id:ObjectIdHex("56fdce98189df8759fd61e5b") name:Tom age:20]

}

查找多条记录

func findMuit() {
     db := getDB()

     c := db.C( "user" )

     // 使用All方法,一次性消耗较多内存,如果数据较多,可以考虑使用迭代器
     type User struct {
         Id   bson.ObjectId `bson: "_id,omitempty" `
         Name string         "bson:`name`"
         Age  int            "bson:`age`"
     }
     var users []User
     err := c.Find(nil).All(&users)
     if err != nil {
         panic(err)
     }
     fmt.Println(users)
     // output: [{ObjectIdHex("56fdce98189df8759fd61e5b") Tom 20}...]

     // 使用迭代器获取数据可以避免一次占用较大内存
     var user User
     iter := c.Find(nil).Iter()
     for iter.Next(&user) {
         fmt.Println(user)
     }
     // output:
     // {ObjectIdHex("56fdce98189df8759fd61e5b") Tom 20}
     // {ObjectIdHex("56fdce98189df8759fd61e5c") Tom 20}
     // ...
}

查找指定字段

主要使用Select函数:

func (q *Query) Select(selector interface{}) *Query
func findField() {
     db := getDB()

     c := db.C( "user" )

     // 只读取name字段
     type User struct {
         Name string  "bson:`name`"
     }
     var users []User
     err := c.Find(bson.M{}).Select(bson.M{ "name" :  1 }).All(&users)
     if err != nil {
         panic(err)
     }
     fmt.Println(users)
     // output: [{Tom} {Tom} {Anny}...]

     // 只排除_id字段
     type User2 struct {
         Name string  "bson:`name`"
         Age  int     "bson:`age`"
     }
     var users2 []User2
     err = c.Find(bson.M{}).Select(bson.M{ "_id" :  0 }).All(&users2)
     if err != nil {
         panic(err)
     }
     fmt.Println(users2)
     // output: [{Tom 20} {Tom 20} {Anny 28}...]

}

查询嵌套格式数据

func findNesting() {
     db := getDB()

     c := db.C( "user" )

     // 使用嵌套的struct接收数据
     type User struct {
         Name string  "bson:`name`"
         Age  int     "bson:`age`"
         Toys []struct {
             Name string  "bson:`name`"
         }
     }
     var users User
     // 只查询toys字段存在的
     err := c.Find(bson.M{ "toys" : bson.M{ "$exists" : true}}).One(&users)
     if err != nil {
         panic(err)
     }
     fmt.Println(users)
     // output: {Tom 20 [{dog}]}
}

查找数据总数

func count() {
     db := getDB()

     c := db.C( "user" )

     // 查找表总数
     count, err := c.Count()
     if err != nil {
         panic(err)
     }
     fmt.Println(count)
     // output: 8

     // 结合find条件查找
     count, err = c.Find(bson.M{ "name" :  "Tom" }).Count()
     if err != nil {
         panic(err)
     }
     fmt.Println(count)
     // output: 6

}

对数据进行排序

使用Sort函数

func (q *Query) Sort(fields ...string) *Query
func findSort() {
     db := getDB()
     c := db.C( "user" )
     type User struct {
         Id   bson.ObjectId `bson: "_id,omitempty" `
         Name string         "bson:`name`"
         Age  int            "bson:`age`"
     }
     var users []User
     // 按照age字段降序排列,如果升序去掉横线"-"就可以了
     err := c.Find(nil).Sort( "-age" ).All(&users)
     if err != nil {
         panic(err)
     }
     fmt.Println(users)
     // output:
     // [{ObjectIdHex("56fdce98189df8759fd61e5d") Anny 28} ...]
     // ...
}

分页查询

使用Skip函数和Limit函数

func (q *Query) Skip(n int) *Query
func (q *Query) Limit(n int) *Query
func findPage() {
     db := getDB()
     c := db.C( "user" )
     type User struct {
         Id   bson.ObjectId `bson: "_id,omitempty" `
         Name string         "bson:`name`"
         Age  int            "bson:`age`"
     }
     var users []User
     // 表示从偏移位置为2的地方开始取两条记录
     err := c.Find(nil).Sort( "-age" ).Skip( 2 ).Limit( 2 ).All(&users)
     if err != nil {
         panic(err)
     }
     fmt.Println(users)
     // output:
     // [{ObjectIdHex("56fdce98189df8759fd61e5d") Anny 20} ...]
     // ...
}

以上为个人经验,希望能给大家一个参考,也希望大家多多支持我们。如有错误或未考虑完全的地方,望不吝赐教。

(0)

相关推荐

  • 详解Golang使用MongoDB通用操作

    MongoDB是Nosql中常用的一种数据库,今天笔者就简单总结一下Golang如何使用这些通用的供能的,不喜勿喷...        研究的事例结构如下: type LikeBest struct { AuthorName string `bson:"authorname,omitempty"` BookName string `bson:"bookname,omitempty"` PublishTime string `bson:"publishtim

  • Golang对MongoDB数据库的操作简单封装教程

    前言 Golang 对MongoDB的操作简单封装 使用MongoDB的Go驱动库 mgo,对MongoDB的操作做一下简单封装 mgo(音mango)是MongoDB的Go语言驱动,它用基于Go语法的简单API实现了丰富的特性,并经过良好测试. 初始化 操作没有用户权限的MongoDB var globalS *mgo.Session func init() { s, err := mgo.Dial(dialInfo) if err != nil { log.Fatalf("Create Se

  • Golang Mongodb模糊查询的使用示例

    前言 在日常使用的Mongodb中,有一项功能叫做模糊查询(使用正则匹配),例如: db.article.find({"title": {$regex: /a/, $options: "im"}}) 这是我们常用Mongodb的命令行使用的方式,但是在mgo中做出类似的方式视乎是行不通的: query := bson.M{"title": bson.M{"$regex": "/a/", "$opt

  • Go 在 MongoDB 中常用查询与修改的操作

    以下所有例子中结构定义如下: type User struct { Id_ bson.ObjectId `bson:"_id"` Name string `bson:"name"` Age int `bson:"age"` JoinedAt time.Time `bson:"joined_at"` Interests []string `bson:"interests"` Num []int `bson:&

  • java中常用工具类之字符串操作类和MD5加密解密类

    java中常用的工具类之String和MD5加密解密类 我们java程序员在开发项目的是常常会用到一些工具类.今天我分享一下我的两个工具类,大家可以在项目中使用. 一.String工具类 package com.itjh.javaUtil; import java.io.ByteArrayInputStream; import java.io.File; import java.io.FileInputStream; import java.io.FileOutputStream; import

  • 浅谈mongodb中query查询

    Mongodb最大的功能之一就是它支持动态查询,就跟传统的关系型数据库查询一样,但是它的查询来的更灵活. 一.  Query Expression Objects:查询表达式对象 查询表达式文档也是一个BSON结构的文档,例如,我们可以用下面的查询语句来查询集合中的所有记录: db.users.find({}) 这里,表达式对象是一个空文档,在查询的时候去去匹配所有的记录.再看: 复制代码 代码如下: db.users.find({'last_name': 'Smith'}) 这里,我们将会查询

  • PHP中常用的几个 mysql操作

    显示数据库或表: 复制代码 代码如下: show databases;//然后可以use database_name; show tables; 更改表名: 复制代码 代码如下: alter table table_name rename new_t; 添加列 : 复制代码 代码如下: alter table table_name add column c_n column attributes; 删除列: 复制代码 代码如下: alter table table_name drop colum

  • 整理Python中常用的conda命令操作

    1 conda介绍 conda是一个python的包管理器,用来管理.安装.更新python的包和相关的依赖.另外,conda可以为特定任务创建独立的环境,每个环境中可以只安装需要用到的包和依赖,还可以将环境导出成yml文件,然后别人可以通过你导出的yml文件可以创建一样的环境. 1.1 查看版本 conda -V #或 conda info 1.2 更新到当前版本 conda update conda 1.3 查看某个命令帮助文档 conda [command] --help 例如conda

  • PHP中MongoDB数据库的连接、添加、修改、查询、删除等操作实例

    PHP 扩展mongon.mod.dll下载http://cn.php.net/manual/en/mongo.installation.php#mongo.installation.windows 然后php.ini添加 extension=php_mongo.dll 最后phpinfo() 查找到 表标PHP已经自带了mongo功能,你就可以操作下面的代码(但是你必须有安装mongodb服务器) 一.连接数据库 使用下面的代码创建一个数据库链接 复制代码 代码如下: <?php $conne

  • 使用aggregate在MongoDB中查询重复数据记录的方法

    MongoDB中聚合(aggregate)主要用于处理数据(诸如统计平均值,求和等),并返回计算后的数据结果.有点类似sql语句中的 count(*). aggregate() 方法 MongoDB中聚合的方法使用aggregate(). 语法 aggregate() 方法的基本语法格式如下所示: >db.COLLECTION_NAME.aggregate(AGGREGATE_OPERATION) 我们知道,MongoDB属于文档型数据库,其存储的文档类型都是JSON对象.正是由于这一特性,我们

  • Java实现链表中元素的获取、查询和修改方法详解

    本文实例讲述了Java实现链表中元素的获取.查询和修改方法.分享给大家供大家参考,具体如下: 本节是在上一小节Java链表中添加元素的基础上继续完善我们的链表相关方法的编写,在本节中我们着重对如何获取链表中元素.查询元素以及修改元素进行学习. 一.获取元素 1.关于获取链表中元素的方法的分析 由于我们使用了虚拟头结点,而我们每次都需要从第一个真实节点开始,因此需要首先得到虚拟头结点的下一个节点是谁,然后在此基础上进行遍历工作,相关代码如下: //获取链表的第index(0-based)个位置的元

  • Mysql、Oracle中常用的多表修改语句总结

    今天在sql训练题库中看到了这题,这是一道很有代表性的多表修改题,其实解出这道题并不难,无论是mysql中还是oracle中都有很多种解法,接下来就好好归纳一下这些解法. msyql中多表修改 对于mysql中常用的多表修改语句,还是用例子来解释一下吧. //建表 create table aaa(id int,value1 int(5),value2 int(5),value3 int(5),value4 int(5)); create table bbb like aaa; //插入数据 i

  • 在php7中MongoDB实现模糊查询的方法详解

    前言 在实际开发中, 有不少的场景需要使用到模糊查询, MongoDB shell 模糊查询很简单: db.collection.find({'_id': /^5101/}) 上面这句就是查询_id以'5101'开始的内容. 在老的MogoDB中模糊查询挺简单的,这里简单记录下模糊查询的操作方式: 命令行下: db.letv_logs.find({"ctime":/uname?/i}); php操作 $query=array("name"=>new Mongo

随机推荐