我想使用Seer来实现一个滚动图,显示过去7天内每天的新用户。

我已经安装了Seer:

http://www.idolhands.com/ruby-on-rails/gems-plugins-and-engines/graphing-for-ruby-on-rails-with-seer

我正在努力使自己的头脑去实现。

我有一个要绘制的用户数组:

@users = User.all(:conditions => {:created_at => 7.days.ago..Time.zone.now})

无法找到实现:data_method以在created_at日期前将其汇总的正确方法。

有人用Seer做过这个或类似的事情吗?

在查看Seer示例页面(上面链接)之后,有比我更聪明的人能够解释这一点吗?

最佳答案

我假设您正在尝试按过去7天的天数显示新用户数。如果是这样,您可以执行以下操作

控制器代码

# declare a struct to hold the results
UserCountByDate = Struct.new(:date, :count)

def report
  @user_counts = User.count( :group => "DATE(created_at)",
                   :conditions => ["created_at >= ? ", 7.days.ago],
                   :order => "DATE(created_at) ASC"
                 ).collect do |date, count|
                   UserCountByDate.new(date, count)
                 end

end


查看代码

<div id="chart"></div>

<%= Seer::visualize(
      @user_counts,
      :as => :column_chart,
      :in_element =>'chart',
      :series => {
        :series_label => 'date',
        :data_method => 'count'
      },
      :chart_options => {
        :height => 300,
        :width => 100 * @user_counts.size,
        :is_3_d => true,
        :legend => 'none',
        :colors => "[{color:'#990000', darker:'#660000'}]",
        :title => "New users in last 7 days",
        :title_x => 'date',
        :title_y => 'count'
      }
    )
 -%>


data_method应该出现在用作图表输入的数组的每一行中。 ActiveRecord count方法返回一个哈希,该哈希将转换为响应structdate方法的count数组。

10-08 14:59