在Rails中以多态关系构建类似按钮的表单

问题描述 投票:0回答:2

我正在尝试为类似按钮构建表单。这个类似的模型对于不同类型的模型(评论/帖子/等)是多态的,并且属于某个用户。

例如,当该用户正在查看博客项目时,我想在帖子下面显示一个类似按钮。我已经设置了我的路由,类似的路由总是嵌套在它们所针对的多态对象中:

所以对于帖子例如:

#routes.rb
resources :posts do
   resources :likes, only: [:create, :destroy]
end

所以帖子链接看起来像/posts/:post_id/likes/(方法:帖子)

在控制器中,我创建一个新的Like对象,将其分配给用户并保存。这非常有效。

问题是当我尝试创建删除表单时。我真的不知道如何创建它,我知道链接应该是/posts/:post_id/like/:id(方法:删除),但以这种方式配置会导致错误。

我认为表格也可以重构,但我不知道如何为这种“复杂”关系制作表格。

#shared/_like_button.html.haml

- if not @post.is_liked_by current_user
  = form_for(@post.likes.build, url: post_likes_path(@post)) do |f|
  = f.submit
- else
  = form_for(@post.likes.find_by(user_id: current_user.id), url: post_like_path(@post), html: {method: :delete}) do |f|
= f.submit

我认为主要问题是post_like_path(@post)无法正确渲染,因为我不知道类似的:id。因此,在尝试构建链接时,我一直在ActionController::UrlGenerationError错误中获得PostsController#show

ruby-on-rails ruby forms ruby-on-rails-4 social-media-like
2个回答
2
投票

这应该工作:

= form_for([@post, @post.likes.find_by(user_id: current_user.id)], html: {method: :delete}) do |f|

你的代码中的url: post_like_path(@post)需要第二个参数(like对象)。这就是抛出错误的原因。但是,如果将嵌套资源作为数组放在form_for帮助器的第一个参数中,则不需要它。

如果传递给form_for的记录是资源,即它对应于一组RESTful路由,例如,使用config / routes.rb中的resources方法定义。在这种情况下,Rails将简单地从记录本身推断出适当的URL。 (来源:http://apidock.com/rails/ActionView/Helpers/FormHelper/form_for

如果资源嵌套在另一个资源中,则可以传递一组资源。

现在......您可能希望将此代码重用于其他多态模型。您可以通过将@post@comment传递给您的部分来完成此操作:

= render :partial => 'like_button', locals: {likable: @post}

并像这样重构你的部分:

= form_for([likable, likable.likes.find_by(user_id: current_user.id)], html: { method: :delete}) do |form|

1
投票

没有必要使用实际的表单,你可以使用link_to。这是一个基本文本链接示例(以确保它正常工作)

- if not @post.is_liked_by current_user
  = link_to 'Like', post_like_path(@post), method: :post
- else
  = link_to 'Delete', post_like_path([@post, @post.likes.find_by(user_id: current_user.id)]), method: :delete

然后使用图像/按钮作为链接本身。

- if not @post.is_liked_by current_user
  = link_to post_like_path(@post), method: :post do
    # some html image/button
- else
  = link_to post_like_path([@post, @post.likes.find_by(user_id: current_user.id)]), method: :delete do
    # some html image/button

在接受的答案的帮助下更新了此代码,以便将来任何人都可以使用link_to。

© www.soinside.com 2019 - 2024. All rights reserved.