我的网站主要是首页/索引。
我想将posts控制器的内容添加到主体中。我想创建一个从首页/索引到帖子/节目的链接。我也在用脚手架。
但是我收到错误消息找不到带有'id'= 的帖子。
我该怎么办?
home_controller.rb
def index
@post = Post.new
@posts = Post.find(params[:id])
end
posts_controller.rb
class PostsController < ApplicationController
before_action :set_post, only: [:show, :edit, :update, :destroy]
# GET /posts
# GET /posts.json
def index
@posts = Post.find(params[:id])
end
# GET /posts/1
# GET /posts/1.json
def show
end
# GET /posts/new
def new
@post = Post.new
end
# GET /posts/1/edit
def edit
end
# POST /posts
# POST /posts.json
def create
@post = Post.new(post_params)
respond_to do |format|
if @post.save
format.html { redirect_to @post, notice: 'Post was successfully created.' }
format.json { render :show, status: :created, location: @post }
else
format.html { render :new }
format.json { render json: @post.errors, status: :unprocessable_entity }
end
end
end
# PATCH/PUT /posts/1
# PATCH/PUT /posts/1.json
def update
respond_to do |format|
if @post.update(post_params)
format.html { redirect_to @post, notice: 'Post was successfully updated.' }
format.json { render :show, status: :ok, location: @post }
else
format.html { render :edit }
format.json { render json: @post.errors, status: :unprocessable_entity }
end
end
end
# DELETE /posts/1
# DELETE /posts/1.json
def destroy
@post.destroy
respond_to do |format|
format.html { redirect_to posts_url, notice: 'Post was successfully destroyed.' }
format.json { head :no_content }
end
end
private
# Use callbacks to share common setup or constraints between actions.
def set_post
@post = Post.find(params[:id])
end
# Never trust parameters from the scary internet, only allow the white list through.
def post_params
params.require(:post).permit(:title, :content)
end
end
index.html.erb(home_controller)
<%= link_to 'Show', post_path(@posts.id) %>
答案 0 :(得分:0)
index
动作通常用于表示项目的集合。例如:
def index
@posts = Post.order(:published_at).all
end
您的index
动作看起来非常不同。您正在创建Post
的新实例,然后尝试通过ID查找单个Post
。这结合了new
动作和show
动作的角色。例如:
def new
@post = Post.new
end
def show
@post = Post.find(params[:id])
end
如果您使用的是资源丰富的路由,则路由助手希望您正在使用此模式。因此,对/posts
的请求将发送到PostsController#index,而/posts/1
将使用ID参数等于1
的PostsController#show操作。
在您看来,您将链接到index
(复数)的posts_path
操作和show
(单数,其中post_path(1)
是帖子的ID。
我建议您检查代码并进行调整以适合这些最佳实践/ Rails方式,以查看是否可以解决错误。
答案 1 :(得分:0)
我想将posts控制器的内容添加到主体中。我想创建一个从首页/索引到帖子/节目的链接。
基于此,我相信您想在首页上显示所有帖子,并针对每个帖子都有一个链接,以显示该帖子的页面。
您可以通过在首页操作及其视图中进行以下简单更改来实现这一目标:
home_controller.rb
def index
@posts = Post.all # Use pagination, if you have hundreds or thousands of posts
end
home / index.html.erb
<% @posts.each do |post| %>
<%= post.title %>
<%= post.other_details %>
<!-- Link to visit individual post's show page -->
<%= link_to 'See more', post_path(post) %>
<% end %>