处理gocb(官方Couchbase Go客户端)返回的错误时,我想检查具体的状态代码(例如StatusKeyNotFound
或StatusKeyExists
)。
喜欢这样
_, err := bucket.Get(key, entity)
if err != nil {
if err == gocb.ErrKeyNotFound {
...
}
}
可以这样做吗?
答案 0 :(得分:3)
可以这样做吗?
在gocbcore
,error.go,我们有following definition:
type memdError struct {
code StatusCode
}
// ...
func (e memdError) KeyNotFound() bool {
return e.code == StatusKeyNotFound
}
func (e memdError) KeyExists() bool {
return e.code == StatusKeyExists
}
func (e memdError) Temporary() bool {
return e.code == StatusOutOfMemory || e.code == StatusTmpFail
}
func (e memdError) AuthError() bool {
return e.code == StatusAuthError
}
func (e memdError) ValueTooBig() bool {
return e.code == StatusTooBig
}
func (e memdError) NotStored() bool {
return e.code == StatusNotStored
}
func (e memdError) BadDelta() bool {
return e.code == StatusBadDelta
}
请注意memdError
未导出,因此您无法在类型断言中使用它。
所以,采取不同的方法:定义自己的界面:
type MyErrorInterface interface {
KeyNotFound() bool
KeyExists() bool
}
并断言从gocb
返回到您的界面的任何错误:
_, err := bucket.Get(key, entity)
if err != nil {
if se, ok = err.(MyErrorInterface); ok {
if se.KeyNotFound() {
// handle KeyNotFound
}
if se.KeyExists() {
// handle KeyExists
}
} else {
// no information about states
}
}