在Rails中创建博客并使用“编辑”功能复制帖子,然后将更改保存到新记录中。我想要编辑,只需编辑原始帖子,不要做任何重复。
想知道是否有人可以帮助我。
这是一些代码......如果我需要发布任何其他内容,请告诉我!
posts_controller.rb
class PostsController < ApplicationController
def index
@posts = Post.all.order('created_at DESC')
end
def new
if user_signed_in?
@post = Post.new
else
redirect_to new_user_session_path
end
end
def create
@post = Post.new(post_params)
@post.save
redirect_to @post
end
def show
@post = Post.find(params[:id])
end
def edit
if user_signed_in?
@post = Post.find(params[:id])
else
redirect_to new_user_session_path
end
end
def update
@post = Post.find(params[:id])
if @post.update(params[:post].permit(:title, :category, :body))
redirect_to @post
else
render 'edit'
end
end
def destroy
if user_signed_in?
@post = Post.find(params[:id])
@post.destroy
redirect_to posts_path
else
redirect_to new_user_session_path
end
end
private
def post_params
params.require(:post).permit(:title, :category, :body)
end
end
_form.html.erb
<%= form_for :post, url: posts_path do |f| %>
<p>
<%= f.label :title %>
<%= f.text_field :title %>
</p>
<p>
<%= f.label :category %>
<%= f.select :category, ['x', 'y', 'z'] %>
</p>
<p>
<%= f.label :body %>
<%= f.text_area :body %>
</p>
<p class="actions"><%= link_to 'Back to Posts', posts_path %> | <%= f.submit %></p>
<% end %>
的routes.rb
Rails.application.routes.draw do
resources :posts, :lines
get 'home/index'
devise_for :users
root 'home#index'
devise_scope :user do
get "/admin" => "devise/sessions#new"
end
end
答案 0 :(得分:2)
您的表单是使用POST
操作构建的,因为form_for
中的第一个参数是符号:post
而不是实例@post
。如果你有一个部分的表单,因为你想要使用编辑和新视图的字段,你应该将Ruby的字段放在部分中,但将form_for
调用放在编辑和新视图中。在编辑视图中,您应该使用
<%= form_for @post do |f| %>
因此它为现有记录构建表单,而不是新记录。
答案 1 :(得分:0)
您必须为新的和编辑表单提供不同的form action paths
:
<%= form_for :line, url: lines_path do |f| %>
错误在于url
。
如果按惯例设置路由,例如路由文件中的resources :posts
,则可以从表单帮助方法中删除url
参数,Rails会为您处理。
如果您的路线不符合REST
惯例。你可能应该将url作为局部变量提供给partial。
您的创建视图:
<%= render partial: 'form', locals: { url: path_to_create_action } %>
您的更新视图:
<%= render partial: 'form', locals: { url: path_to_update_action } %>
在_form.html.erb中:
<%= form_for :line, url: url do |f| %>
<!-- ... -->
<% end %>
您可以在Docs中找到更多信息。