我不确定自己在做什么错。我试图将if语句合并到 Controller 的edit函数中。当我知道自己没有结束提示时,我不断收到一条错误消息,说我缺少结束声明。我想知道我是否应该在ifs之前做一个“do”语句?我不确定那将如何工作。

class FiltersController < ApplicationController

(.. other stuff ..)

def edit
    @filter = Filter.first
    @project = Project.all

    if (@filter.date_to =! nil) && (@filter.date_from =! nil)
        if (@filter.project =! nil)
            @hourlogs = Hourlog.where([project_id: @filter.project], ["date >= ?" date_from], ["date <= ?" date_to])
        elsif (@filter.project == nil)
            @hourlogs = Hourlog.where(["date >= ?" date_from, "date <= ?" date_to])
        end
    elsif (@filter.project == nil)
        @hourlogs = Hourlog.all
    else
        @hourlogs = Hourlog.all
    end
end

(.. more stuff ..)

end
对于类,编辑功能,第一个“ifs”和第二个“ifs”,我都有结束语句。
这是我得到的错误:
/vagrant/src/hourly/app/controllers/filters_controller.rb:26: syntax error, unexpected tIDENTIFIER, expecting ']' ...roject], ["date >= ?" date_from], ["date <= ?" date_to]).ord... ... ^~~~~~~~~ /vagrant/src/hourly/app/controllers/filters_controller.rb:26: syntax error, unexpected tIDENTIFIER, expecting ']' ...ate_from], ["date <= ?" date_to]).order(date: :desc).paginat... ... ^~~~~~~ /vagrant/src/hourly/app/controllers/filters_controller.rb:28: syntax error, unexpected tIDENTIFIER, expecting ']' ...og.where(["date >= ?" date_from, "date <= ?" date_to]).order... ... ^~~~~~~~~ /vagrant/src/hourly/app/controllers/filters_controller.rb:28: syntax error, unexpected tIDENTIFIER, expecting &. or :: or '[' or '.' ... date_from, "date <= ?" date_to]).order(date: :desc).paginat... ... ^~~~~~~
这是它的照片:
error message for end statements
我之前没有在 Controller 中包含if语句,所以我不确定自己在做什么错。根据我在网上阅读的文章,这是正确的语法。请帮忙。
编辑:看起来问题是由where子句中的多个要求引起的,尤其是 =日期。但是我仍然被困住。
@hourlogs = Hourlog.where([project_id: @filter.project], ["date >= ?" date_from], ["date <= ?" date_to])
是否需要构造where语句方面的任何输入?

最佳答案

在Ruby中,测试对象是否为零时,请使用nil?。在Rails中,在测试用户输入时使用present?blank?,因为它们也会拒绝空字符串。

def edit
  @filter = Filter.first
  @project = Project.all
  @hourlogs = Hourlog.all
  if @filter.project.present?
    @hourlogs = @hourlogs.where(project_id: @filter.project)
  end
  if @filter.date_to.present? && @filter.date_from.present?
    @hourlogs = @hourlogs.where(date: @[email protected]_from)
  end
end
在Ruby中,not equals运算符是!=。不过,通常最好使用unless,并且不要像使用低级语言那样将值与nil或true/false进行比较。而是在对象本身上使用谓词方法-Ruby是一种完全面向对象的语言。
并且由于.where是可加的,因此您可以从基本范围开始,并通过重新分配变量将更多条件添加到where子句中。

关于ruby-on-rails - “where”语句中的参数给出 “missing end”错误,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/64516565/

10-16 15:42