我想仅在特定路线/页面上显示消息。基本上,如果on / route显示消息。
我尝试过Sinatra Docs,但我找不到具体的方法来做到这一点。是否有一个Ruby方法可以使这个工作?
编辑:这是我想做的一个例子。get '/' do
erb :index
end
get '/page1' do
erb :page1
end
get '/page2' do
erb :page2
end
*******************
<!-- Layout File -->
<html>
<head>
<title></title>
</head>
<body>
<% if this page is 'page1' do something %>
<% else do something else %>
<% end %>
<%= yield %>
</body>
</html>
不知道如何使用Ruby / Sinatra定位当前页面并将其结构化为if语句。
答案 0 :(得分:3)
有几种方法可以解决这个问题(顺便说一下,即使你已经使用过ERB,我也会使用Haml,因为它对我来说输入的次数较少,而且明显有所改善)。他们中的大多数都依赖request helper,最常见的是request.path_info
。
在任何视图中,不仅仅是布局:
%p
- if request.path_info == "/page1"
= "You are on page1"
- else
= "You are not on page1, but on #{request.path_info[1..]}"
%p= request.path_info == "/page1" ? "PAGE1!!!" : "NOT PAGE1!!!"
get "/page1" do
# you are on page1
message = "This is page 1"
# you can use an instance variable if you want,
# but reducing scope is a best practice and very easy.
erb :page1, :locals => { message: message }
end
get "/page2" do
message = nil # not needed, but this is a silly example
erb :page2, :locals => { message: message }
end
get %r{/page(\d+)} do |digits|
# you'd never reach this with a 1 as the digit, but again, this is an example
message = "Page 1" if digits == "1"
erb :page_any, :locals => { message: message }
end
# page1.erb
%p= message unless message.nil?
before
阻止。before do
@message = "Page1" if request.path_info == "/page1"
end
# page1.erb
%p= @message unless @message.nil?
甚至更好
before "/page1" do
@message = "Hello, this is page 1"
end
再次或更好
before do
@message = request.path_info == "/page1" ? "PAGE 1!" : "NOT PAGE 1!!"
end
# page1.erb
%p= @message
如果您希望这样做,我建议您查看Sinatra Partial,因为当您准备好帮助工作时,处理拆分视图要容易得多。
答案 1 :(得分:1)
Sinatra没有“控制器#动作”Rail就像概念一样,所以你找不到实例化当前路线的方法。在任何情况下,您都可以查看request.path.split('/').last
以了解当前路线的相对想法。
但是,如果您想要只显示if request.path == "x"
这样的内容,更好的方法是将该内容放在模板上,除非该内容必须在布局中的其他位置呈现。在这种情况下,您可以使用Rail content_for
之类的东西。检查sinatra-content-for。