登录
首页 >  Golang >  Go问答

与常规函数调用相比,使用方法有什么优势

来源:stackoverflow

时间:2024-04-16 20:39:36 486浏览 收藏

小伙伴们有没有觉得学习Golang很有意思?有意思就对了!今天就给大家带来《与常规函数调用相比,使用方法有什么优势》,以下内容将会涉及到,若是在学习中对其中部分知识点有疑问,或许看了本文就能帮到你!

问题内容

我们可以将结构体作为参数而不是方法传递给函数。那么go中方法的意义是什么呢?谁能举例说明一下

简单来说,我很想知道一种情况,“一种方法可以执行使用函数无法实现的操作。”或者方法逻辑有什么好处。

使用结构体调用方法或函数的示例代码 包主要

import (
    “fmt”
)

type person struct {
    name string
    age int
}

// function takes struct argument
func functioncall(first person) {
    fmt.println(“normal funtion call”, first)
}

//method call on struct type
func (second persoan) methodcall() {
    fmt.println(“method function call”, second)
}

func main() {
    p1 := person{“satish”, 23}
    p1.name = “kumar”
    functioncall(p1)
    p1.name = “yes”
    p1.methodcall()
}
Output:
Normal Funtion call {kumar 23}
Method Function call {Yes 23}

正确答案


正如 cerise 提到的,方法的“usp”是它们与接口绑定并让您编写“面向对象”代码(为了完整性,结构嵌入还允许您编写“面向对象”代码)。

以经典的 Stringer 接口为例,您的“person”类型只需实现 string() 方法即可实现 stringer 接口。请参阅此代码示例:https://tour.golang.org/methods/17

现在,这样做的原因(而不是编写函数)是“person”类型的任何实例现在都可以作为参数传递给接受 stringer 作为输入的代码。举一个高度简化的例子,我们假设某个库中有一些函数提供了一些您需要调用的非常复杂的行为。但这个函数接受 stringer 类型的参数:

func somecomplexfunction (s stringer) {
    //some complex code
}

如果“person”实现了 string(),您可以将 person 的实例传递给这个假设的函数

p1 := person{“satish”, 23}
somecomplexfunction(p1)

复杂函数显然不知道您的 person 类型,但由于 person 实现了 stringer 接口(通过实现 stringer 的方法),因此可以使用它。在某些情况下,您可以通过传递函数作为参数(“c”样式函数指针)来实现相同的目的...但这样做代码复杂性可能会增加一点。

举一个更“真实”的例子,假设您有代表商店中不同产品的类型和用于处理发货的发货处理器。为了避免每次添加新产品时都必须更改发货代码,最好使用接口(带有方法)来提供此抽象。

type MobilePhone struct {
    //fields 
}

func (o *MobilePhone) GetWeight() float64 {
    //return the product's weight
}

type Toy struct {
    //fields
}

func (o *Toy) GetWeight() float64 {
    //return the product's weight
}

type IShippable interface {
    GetWeight() float64
    //other shipment related methods
}

ShipmentProcessort(shipment IShippable) {
    //code to process shipment
}

今天带大家了解了的相关知识,希望对你有所帮助;关于Golang的技术知识我们会一点点深入介绍,欢迎大家关注golang学习网公众号,一起学习编程~

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