我正在尝试在Rails 5中构建员工排班/安排应用程序。我们的想法是让每个员工都有一个用户帐户,他们可以登录以输入他们可以工作的日子,然后是老板根据可用性预订轮班。这样一个网站的一个很好的例子是https://www.findmyshift.com/。
该网站的主要部分是日历,每个用户都有自己的日历实例。每个用户在日历表中都有自己的行,每行显示一周中的日期。
我看了几个插件,包括FullCalendar和dhtmlxScheduler,但决定尝试从头开始。我已经设法根据此Railscast构建了一个基本日历,效果很好。其中3个主要部分如下:
home_controller.rb:
class HomeController < ApplicationController
def index
@date = params[:date] ? Date.parse(params[:date]) : Date.today
end
end
index.html.erb:
<div id="roster">
<h2 id="month">
<%= link_to "<", date: @date.prev_week %>
<%= @date.strftime("%B %Y") %>
<%= link_to ">", date: @date.next_week %>
</h2>
<%= calendar @date do |date| %>
<%= date.day %>
<% end %>
</div>
calendar_helper.rb:
module CalendarHelper
def calendar(date = Date.today, &block)
Calendar.new(self, date, block).table
end
class Calendar < Struct.new(:view, :date, :callback)
HEADER = %w[Monday Tuesday Wednesday Thursday Friday Saturday Sunday]
START_DAY = :monday
delegate :content_tag, to: :view
def table
content_tag :table, class: "calendar" do
header + week_rows
end
end
def header
content_tag :tr do
HEADER.map { |day| content_tag :th, day }.join.html_safe
end
end
def week_rows
weeks.map do |week|
content_tag :tr do
week.map { |day| day_cell(day) }.join.html_safe
end
end.join.html_safe
end
def day_cell(day)
content_tag :td, view.capture(day, &callback), class: day_classes(day)
end
def day_classes(day)
classes = []
classes << "today" if day == Date.today
classes << "notmonth" if day.month != date.month
classes.empty? ? nil : classes.join(" ")
end
def weeks
first = date.beginning_of_week(START_DAY)
last = date.end_of_week(START_DAY)
(first..last).to_a.in_groups_of(7)
end
end
end
同样,所有这一切都很好。它显示1周的行,箭头可以及时向后和向前移动。我想要的是每周有一个PER USER行。我知道我可以在视图模板中为每个用户简单地渲染一个日历,但这包括整个事情 - 标题,周选择器和周行。我只想要1个标题+周选择器,然后每个用户的一周行作为同一个表的一部分。
我的猜测是我应该在calendar_helper.rb中的某个地方迭代每个用户,为每个用户添加一行,但我不太清楚如何继续。任何帮助将不胜感激:))
编辑:
第一张图片是我现在拥有的,第二张图片是我想要实现的 - 日历周行的多个实例,根据用户数量动态呈现。