go语言既不支持类和对象,也不支持继承。但是go提供了结构和方法。。
golang中没有继承的概念,但是可以使用组合结构和方法来实现类似c++等高级的继承
#include <iostream>
using namespace std;
class Person {
public:
void Say();
};
void Person::Say() {
cout << "I'm a person." << endl;
}
// 继承
class Student : public Person {
};
int main() {
Student s;
s.Say();
return 0;
}
golang实现类似功能
package main
type Person struct {
}
func (p *Person) Say() {
println("I'm a person.")
}
// 组合
type Student struct {
Person
}
func main() {
var s Student
s.Say()
}
这两个程序运行之后结果都是:
I'm a person.
Go可以通过组合另一个类型来"继承"它的所有行为,十分直观。。。
但是c++和go的这2段代码表达的意义还是有差别的:
c++类继承表示Person类是Student类的父类,具有一种层次关系
Go的组合则表示Student 是个Person,所以Student包含了Person的所有行为,Person能干的事儿,Student肯定也能干,Student骨子里还是一个Person。。。
例子2:
package main
import "fmt"
type Base struct {
Name string
}
func (b *Base) SetName(name string) {
b.Name = name
}
func (b *Base) GetName() string {
return b.Name
}
// 组合,实现继承
type Child struct {
base Base // 这里保存的是Base类型
}
// 重写GetName方法
func (c *Child) GetName() string {
c.base.SetName("modify...")
return c.base.GetName()
}
// 实现继承,但需要外部提供一个Base的实例
type Child2 struct {
base *Base // 这里是指针
}
func (c *Child2) GetName() string {
c.base.SetName("canuser?")
return c.base.GetName()
}
func main() {
c := new(Child)
c.base.SetName("world")
fmt.Println(c.GetName())
c2 := new(Child2)
c2.base = new(Base) // 因为Child2里面的Base是指针类型,所以必须提供一个Base的实例
fmt.Println(c2.GetName())
}