1

我制作了新的 Rails 应用程序。只有一个 User 模型(通过 Devise 生成)和一个用脚手架生成的 Post 模型,它是完全新鲜的。在 Post 模型中,我在数据库中有一个名为user_id.

问题是user_id在 Post 表中始终是nil(它不会更改为user_id正在发布的用户)。我怀疑这与设计有关,但我不完全确定。关于做什么的任何建议?

用户.rb

class User < ActiveRecord::Base
  devise :database_authenticatable, :registerable,
         :recoverable, :rememberable, :trackable, :validatable

  attr_accessible :email, :password, :password_confirmation, :remember_me

  has_many :posts, dependent: :destroy
end

post.rb

class Post < ActiveRecord::Base
  attr_accessible :title, :user_id
  belongs_to :user
end

宝石文件

source 'https://rubygems.org'

gem 'rails', '3.2.13'
gem 'bootstrap-sass', '2.1'
gem 'devise'

group :development do
  gem 'sqlite3', '1.3.5'
end

group :assets do
  gem 'sass-rails',   '3.2.5'
  gem 'coffee-rails', '3.2.2'

  gem 'uglifier', '1.2.3'
end

gem 'jquery-rails', '2.0.2'

group :production do
    gem 'pg', '0.12.2'
end

gem 'will_paginate', '> 3.0'

post_controller(创建)

  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
4

1 回答 1

3

我猜这个user_id属性没有被设置,因为你没有设置它。:)

  def create
    @post = Post.new(params[:post])
    @post.user_id = current_user.id # You need to add this line

    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

旁注:我建议在 to 以及(如果您还没有)外键约束上放置一个非空post.user_id约束。这些限制有助于预防和更轻松地诊断这类问题。post.user_iduser.id

于 2013-03-25T18:36:14.813 回答