用下面的代码

func (s Store) Lookup(department string, number string) (*types.Course, error) {
    var result *types.Course
    err := s.collection.Find(bson.M{
        "department":    department,
        "course_number": number,
    }).One(result)

    if err != nil {
        switch err {
        case mgo.ErrNotFound:
            return nil, ErrNotFound
        default:
            log.Error(err)
            return nil, ErrInternal
        }
    }

    return result, nil
}

我遇到了错误:
reflect: reflect.Value.Set using unaddressable value

如果将第一行从var result *types.Course更改为result := &types.Course{},则没有错误。两者之间到底有什么区别?

最佳答案

这两个otions都声明了*types.Course类型的变量。第一个指针值为nil。第二个被初始化为指向types.Course类型的值。

 var result *types.Course    // result == nil
 result := &types.Course{}   // result != nil, points to a value.
 result := new(types.Course) // basically the same as the second

mgo函数需要一个指向值的指针。 nil指针不指向值。

编写此代码的典型方法是:
var result types.Course   // declare variable of result type, not a pointer
err := s.collection.Find(bson.M{
    "department":    department,
    "course_number": number,
}).One(&result)           // pass address of value to function

关于mongodb - Golang MongoDB(mgo)查找反射错误,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/33795132/

10-16 12:27