我承认我是一个ruby新手(现在正在编写rake脚本)。在大多数语言中,复制构造函数很容易找到。找了半个小时也没找到露比。我想创建一个散列的副本,这样我就可以在不影响原始实例的情况下修改它。
一些未按预期工作的预期方法:
h0 = { "John"=>"Adams","Thomas"=>"Jefferson","Johny"=>"Appleseed"}
h1=Hash.new(h0)
h2=h1.to_hash
与此同时,我采用了这种不优雅的变通方法
def copyhash(inputhash)
h = Hash.new
inputhash.each do |pair|
h.store(pair[0], pair[1])
end
return h
end
clone方法是Ruby标准的、内置的浅复制方法:
h0 = {"John" => "Adams", "Thomas" => "Jefferson"}
# => {"John"=>"Adams", "Thomas"=>"Jefferson"}
h1 = h0.clone
# => {"John"=>"Adams", "Thomas"=>"Jefferson"}
h1["John"] = "Smith"
# => "Smith"
h1
# => {"John"=>"Smith", "Thomas"=>"Jefferson"}
h0
# => {"John"=>"Adams", "Thomas"=>"Jefferson"}
注意,行为可能会被覆盖:
该方法可能具有特定于类的行为。如果是,该行为将记录在类的#initialize_copy方法下。
clone方法是Ruby标准的、内置的浅复制方法:
h0 = {"John" => "Adams", "Thomas" => "Jefferson"}
# => {"John"=>"Adams", "Thomas"=>"Jefferson"}
h1 = h0.clone
# => {"John"=>"Adams", "Thomas"=>"Jefferson"}
h1["John"] = "Smith"
# => "Smith"
h1
# => {"John"=>"Smith", "Thomas"=>"Jefferson"}
h0
# => {"John"=>"Adams", "Thomas"=>"Jefferson"}
注意,行为可能会被覆盖:
该方法可能具有特定于类的行为。如果是,该行为将记录在类的#initialize_copy方法下。
如Marshal文档的安全考虑部分所述,
如果需要反序列化不受信任的数据,请使用JSON或其他格式
只能加载简单的“原始”的序列化格式
类型,如字符串,数组,哈希等。
下面是一个关于如何在Ruby中使用JSON进行克隆的例子:
require "json"
original = {"John"=>"Adams","Thomas"=>"Jefferson","Johny"=>"Appleseed"}
cloned = JSON.parse(JSON.generate(original))
# Modify original hash
original["John"] << ' Sandler'
p original
#=> {"John"=>"Adams Sandler", "Thomas"=>"Jefferson", "Johny"=>"Appleseed"}
# cloned remains intact as it was deep copied
p cloned
#=> {"John"=>"Adams", "Thomas"=>"Jefferson", "Johny"=>"Appleseed"}