我有一个散列,其中多个键(比方说1-5)指向一个对象(让我们调用a)。 键(6-10)指向另一个对象(例如,b)。
在某些时候我合并了#34; b"进入" a",现在我必须确保每个人都看到相同的对象(也合并" a"进入" b"并且创建具有相同内容的两个对象不是一个选项)
有没有办法提及" b"只需重定向到" a" (键1-10现在指向对象a)而不手动更新键6-10?
答案 0 :(得分:2)
除非你有某种包装,否则你不能将一个对象换成另一个对象。除非性能很重要,否则最容易使用的包装器是代理对象,因为您不需要打开它们:它们的透明行为与包装对象完全相同。
class ProxyObject
# thanks to https://alisdair.mcdiarmid.org/invisible-proxies-with-ruby/
instance_methods.each do |m|
undef_method(m) unless m =~ /(^__|^nil\?$|^send$|^object_id$)/
end
attr_accessor :target
def initialize(target)
@target = target
end
def respond_to?(symbol, include_priv=false)
@target.respond_to?(symbol, include_priv)
end
private def method_missing(method, *args, &block)
@target.send(method, *args, &block)
end
end
a = 1
b = 10
a_proxy = ProxyObject.new(a)
b_proxy = ProxyObject.new(b)
a_proxy.class # verify how well they masquerade
# => Integer
hash = 10.times.map { |i| [i + 1, i < 5 ? a_proxy : b_proxy] }.to_h
# => {1=>1, 2=>1, 3=>1, 4=>1, 5=>1, 6=>10, 7=>10, 8=>10, 9=>10, 10=>10}
hash.values.sum() # confirm it behaves exactly like a number
# => 55
b_proxy.target = a_proxy.target # switch reference
hash
# => {1=>1, 2=>1, 3=>1, 4=>1, 5=>1, 6=>1, 7=>1, 8=>1, 9=>1, 10=>1}
hash.values.sum() # confirm the reference is changed
# => 10
答案 1 :(得分:0)
我想我找到了答案,但我仍然需要编码
而不是具有对象的哈希,它将包含一个数组
array [0]最初将指向自身,array [1]将是实际对象
所以这是设置:hash1-5指向arr1,hash6-10指向arr2,arr1 [0]指向自身和arr1 [0]
将arr2 [1](原问题中的b)合并到arr1 [1](原始问题中的a)之后,我将更新arr2 [0]以指向arr1。
最后,在每次密钥检索之后,我将按照
的方式运行 test = hash[6]
while test[0] != test
test = test[0]
end