我有一个主题,有很多帖子。每个帖子属于一个用户,每个用户都有一个个人档案。
在特定主题的“show”页面中,我尝试显示创建帖子的用户的个人资料信息:
<% @topic.posts.each do |post| %>
<%= post.user.profile.first_name %>
<% end %>
我收到以下错误:
nil的未定义方法`profile':NilClass
知道为什么它不允许我访问个人资料?请指教。
我的主题控制器如下:
class TopicsController < ApplicationController
# GET /topics
# GET /topics.json
add_breadcrumb :index, :topics_path
def index
if params[:tag]
@topics = Topic.tagged_with(params[:tag])
else
@topics = Topic.all
end
@newtopic = Topic.new
respond_to do |format|
format.html # index.html.erb
format.json { render json: @topics }
end
end
# GET /topics/1
# GET /topics/1.json
def show
@topic = Topic.find(params[:id])
@posts = @topic.posts
@newpost = @topic.posts.build
add_breadcrumb @topic.name
respond_to do |format|
format.html # show.html.erb
format.json { render json: @topic }
end
end
# GET /topics/new
# GET /topics/new.json
def new
add_breadcrumb :new, :topics_path
@topic = Topic.new
respond_to do |format|
format.html # new.html.erb
format.json { render json: @topic }
end
end
# GET /topics/1/edit
def edit
@topic = Topic.find(params[:id])
end
# POST /topics
# POST /topics.json
def create
@topic = Topic.new(params[:topic])
@topic.user_id = current_user.id
@topic.last_poster_id = current_user.id
@topic.last_post_at = Time.now
respond_to do |format|
if @topic.save
format.html { redirect_to @topic, notice: 'Topic was successfully created.' }
format.json { render json: @topic, status: :created, location: @topic }
else
format.html { render action: "new" }
format.json { render json: @topic.errors, status: :unprocessable_entity }
end
end
end
# PUT /topics/1
# PUT /topics/1.json
def update
@topic = Topic.find(params[:id])
respond_to do |format|
if @topic.update_attributes(params[:topic])
format.html { redirect_to @topic, notice: 'Topic was successfully updated.' }
format.json { head :no_content }
else
format.html { render action: "edit" }
format.json { render json: @topic.errors, status: :unprocessable_entity }
end
end
end
# DELETE /topics/1
# DELETE /topics/1.json
def destroy
@topic = Topic.find(params[:id])
@topic.destroy
respond_to do |format|
format.html { redirect_to topics_url }
format.json { head :no_content }
end
end
end
答案 0 :(得分:1)
检查您的数据库。很可能在您的数据库中有一个对应于没有用户的帖子。由于该帖子的用户为none,因此nil:NilClass
的用户(null)的配置文件未定义。
这种情况主要发生在您创建属于用户的帖子但随后从数据库中删除属于该帖子的用户时。
正确的方法是在用户模型中强加一个约束 -
class Post
belongs_to :user, :dependent => :destroy
end
因此,如果用户被删除,该用户的相应帖子也会被删除。
请注意,在使用表格强制关系之后直接从数据库中删除记录不是一个好习惯。
答案 1 :(得分:1)
您的错误是由show action @topic.posts.build
中的此行和视图@topic.posts.each
中的此行引起的。由于您要在控制器中构建新帖子,@topic.posts
包含最可能将用户设置为nil的新记录。因此,您的问题的解决方案是在视图中使用@posts
而不是@topic.posts
。