Наконец-то все заработало, используя вложенные атрибуты.Как обсуждалось в комментариях к ответу Кентона, этот пример перевернут.Если вы хотите, чтобы на одну учетную запись приходилось несколько пользователей, сначала необходимо создать учетную запись, а затем - пользователя, даже если для начала вы создадите только одного пользователя.Затем вы пишете свой собственный контроллер учетных записей и просматриваете его в обход представления Devise.Функциональность Devise для отправки электронных писем с подтверждением и т. Д. По-прежнему работает, если вы просто создаете пользователя напрямую, то есть эта функциональность должна быть частью автоматических функций в Devise model ;не требует использования контроллера Devise.
Выдержки из соответствующих файлов:
Модели в приложении / моделях
class Account < ActiveRecord::Base
has_many :users, :inverse_of => :account, :dependent => :destroy
accepts_nested_attributes_for :users
attr_accessible :name, :users_attributes
end
class User < ActiveRecord::Base
belongs_to :account, :inverse_of => :users
validates :account, :presence => true
devise :database_authenticatable, :registerable,
:recoverable, :rememberable, :trackable, :validatable,
:confirmable, :lockable, :timeoutable
attr_accessible :email, :password, :password_confirmation, :remember_me
end
spec / models / account_spec.rb Тест модели RSpec
it "should create account AND user through accepts_nested_attributes_for" do
@AccountWithUser = { :name => "Test Account with User",
:users_attributes => [ { :email => "user@example.com",
:password => "testpass",
:password_confirmation => "testpass" } ] }
au = Account.create!(@AccountWithUser)
au.id.should_not be_nil
au.users[0].id.should_not be_nil
au.users[0].account.should == au
au.users[0].account_id.should == au.id
end
config / rout.rb
resources :accounts, :only => [:index, :new, :create, :destroy]
controllers / accounts_controller.rb
class AccountsController < ApplicationController
def new
@account = Account.new
@account.users.build # build a blank user or the child form won't display
end
def create
@account = Account.new(params[:account])
if @account.save
flash[:success] = "Account created"
redirect_to accounts_path
else
render 'new'
end
end
end
views / accounts / new.html.erb view
<h2>Create Account</h2>
<%= form_for(@account) do |f| %>
<%= render 'shared/error_messages', :object => f.object %>
<div class="field">
<%= f.label :name %><br />
<%= f.text_field :name %>
</div>
<%= f.fields_for :users do |user_form| %>
<div class="field"><%= user_form.label :email %><br />
<%= user_form.email_field :email %></div>
<div class="field"><%= user_form.label :password %><br />
<%= user_form.password_field :password %></div>
<div class="field"><%= user_form.label :password_confirmation %><br />
<%= user_form.password_field :password_confirmation %></div>
<% end %>
<div class="actions">
<%= f.submit "Create account" %>
</div>
<% end %>
Rails довольно требователен во множественном и единственном числе.Поскольку мы говорим: Account has_many Users:
- он ожидает, что users_attributes (не user_attributes) в модели, и тестирует
- , он ожидает массив из хешей для теста,даже если в массиве только один элемент, следовательно, [] вокруг {пользовательских атрибутов}.
- ожидает, что @ account.users.build в контроллере.Мне не удалось заставить синтаксис f.object.build_users работать непосредственно в представлении.