Rust 如何调用“父方法”?像Java这样:</p>
public class parent{
    ...
    public void doSomething(){
        System.out.println("Parent method");
    }
}
public class child extends parent{
    ...
    public void doSomething(){
        super.doSomething();
        System.out.println("Child method.");
    }
}
在 Go 中,我们可以通过 struct 中的匿名字段来模拟它:
type parent struct{}
func (self *parent) doSomething() {
    fmt.Println("parent method")
}
type child struct {
    parent
}
func (self *child) doSomething() {
    self.parent.doSomething()
    fmt.Println("child method")
}
func main() {
    var c1 child
    c1.doSomething()
}
如何在 Rust 中模拟它?谢谢!