我想在我的 rails 应用程序中为相同的帖子提供两种视图。例如 - 在一个登录用户可以更新和编辑帖子的地方,在另一个地方,任何用户都可以查看它并对其发表评论或选择它。
我该怎么办?我需要单独的课程吗?我知道我需要一个单独的视图,但是模型和控制器呢?
我想在我的 rails 应用程序中为相同的帖子提供两种视图。例如 - 在一个登录用户可以更新和编辑帖子的地方,在另一个地方,任何用户都可以查看它并对其发表评论或选择它。
我该怎么办?我需要单独的课程吗?我知道我需要一个单独的视图,但是模型和控制器呢?
1.case:您的视图将具有相似的内容,但只有登录用户才会有额外的选项,如编辑。
您应该使用局部视图,并在主视图中编写如下内容:
<% if signed_in? %>
<%= render 'edit_form' %>
<% end %>
请记住,partial 的名称应始终以下划线开头,因此在这种情况下,您的 partial 将被称为_edit_form.html.erb
or _edit_form.html.haml
,具体取决于您使用的内容。
2.case:根据用户是否登录,你想要呈现完全不同的视图,那么你应该在你的控制器中处理它:
def show
if signed_in?
render 'show_with_edit'
else
render 'show_without_edit`
end
end
您的文件将被命名show_with_edit.html.erb
为show_without_edit.html.erb
此外,如果您的登录用户视图被调用,show
那么您可以这样做:
def show
render 'show_without_edit' unless signed_in?
end
3.case:如果您想根据用户是否登录来改变一切,您可以创建一些自定义方法并在原始操作中调用它们,如下所示:
def show
if singed_in?
show_signed_in
else
show_not_signed_in
end
end
private
def show_signed_in
# declaring some instance variables to use in the view..
render 'some_view'
end
def show_not_signed_in
# declaring some other instance variables to use in the view..
render 'some_other_view'
end