我有一个rails应用程序,我为'posts'为标题(字符串)和body(内容)生成了一些脚手架。
这允许我创建,编辑和删除帖子。
我刚刚安装了设计,所以现在我可以在应用程序中拥有用户 - 唯一的问题是无论我登录的是什么,都会显示相同的帖子。
有没有办法让每个用户都有特定的帖子?我是否必须更改帖子或用户模型或添加新控制器?
如果这让你感到困惑,另一种说法就是我希望每个用户都能创建自己的“帖子”,这是其他用户看不到的。
这是posts_controller
class PostsController < ApplicationController
before_filter :authenticate_user!, except: [:index, :show]
# GET /posts
# GET /posts.json
def index
# @posts = current_user.posts
@posts = Post.all
respond_to do |format|
format.html # index.html.erb
format.json { render json: @posts }
end
end
# GET /posts/1
# GET /posts/1.json
def show
@post = Post.find(params[:id])
respond_to do |format|
format.html # show.html.erb
format.json { render json: @post }
end
end
# GET /posts/new
# GET /posts/new.json
def new
@post = Post.new
respond_to do |format|
format.html # new.html.erb
format.json { render json: @post }
end
end
# GET /posts/1/edit
def edit
@post = Post.find(params[:id])
end
# POST /posts
# POST /posts.json
def create
@post = Post.new(params[:post])
respond_to do |format|
if @post.save
format.html { redirect_to @post, notice: 'Post was successfully created.' }
format.json { render json: @post, status: :created, location: @post }
else
format.html { render action: "new" }
format.json { render json: @post.errors, status: :unprocessable_entity }
end
end
end
# PUT /posts/1
# PUT /posts/1.json
def update
@post = Post.find(params[:id])
respond_to do |format|
if @post.update_attributes(params[:post])
format.html { redirect_to @post, notice: 'Post was successfully updated.' }
format.json { head :no_content }
else
format.html { render action: "edit" }
format.json { render json: @post.errors, status: :unprocessable_entity }
end
end
end
# DELETE /posts/1
# DELETE /posts/1.json
def destroy
@post = Post.find(params[:id])
@post.destroy
respond_to do |format|
format.html { redirect_to posts_url }
format.json { head :no_content }
end
end
end
这是帖子模型
class Post < ActiveRecord::Base
attr_accessible :content, :name
belongs_to :user
end
答案 0 :(得分:0)
在您的帖子控制器中,在索引方法中使用@posts = current_user.posts
。
您需要在帖子和用户模型中设置帖子belongs_to
用户/用户has_many
帖子关系。
现在,您对帖子/索引的视图可以遍历@posts,它们只是针对该用户。
答案 1 :(得分:0)
您必须修改视图和/或帖子控制器,才能仅显示user_id = current_user的帖子。您还必须在帖子模型中拥有user_id。如果你在这里添加你的代码,有人会帮助你我猜
更新:
将has_many:帖子添加到用户模型
然后在后置控制器中替换:
def index
@posts = current_user.posts
respond_to do |format|
format.html # index.html.erb
format.json { render json: @posts }
end
end
你也可以在帖子模型中有一个user_id列吗?
答案 2 :(得分:0)
您必须在用户模型中添加关联,因为用户可以拥有多个帖子,因此您可以在用户模型中添加此关联
has_many :posts
然后在你的帖子控制器的索引方法中,你做这样的事情
respond_to :html, :xml, :json
def index
@posts = current_user.posts
respond_with(@post)
end
关于respond_with,我们可以指定类方法respond_to支持哪些资源格式,然后在控制器操作中,我们告诉控制器使用respond_with
传递的资源。答案 3 :(得分:-1)
当然,您可以在用户及其帖子之间设置关联!