我正在开发一个跟踪不同事件及其状态的Rails应用程序。
这是我的Status
模型:
class Status < ActiveRecord::Base
attr_accessible :value
has_many :events
end
有一个界面可以添加其他状态类型。
我的Event
模型如下所示:
class Event < ActiveRecord::Base
attr_accessible :status_id
belongs_to :status
class << self
Status.all.each do |status|
define_method(status.value.downcase) do
send("where", :status_id => Status.find_by_value(status.value.downcase))
end
end
end
end
例如,我有三种不同的状态值:Outage
,Slow
,Error
等。
我可以这样做:
Event.outage
或:
Event.slow
我会收到所有具有该状态的事件ActiveRecord::Relation
。这可以按预期工作。
我有一个使用Highcharts动态生成一些图表的视图。这是我的观看代码:
<script type="text/javascript" charset="utf-8">
$(function () {
new Highcharts.Chart({
chart: { renderTo: 'events_chart' },
title: { text: '' },
xAxis: { type: 'datetime' },
yAxis: {
title: { text: 'Event Count' },
min: 0,
tickInterval: 1
},
series:[
<% { "Events" => Event,
"Outages" => Event.outage,
"Slowdowns" => Event.slow,
"Errors" => Event.error,
"Restarts" => Event.restart }.each do |name, event| %>
{
name: "<%= name %>",
pointInterval: <%= 1.day * 1000 %>,
pointStart: <%= @start_date.to_time.to_i * 1000 %>,
pointEnd: <%= @end_date.to_time.to_i * 1000 %>,
data: <%= (@start_date..@end_date).map { |date| event.reported_on(date).count}.inspect %>
},
<% end %>]
});
});
</script>
<div id="events_chart"></div>
我想使用数据库中的Status
类型列表动态生成此哈希:
<% {
"Outage" => Event.outage,
"Slow" => Event.slow,
"Error" => Event.error,
"Restart" => Event.restart }.each do |name, event|
%>
使用类似的东西:
hash = Status.all.each do |status|
hash.merge("#{status.value}" => Event) ||= {}
end
我想在哈希上调用each
来生成我的图表。这不会给我一个哈希值,它给了我一个Array
,就像Status.all
本身一样。
答案 0 :(得分:2)
我会这样做,Enumerable#each_with_object
和Object#send
:
hash = Status.select(:value).each_with_object({}) do |s, h|
h[s.value.upcase] = Event.send s.value.downcase
end