我正在为我的班级做控制器,Project
。它与belongs_to
有Client
关系。
我不知道为什么会这样,但是当我通过表单创建一个新项目时,它被分配了一个name
,但是没有fee
和client_id
。
以下是相关代码:
项目总监
class ProjectsController < ApplicationController
def index
end
def show
end
def new
@project = Project.new
end
def edit
end
def create
@project = Project.new(project_params)
if @project.save
redirect_to projects_url
else
render 'new'
end
end
def update
end
def destroy
end
private
def project_params
params.require(:project).permit(:name, :feee, :client_id)
end
end
项目/新视图
<div id="newproject-form">
<h1>Create a project</h1>
<%= form_for @project do |p| %>
<div id="newproject-form-input">
<ul>
<li><%= p.label :name, "Project name: " %><br>
<%= p.text_field :name, size: 40 %></li>
<li><%= p.label :fee, "Fee: " %><br>
<%= p.text_field :fee %></li>
<li><%= p.label :client, "Client name: " %><br>
<%= collection_select(:client_id, :name, current_user.clients, :id, :name) %></li>
<li><%= p.submit "Create project", class: "form-button" %>, or <%= link_to "Cancel",
root_path %></li>
</ul>
</div>
<% end %>
</div>
项目模型
class Project < ActiveRecord::Base
belongs_to :client
end
最佳答案
您必须在表单生成器上调用collection_select
:
# change this
<%= collection_select(:client_id, :name, current_user.clients, :id, :name) %>
# to this
<%= p.collection_select(:client_id, current_user.clients, :id, :name) %>
通过使用form builder
p
可以告诉collection_select
您正在编辑项目对象(请参见p.object
以返回formbuilder的对象)。如果您查看
collection_select
文档(http://apidock.com/rails/ActionView/Helpers/FormOptionsHelper/collection_select):集合选择(对象、方法、集合、值方法、文本方法、选项={}、HTML选项={})
如果您自己调用
collection_select
(而不是从form_for
方法提供的表单生成器中调用),则必须将对象的名称作为第一个参数。在您的例子中,应该是collection_select(:project, :client_id, #etc.)
来生成类似params[:project][:client_id]
的参数。关于ruby-on-rails - Rails:通过未填充的表单进行的belongs_to关联,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/29548461/