我要求用户输入我要创建的新类的名称。我的代码是:
puts "enter the name for a new class that you want to create"
nameofclass = gets.chomp
nameofclass = Class.new
为什么这不起作用?
此外,我想要求用户输入我要添加到该类的方法的名称。我的代码是:
puts "enter the name for a new method that you want to add to that class"
nameofmethod = gets.chomp
nameofclass.class_eval do
def nameofmethod
p "whatever"
end
end
这也不起作用。
答案 0 :(得分:11)
以下代码:
nameofclass = gets.chomp
nameofclass = Class.new
由机器解释为:
Call the function "gets.chomp"
Assign the output of this call to a new variable, named "nameofclass"
Call the function "Class.new"
Assign the output of this call to the variable "nameofclass"
正如您所看到的,如果您按照上面的说法操作,则会有一个变量被分配给两次。当第二次分配发生时,第一次失败。
您正在尝试做的事情,可能是创建一个新类,并将其命名为gets.chomp
的结果。为此,您可以使用eval:
nameofclass = gets.chomp
code = "#{nameofclass} = Class.new"
eval code
还有其他方法,这是Ruby,但eval
可能是最容易理解的。
答案 1 :(得分:5)