我有一个具有继承性的Crystal代码。
Person
是我的父类,它在initialize
方法中有一个person_name
字符串参数Employee
是子类,它继承自Person
,它有两个输入参数:name
和company_name
这是一个不包含继承的工作代码:
class Person
def initialize(@person_name : String)
end
def greet_person()
puts "Hi, #{@person_name} person"
end
def something()
puts "It is something"
end
end
class Employee
def initialize(@name : String, @company_name : String)
end
def greet_employee()
puts "Hi, #{@name} in #{@company_name} company"
end
end
bob = Person.new "Bob"
bob.greet_person
bob.something
john = Employee.new "John", "Acme"
john.greet_employee
输出:
Hi, Bob person
It is something
Hi, John in Acme company
如果我实现继承:
class Employee < Person
我得到以下错误:
Showing last frame. Use --error-trace for full trace.
error in line 13
Error: this 'initialize' doesn't initialize instance variable '@person_name' of Person, with Employee < Person, rendering it nilable
当然,如果我将person_name
更改为name
,代码就可以工作(我不想这样(。
- 如果父/子类中的变量名不相同,会发生什么
- 如何将
name
变量的值传递给person_name
注意:
- 我使用的是0.36.1 Crystal版本
例如Python中的类似解决方案:
class Person:
def __init__(self, person_name):
self.person_name = person_name
def greet_person(self):
print("Hi {}".format(self.person_name))
class Employee(Person):
def __init__(self, name, company_name):
Person.__init__(self, person_name=name)
self.name = name
self.company_name = company_name
def greet_employee(self):
print("Hi {} in {} company".format(self.name, self.company_name))
bob = Person("bob")
bob.greet_person()
john = Employee("john", "acme")
john.greet_person()
john.greet_employee()
输出:
Hi bob
Hi john
Hi john in acme company
一个解决方案是super
关键字。它对父类型调用相同的方法。在这种情况下,将super(@name)
放在Employee#initialize
中,并以@name
作为参数调用Person#initialize
。
或者,您可以在Employee#initialize
中手动分配@person_name = @name
,而不是调用超级方法来执行此操作。
但是,您可能需要重新考虑您的对象模型。拥有两个几乎相同的实例变量似乎不是一个好主意。也许我错过了一些东西,比如这些ivar的值可以相互独立地改变,而相同的初始化只是开始
编辑:添加了代码示例。
class Employee < Person
# alternative 1:
def initialize(@name : String, @company_name : String)
super(@name)
end
# alternative 2:
def initialize(@name : String, @company_name : String)
@person_name = @name
end
end