5

我有一个具有多个日期属性的模型。我希望能够将值设置和获取为字符串。我像这样过度使用了其中一种方法(bill_date):

  def bill_date_human
    date = self.bill_date || Date.today
    date.strftime('%b %d, %Y')
  end
  def bill_date_human=(date_string)
    self.bill_date = Date.strptime(date_string, '%b %d, %Y')
  end

这对我的需求非常有用,但是我想对其他几个日期属性做同样的事情......我将如何利用缺少的方法,以便可以像这样设置/获取任何日期属性?

4

2 回答 2

11

正如您已经知道所需方法的签名,最好定义它们而不是使用method_missing. 你可以这样做(在你的类定义中):

[:bill_date, :registration_date, :some_other_date].each do |attr|
  define_method("#{attr}_human") do
    (send(attr) || Date.today).strftime('%b %d, %Y')
  end   

  define_method("#{attr}_human=") do |date_string|
    self.send "#{attr}=", Date.strptime(date_string, '%b %d, %Y')
  end
end

如果列出所有日期属性不是问题,那么这种方法会更好,因为您处理的是常规方法而不是内部的一些魔法method_missing

如果您想将其应用于名称以您结尾的所有属性,_date您可以像这样检索它们(在您的类定义中):

column_names.grep(/_date$/)

这是method_missing解决方案(未测试,尽管前一个也未测试):

def method_missing(method_name, *args, &block)
  # delegate to superclass if you're not handling that method_name
  return super unless /^(.*)_date(=?)/ =~ method_name

  # after match we have attribute name in $1 captured group and '' or '=' in $2
  if $2.blank?
    (send($1) || Date.today).strftime('%b %d, %Y')
  else
    self.send "#{$1}=", Date.strptime(args[0], '%b %d, %Y')
  end
end

此外,重写respond_to?方法并返回true方法名称也很好,您可以在内部处理method_missing(在 1.9 中您应该重写respond_to_missing?)。

于 2012-01-16T20:29:01.847 回答
5

您可能对 ActiveModel 的AttributeMethods模块(活动记录已经用于一堆东西)感兴趣,这几乎(但不完全)是您所需要的。

简而言之,您应该能够做到

class MyModel < ActiveRecord::Base

  attribute_method_suffix '_human'

  def attribute_human(attr_name)
    date = self.send(attr_name) || Date.today
    date.strftime('%b %d, %Y')
  end
end

完成此操作后,my_instance.bill_date_human将调用attribute_humanattr_name 设置为“bill_date”。ActiveModel 将为您处理诸如method_missing,之类的事情respond_to。唯一的缺点是所有列都存在这些 _human 方法。

于 2012-01-16T22:12:44.327 回答