accepts_nested_attributes_for/fields_for ничего не делать
Я не могу получить атрибуты, данные во вложенной форме, чтобы принять. Мне не удалось найти другие сообщения, связанные с этой проблемой, с моей точной конфигурацией:
Вот сокращенные модели. Как видите, ассоциации между пользователями и организациями немного сложны:
class User < ActiveRecord::Base
devise :database_authenticatable, :registerable,
:recoverable, :rememberable, :trackable, :validatable, :confirmable
attr_accessible :email, :password, :password_confirmation, :remember_me
attr_accessible :first_name, :last_name, :nickname
attr_accessible :current_organization_attributes
has_many :created_organizations, :class_name => "Organization", :foreign_key => :creator_user_id, :inverse_of => :creator_user
belongs_to :current_organization, :class_name => "Organization", :foreign_key => :current_org_id # one-way relationship
accepts_nested_attributes_for :current_organization
...
end
class Organization < ActiveRecord::Base
belongs_to :creator_user, :class_name => "User", :foreign_key => "creator_user_id", :inverse_of => :created_organizations
...
end
И сокращенные схемы:
# == Schema Information
#
# Table name: users
#
# id :integer(4) not null, primary key
# email :string(255) default(""), not null
# current_org_id :integer(4)
# first_name :string(255)
# last_name :string(255)
# nickname :string(255)
#
# == Schema Information
#
# Table name: organizations
#
# id :integer(4) not null, primary key
# name :string(100)
# creator_user_id :integer(4) not null
# zip_code :string(255)
# phone_number :string(255)
#
Вот сокращенный код вида (HAML):
#main
%h1 Your account
= form_for(resource, :as => resource_name, :url => registration_path(resource_name), :html => { :method => :put, :autocomplete => "off" }) do |f|
= devise_error_messages!
.edit-account-hold
%span About you
= f.label :first_name, "First Name"
= f.text_field :first_name, :required => @contact_request_is_pending
...
.edit-account-hold
%span Your business
= f.fields_for :current_organization do |o|
= o.label :zip_code, "Zip Code"
= o.text_field :zip_code, :required => @contact_request_is_pending
= o.label :phone_number, "Phone Number"
= o.text_field :phone_number, :required => @contact_request_is_pending
.edit-account-hold
%span Your password
= f.label :password
= f.password_field :password
= f.label :password_confirmation
= f.password_field :password_confirmation
= f.label :current_password
= f.password_field :current_password
= f.submit "Update", :class => "orange-button border-radius"
Код контроллера:
def update
if resource.update_with_or_without_password_as_needed(params[resource_name])
set_flash_message :notice, :updated
redirect_to after_update_path_for(resource)
else
clean_up_passwords(resource)
render_with_scope :edit
end
end
Вот пример параметров, которые передаются при нажатии "Обновить":
{"utf8"=>"✓", "authenticity_token"=>"8aL7bMJdVI2uaLt3WoZEraSB0U5iZgBvxYh5fwsQnqM=", "user"=>{"first_name"=>"Nick", "last_name"=>"", "nickname"=>"", "email"=>"nick@mycompany.com", "current_organization_attributes"=>{"zip_code"=>"12345", "phone_number"=>"1112223333", "id"=>"1000003"}, "password"=>"[FILTERED]", "password_confirmation"=>"[FILTERED]", "current_password"=>"[FILTERED]"}, "commit"=>"Update"}
Вложенные хэш-параметры ["user"]["current_organization_attributes"] содержат атрибуты, которые не удалось сохранить. Используя отладчик на сервере, я подтвердил, что вызов
user.current_organization.update_attributes( the_above_mentioned_current_organization_attributes_hash )
в подходящее время прекрасно работает и обновляет атрибуты так, как я хотел бы. Почему система не делает это автоматически? Это как-то связано с отношением o wn_to, использующим альтернативные имена классов или внешние ключи?
Помогите!
1 ответ
IIRC, accepts_nested_attributes_for
работает только для has_one
или же has_many
ассоциации... по крайней мере, это то, что беглый взгляд на документы показывает. Я не думаю, что это работает на belongs_to
,
Мое лучшее предложение состоит в том, чтобы изменить ассоциацию в модели User (и это также требует изменения схемы), чтобы сделать что-то вроде:
has_many :organizations
has_one :current_organization, :class_name => "Organization", :conditions => {:current => true}
Где organizations
таблица имеет столбец с именем current
и проверить, что только одна организация может быть текущей, может быть с обратным вызовом, который изменяет все остальные current
значения для организаций этого пользователя в false
если столбец обновляется (очевидно, для этого пользователя).
Это должно позволить fields_for
а также accepts_nested_attributes_for
работать как задумано.