Ruby:我可以在类方法中使用实例方法吗?

时间:2012-06-28 13:03:15

标签: ruby-on-rails ruby class-method instance-methods

我有一个包含这个类方法的类:

def self.get_event_record(row, participant)
  event = Event.where(
      :participant_id   => participant.id,
      :event_type_code  => row[:event_type],
      :event_start_date => self.format_date(row[:event_start_date])
  ).first

  event = Event.new(
      :participant_id   => participant.id,
      :event_type_code  => row[:event_type],
      :event_start_date => self.format_date(row[:event_start_date])
  ) if event.blank?

  event
end

我在同一个类中也有一个实例方法:

def format_date(date)
  parsed_date = date.split('/')

  # if month or day are single digit, make them double digit with a leading zero
  if parsed_date[0].split("").size == 1
    parsed_date[0].insert(0, '0')
  end
  if parsed_date[1].split("").size == 1
    parsed_date[1].insert(0, '0')
  end

  parsed_date[2].insert(0, '20')

  formatted_date = parsed_date.rotate(-1).join("-")
  formatted_date
end

我为#format_date收到了“未定义的方法”错误。 (我在前面没有self的情况下试了一下)。你能不在同一个类的类方法中使用实例方法吗?

3 个答案:

答案 0 :(得分:25)

简短回答是否定的,你不能在类方法中使用类的实例方法,除非你有类似的东西:

class A
  def instance_method
    # do stuff
  end

  def self.class_method
     a = A.new
     a.instance_method
  end
end

但据我所知,format_date不一定是实例方法。所以 写format_date喜欢

def self.format_date(date)
   # do stuff
end

答案 1 :(得分:4)

只需创建类方法

def self.format_date (..)
  ...
end

如果您需要实例方法,请将其委托给类方法

def format_date *args
  self.class.format_date *args
end

我不认为从类范围调用实例方法

是个好主意

答案 2 :(得分:3)

你可以做YourClassName.new.format_date(your_date),虽然我认为很明显你应该重构代码 - 这个方法可能不属于实例。为什么不扩展日期类,或者在你正在使用的类上使format_date成为类方法?

编辑:以下是您需要考虑的其他一些事项:

  • 您的整个format_date方法需要花费很多时间才能将日期作为字符串进行操作。为什么不使用Ruby的Date类?根据您的语言环境,使用Date.parseDate.strptime甚至"01/01/2001".to_date可能会有用
  • 如果您确实需要创建自己的方法,请考虑为您的方法扩展String类:

    class String
      def to_friendly_formatted_date
        Date.strptime(self, "%d/%m/%y")
      end
    end
    "01/08/09".to_friendly_formated_date
    
  • 您的类方法正在为find_or_initialize_by辅助方法哭泣:

    self.get_event_record(row, participant)
      find_or_initialize_by_participant_id_and_event_type_code_and_event_start_date(:participant_id => participant.id, :event_type_code => row[:event_type_code], :event_start_date => row[:event_start_date].to_friendly_formatted_date)
    end
    

上帝很长,但它实现了你想要做得更优雅的事情(虽然我愿意参与辩论!)