为了实现Ruby hash的自动生成,可以使用下面的类
class AutoHash < Hash
def initialize(*args)
super()
@update, @update_index = args[0][:update], args[0][:update_key] unless
args.empty?
end
def [](k)
if self.has_key?k
super(k)
else
AutoHash.new(:update => self, :update_key => k)
end
end
def []=(k, v)
@update[@update_index] = self if @update and @update_index
super
end
def few(n=0)
Array.new(n) { AutoHash.new }
end
end
这个类允许做以下事情
a = AutoHash.new
a[:a][:b] = 1
p a[:c] # => {} # key :c has not been created
p a # => {:a=>{:b=>1}} # note, that it does not have key :c
a,b,c = AutoHash.new.few 3
b[:d] = 1
p [a,b,c] # => [{}, {:d=>1}, {}] # hashes are independent
有a bit more advanced definition本类(class)的proposed by Joshua ,这对我来说有点难以理解。
问题
有一种情况,我认为新类可以改进。以下代码失败并显示错误消息 NoMethodError: undefined method '+' for {}:AutoHash
a = AutoHash.new
5.times { a[:sum] += 10 }
你会怎样处理它?可以定义 []+=
运算符吗?
相关问题
- Is auto-initialization of multi-dimensional hash array possible in Ruby, as it is in PHP?
- Multiple initialization of auto-vivifying hashes using a new operator in Rubyruby hash initialization r
- 仍然开放: How to create an operator for deep copy/cloning of objects in Ruby?
无法在 ruby 中定义 []+=
方法。当你输入时会发生什么
x[y] += z
是
x[y] = x[y] + z
因此 []
和 []=
方法都在 x
上调用(并且 +
被调用在 x[y]
上,在本例中是一个 AutoHash
)。我认为处理这个问题的最好方法是在 AutoHash
上定义一个 +
方法,它只会返回它的参数。这将使 AutoHash.new[:x] += y
适用于任何类型的 y
,因为 y.class< 的“空”版本
(''
代表字符串,0
代表数字,...)加上 y
几乎总是等于 y
.
class AutoHash
def +(x); x; end
end
添加该方法将使这两种方法都起作用:
# Numbers:
a = AutoHash.new
5.times { a[:sum] += 10 }
a[:sum] #=> 50
# Strings:
a = AutoHash.new
5.times { a[:sum] += 'a string ' }
a[:sum] #=> "a string a string a string a string a string "
顺便说一句,这是您的代码的更简洁版本:
class AutoHash < Hash
def initialize(args={})
super
@update, @update_index = args[:update], args[:update_key]
end
def [](k)
if has_key? k
super(k)
else
AutoHash.new :update => self, :update_key => k
end
end
def []=(k, v)
@update[@update_index] = self if @update and @update_index
super
end
def +(x); x; end
def self.few(n)
Array.new(n) { AutoHash.new }
end
end
:)
我是一名优秀的程序员,十分优秀!