代码之家  ›  专栏  ›  技术社区  ›  kmad1729

在golang中有效地包装公共sdk类型

go
  •  0
  • kmad1729  · 技术社区  · 7 年前

    我正在使用pagerduty go sdk 执行一系列api请求。 尤其是我在利用

    func NewClient(authToken string) *Client

    创建新的客户端类型。我想在我自己的工作中添加一些实用函数 *Client . 我试着这样做:

    type BetterPdClient *pagerduty.Client
    
    func NewClient(auth string) BetterPdClient {
        return pagerduty.NewClient(auth)
    
    }
    
    func (b *BetterPdClient) DoSomething() {
        b.GetIncident(....)
    }
    
    func main() {
        pd_client := NewClient("")
        fmt.Println(pd_client)
        pd_client.DoSomething()
    }
    

    invalid receiver type *BetterPdClient (BetterPdClient is a pointer type) 
    

    我理解 DoSomething() 需要一个指针作为调用方。我能想到的唯一其他方法是将ptr作为函数参数发送:

    func NewClient(auth string) *pagerduty.Client { 
        return pagerduty.NewClient(auth) 
    
    } 
    
    func DoSomething(cl *pagerduty.Client) { 
        fmt.Println(cl) 
    } 
    
    func main() { 
        pd_client := NewClient("") 
        fmt.Println(pd_client) 
        DoSomething(pd_client) 
    } 
    

    有更好的方法吗?

    1 回复  |  直到 7 年前
        1
  •  1
  •   mkopriva    7 年前

    将类型声明为 指针 到另一个类型几乎从来都不是您想要的,因为Go不允许您向该新类型添加方法,也不允许您向该类型的指针添加方法。这个也不能编译:

    type T struct{}
    
    type P *T
    
    func (P) M() {}
    

    如果您想在不“隐藏”现有功能的情况下“扩展”一个类型,那么最好将其嵌入到结构中。

    type T struct{
        // ...
    }
    
    func (T) M() {}
    
    type U struct {
        *T
    }
    
    func NewU() *U {
        return &U{&T{}}
    }
    
    func (U) N() {}
    
    func main() {
        u := NewU()
    
        u.M()
        u.N()
    }
    

    我所说的“隐藏现有功能”是指,当你用另一个已经存在的类型定义一个新类型时,你的新类型将不会 直接的 访问现有类型的方法。你所做的只是说你的新类型应该有相同的 结构 作为已存在的类型。尽管值得指出的是,该属性使您能够 转换 一种类型到另一种类型。。。

    type T struct{
        // ...
    }
    
    func (T) M() {}
    
    type U T
    
    func NewU() *U {
        return &U{}
    }
    
    func (U) N() {}
    
    func main() {
        u := NewU()
    
        u.M() // compile error
        u.N()
    
        // convert *U to *T and then call M
        (*T)(u).M()
    }