登录
首页 >  Golang >  Go问答

功能实现接口

来源:Golang技术栈

时间:2023-04-17 08:51:03 437浏览 收藏

Golang小白一枚,正在不断学习积累知识,现将学习到的知识记录一下,也是将我的所得分享给大家!而今天这篇文章《功能实现接口》带大家来了解一下功能实现接口,希望对大家的知识积累有所帮助,从而弥补自己的不足,助力实战开发!


问题内容

我想知道这里发生了什么。

有一个 http 处理程序的接口:

type Handler interface {
    ServeHTTP(*Conn, *Request)
}

这个实现我想我明白了。

type Counter int

func (ctr *Counter) ServeHTTP(c *http.Conn, req *http.Request) {
    fmt.Fprintf(c, "counter = %d\n", ctr);
    ctr++;
}

据我了解,“Counter”类型实现了接口,因为它有一个具有所需签名的方法。到目前为止,一切都很好。然后给出这个例子:

func notFound(c *Conn, req *Request) {
    c.SetHeader("Content-Type", "text/plain;", "charset=utf-8");
    c.WriteHeader(StatusNotFound);
    c.WriteString("404 page not found\n");
}

// Now we define a type to implement ServeHTTP:
type HandlerFunc func(*Conn, *Request)
func (f HandlerFunc) ServeHTTP(c *Conn, req *Request) {
    f(c, req) // the receiver's a func; call it
}
// Convert function to attach method, implement the interface:
var Handle404 = HandlerFunc(notFound);

有人可以详细说明为什么或如何将这些不同的功能组合在一起吗?

正确答案

这:

type Handler interface {
    ServeHTTP(*Conn, *Request)
}

表示任何满足Handler接口的类型都必须有ServeHTTP方法。以上将在包内http

type Counter int

func (ctr *Counter) ServeHTTP(c *http.Conn, req *http.Request) {
    fmt.Fprintf(c, "counter = %d\n", ctr);
    ctr++;
}

这在对应于 ServeHTTP 的 Counter 类型上放置了一个方法。这是一个与以下内容不同的示例。

据我了解,“Counter”类型实现了接口,因为它有一个具有所需签名的方法。

这是正确的。

以下函数本身不能用作Handler

func notFound(c *Conn, req *Request) {
    c.SetHeader("Content-Type", "text/plain;", "charset=utf-8");
    c.WriteHeader(StatusNotFound);
    c.WriteString("404 page not found\n");
}

这些东西的其余部分只是适合上面的,所以它可以是Handler.

在下文中,aHandlerFunc是一个函数,它接受两个参数, _指向 的指针Conn_和 指向 的指针Request,并且不返回任何内容。换句话说,任何接受这些参数但不返回任何内容的函数都可以是HandlerFunc.

// Now we define a type to implement ServeHTTP:
type HandlerFunc func(*Conn, *Request)

ServeHTTP是添加到 type 的方法HandlerFunc

func (f HandlerFunc) ServeHTTP(c *Conn, req *Request) {
    f(c, req) // the receiver's a func; call it
}

它所做的只是f使用给定的参数调用函数本身()。

// Convert function to attach method, implement the interface:
var Handle404 = HandlerFunc(notFound);

在上面的行中,通过人为地从函数本身创建类型实例并将函数放入实例的方法中,notFound已被接口接受。现在可以配合界面使用了。这基本上是一种技巧。Handler``ServeHTTP``Handle404``Handler

好了,本文到此结束,带大家了解了《功能实现接口》,希望本文对你有所帮助!关注golang学习网公众号,给大家分享更多Golang知识!

声明:本文转载于:Golang技术栈 如有侵犯,请联系study_golang@163.com删除
相关阅读
更多>
最新阅读
更多>
课程推荐
更多>
评论列表