10

我有一个日期范围(从,到),我想循环不同的时间间隔(每天,每周,每月,...)

我怎样才能遍历这个日期范围?

更新

感谢您的回答,我想出了以下内容:

interval = 'week' # month, year
start = from
while start < to
  stop  = start.send("end_of_#{interval}")
  if stop > to
    stop = to
  end
  logger.debug "Interval from #{start.inspect} to #{stop.inspect}"
  start = stop.send("beginning_of_#{interval}")
  start += 1.send(interval)
end

这将遍历一个间隔为周、月或年的日期范围,并尊重给定间隔的开始和结束。

由于我没有在我的问题中提到这一点,我选择了将我推向正确方向的答案。

4

4 回答 4

7

循环直到from日期加1.day, 1.week, 或1.month大于to日期?

 > from = Time.now
 => 2012-05-12 09:21:24 -0400 
 > to = Time.now + 1.month + 2.week + 3.day
 => 2012-06-29 09:21:34 -0400 
 > tmp = from
 => 2012-05-12 09:21:24 -0400 
 > begin
?>   tmp += 1.week
?>   puts tmp
?> end while tmp <= to
2012-05-19 09:21:24 -0400
2012-05-26 09:21:24 -0400
2012-06-02 09:21:24 -0400
2012-06-09 09:21:24 -0400
2012-06-16 09:21:24 -0400
2012-06-23 09:21:24 -0400
2012-06-30 09:21:24 -0400
 => nil 
于 2012-05-12T13:18:39.920 回答
7

在 Ruby 1.9 中,我在 Range 上添加了我自己的方法来遍历时间范围:

class Range
  def time_step(step, &block)
    return enum_for(:time_step, step) unless block_given?

    start_time, end_time = first, last
    begin
      yield(start_time)
    end while (start_time += step) <= end_time
  end
end

然后,您可以这样调用,例如(我的示例使用 Rails 特定方法:15.minutes):

irb(main):001:0> (1.hour.ago..Time.current).time_step(15.minutes) { |time| puts time }
2012-07-01 21:07:48 -0400
2012-07-01 21:22:48 -0400
2012-07-01 21:37:48 -0400
2012-07-01 21:52:48 -0400
2012-07-01 22:07:48 -0400
=> nil

irb(main):002:0> (1.hour.ago..Time.current).time_step(15.minutes).map { |time| time.to_s(:short) }
=> ["01 Jul 21:10", "01 Jul 21:25", "01 Jul 21:40", "01 Jul 21:55", "01 Jul 22:10"]

请注意,此方法使用 Ruby 1.9 约定,如果没有给出块,枚举方法返回一个枚举器,这允许您将枚举器串在一起。

更新

我已将 Range#time_step 方法添加到我的个人core_extensions"gem"中。如果您想在 Rails 项目中使用它,只需将以下内容添加到您的 Gemfile 中:

gem 'core_extensions', github: 'pdobb/core_extensions'
于 2012-07-02T02:42:16.017 回答
4

succ 方法在 1.9 范围内已弃用。想要每周做同样的事情,我找到了这个解决方案:

  def by_week(start_date, number_of_weeks)
    number_of_weeks.times.inject([]) { |memo, w| memo << start_date + w.weeks }
  end

这将返回间隔中的周数组。轻松适应数月。

于 2013-03-22T10:18:01.843 回答
0

您在 Range 对象上有 step 方法。http://ruby-doc.org/core-1.9.3/Range.html#method-i-step

于 2012-05-12T13:24:00.863 回答