我猜相当容易,但不知何故文档缺少这一点(可能是它的简单性)。
我想显示表中的值,值介于最小值和最大值之间。
我的代码是:def something
@foo = Foo.where( :number => ((params[:min])..(params[:max])) )
respond_to do |format|
...
end
end
我做错了什么吗?
你检查了你的参数是数字而不是字符串吗?
@foo = Foo.where(number: (params[:min].to_i)..(params[:max].to_i))
Rails接受range
# select all where number between 1 and 10
Foo.where number: 1..10
# between 1 and 9
Foo.where number: 1...10
想想如何使用SQL做同样的事情。
Foo.where("number>?", params[:min]).where("number<?",params[:max])
您所拥有的应该可以工作,但是在这些情况下,我喜欢对进入数据库的内容添加一些控制。通常,我会这样写
def something
# Make sure something gets set and is an integer
min = (params[:min] || 0).to_i
max = (params[:max] || 10).to_i
# Do some basic range checking so that the query doesn't return every row in the database
min = 0 if min < 0
max = 100 if max > 100
@foo = Foo.where( :number => (min..max) )
respond_to do |format|
...
end
end
实际上,我刚刚添加的额外代码应该放在Foo对象的方法中以获取数据,因为这会使控制器与应该是模型代码的代码混淆。
find_by_all method:
Foo.find_all_by_number(params[:min]..params[:max])
或使用一些SQL
Foo.where('id in (?)', params[:min]..params[:max])