package main

import "fmt"

type A struct {
	animal Animal
}

type Animal struct {
    Name string
}

func (a Animal) Move() {
    fmt.Printf("%s is moving\n", a.Name)
}

// 现在我想扩展一下 animal 的 Move 方法

type Dog struct {
    Animal // 嵌入结构体
    Breed  string
}

func (d Dog)  Move() {
    fmt.Printf("Dog is Move")
}

func main() {
    dog := Dog{
        Animal: Animal{Name: "Buddy"},
        Breed:  "Golden Retriever",
    }    
    // 报错
    a.animal = dog
}

实际工作中还是有这样的场景的,某个 class/struct 里面引用了一个外部的 class/struct 。我想对他调用的某个函数进行扩展一下,Java 里面,我只要继承这个外部的类,然后 override 一下我需要改写的方法,然后再改写一下赋值语句就可以。但是 golang 中好像不行,必须把类型也改了才能赋值。

当然了,如果这个变量类型是个 interface 的话,倒是可以的,但是现实情况中遇到的就是个 struct 。

举报· 113 次点击
登录 注册 站外分享
8 条回复  
Biem 初学 2024-11-3 16:27:18
了解一下 go 中`interface`的概念 ```go package main import "fmt" // 定义一个 Animal 接口 type AnimalInterface interface { Move() } // 定义 Animal 结构体 type Animal struct { Name string } func (a Animal) Move() { fmt.Printf("%s is moving\n", a.Name) } // 定义 Dog 结构体,嵌入 Animal type Dog struct { Animal // 这里嵌入了 Animal Breed string } // Dog 实现 AnimalInterface 接口 func (d Dog) Move() { fmt.Printf("Dog %s is moving\n", d.Name) } type A struct { animal AnimalInterface } func main() { dog := Dog{ Animal: Animal{Name: "Buddy"}, Breed: "Golden Retriever", } // 赋值给 A 中的 animal 字段 a := A{animal: dog} // 调用 Move 方法 a.animal.Move() // 输出: Dog Buddy is moving } ```
laikick 小成 2024-11-3 16:43:06
可以使用接口来定义行为,然后让结构体实现该接口. golang 的思想和 java 不一样
crackidz 小成 2024-11-3 17:10:44
首先,Go 里没有类...
wh1012023498 小成 2024-11-3 18:06:28
``` package main import "fmt" type Animal struct { Name string } func (a Animal) Move() { fmt.Printf("%s is moving\n", a.Name) } // 现在我想扩展一下 animal 的 Move 方法 type Dog struct { *Animal // 嵌入结构体 Breed string } func (d Dog) Move() { fmt.Printf("Dog is Move") } func main() { dog := Dog{ Animal: &Animal{Name: "Buddy"}, Breed: "Golden Retriever", } // 不会报错 dog.Move() } ```
NessajCN 小成 2024-11-3 18:40:17
go 里没有类,更没有封装,没有继承,没有子类父类等等所有 jvav 里的糟粕 你要做的只是定义个函数然后调用就好了。struct 只是个数据结构不是 class
james122333 初学 2024-11-3 19:19:38
Go 没有类只有数据结构 没有继承只有组合 组合优于继承 但 go 的组合更好
返回顶部