0

我有一个ticket类的默认 rails 列,updated_at所以当有人在票务页面上进行更新时,我正在轮询数据库以查看其他人是否同时更改了它。

在我看来,如果我这样做,它会起作用

<p>Updated at: <%= @ticket.updated_at.to_time.strftime('%Y-%m-%d %H:%M:%S') %></p>
<p>Current time: <%= Time.now.strftime('%Y-%m-%d %H:%M:%S') %></p>

<% current_time = Time.now %>

<% if @ticket.updated_at > Time.now %>
  <p>Ticket has been updated</p>
<% else %>
  <p>Ticket has not been updated</p>
<% end %>

所以这是 ajax 请求(库是我不熟悉的原型,更喜欢 jQuery):

<script type="text/javascript">
    function checkTicketUpdate() {

        var url        = '/ticket/check_ticket_update';
        var parameters = 'id=<%= @ticket.id %>&current_time=<%= current_time %>'
        var container  = 'ticket_updated_container';
        var myAjax     = new Ajax.Updater(container, url, {method: 'get', parameters: parameters});

        setTimeout(checkTicketUpdate, 5000);
    }

    checkTicketUpdate();
</script>

这是check_ticket_update来自ticket控制器的:

def check_ticket_update
  if params[:id]
    @ticket = Ticket.find_by_id(params[:id].to_i)
  end
  updated_at = @ticket.updated_at.to_time.strftime('%Y-%m-%d %H:%M:%S')
  current_time = Date.parse(params[:current_time]).strftime('%Y-%m-%d %H:%M:%S')

  if updated_at > current_time 
    render :partial => 'ticket/ticket_updated'
  end

end

这是错误的说,当视图中的相同测试表明它没有更新时,票证已更新,但我看不到导致此行为的错误。

更新

我更新了部分以吐出每个日期时间的值:

Ticket has been updated
Updated at: 2013-08-07 16:35:38 # correct datetime from database
Current Time: 2013-08-07 00:00:00 # wrong...
Raw value of params[:current_time]: Wed Aug 07 20:26:29 +0100 2013
4

1 回答 1

3

Date是为了,嗯,日期。日期的分辨率为一天,因此没有小时、分钟、... 例如:

>> Date.parse('2013-08-07 16:35:38').strftime('%Y-%m-%d %H:%M:%S')
=> "2013-08-07 00:00:00"

这意味着您的current_time字符串的小时、分钟和秒都为零。也许您想改用 a DateTime

>> DateTime.parse('2013-08-07 16:35:38').strftime('%Y-%m-%d %H:%M:%S')
=> "2013-08-07 16:35:38"
于 2013-08-07T19:25:27.840 回答