Rails 5 - сохранение откатывается, потому что родительская модель вложенных моделей не сохраняется до дочерней модели

Хорошо, ребята, Rails 5 действительно имеет свои нюансы, отличные от Rails 4. Я продолжаю то, что каждый раз, когда я нажимаю кнопку отправки в форме, она перезагружается с ошибкой Пользователь профиля должен существовать и < strong> Профиль пользователя не может быть пустым. Форма загружается нормально, включая форму вложенных моделей, но по какой-либо причине не удается сохранить родительскую модель перед попыткой сохранить дочернюю модель со следующим выводом на консоль:

Puma starting in single mode...
* Version 3.7.0 (ruby 2.2.6-p396), codename: Snowy Sagebrush
* Min threads: 5, max threads: 5
* Environment: development
* Listening on tcp://0.0.0.0:3000
Use Ctrl-C to stop
Started POST "/users" for 192.168.0.31 at 2017-03-09 18:51:04 -0500
Cannot render console from 192.168.0.31! Allowed networks: 127.0.0.1, ::1, 127.0.0.0/127.255.255.255
  ActiveRecord::SchemaMigration Load (0.2ms)  SELECT `schema_migrations`.* FROM `schema_migrations`
Processing by UsersController#create as HTML
  Parameters: {"utf8"=>"✓", "authenticity_token"=>"JPKO+ppAYqwWS8tWeXhEtbUWynXREu9jYlF0KIlyPgUaabHSzjPZocSxCvr/WEm1r6wAQyT1CvA6hNkZWfPD3Q==", "user"=>{"username"=>"test", "password"=>"[FILTERED]", "user_type_id"=>"1", "profile_attributes"=>{"first_name"=>"123", "middle_name"=>"123", "last_name"=>"123", "email"=>"[email protected]", "phone_number"=>"1234567890", "cell_number"=>"1234567890"}}, "commit"=>"Create User"}
   (0.1ms)  BEGIN
   (0.2ms)  ROLLBACK
  Rendering users/new.html.erb within layouts/application
  Rendered users/_form.html.erb (112.5ms)
  Rendered users/new.html.erb within layouts/application (118.7ms)
Completed 200 OK in 834ms (Views: 780.1ms | ActiveRecord: 2.2ms)

У меня были другие проблемы из-за этих отношений, и я думаю, что, возможно, мне нужно перестроить проект. Вот весь соответствующий код, связанный с этой проблемой:

###############################################################################
### Users Model
###############################################################################
    class User < ApplicationRecord
      has_one :profile, inverse_of: :user
      accepts_nested_attributes_for :profile, allow_destroy: true
    end

###############################################################################
### Profile Model
###############################################################################
    class Profile < ApplicationRecord
      belongs_to :user, inverse_of: :profile
      validates_presence_of :user
    end
###############################################################################
### Users Controller
###############################################################################
    class UsersController < ApplicationController
      before_action :set_user, only: [:show, :edit, :update, :destroy]

      # GET /users
      # GET /users.json
      def index
        @users = User.all
      end

      # GET /users/1
      # GET /users/1.json
      def show
        @user.build_profile
      end

      # GET /users/new
      def new
        @user = User.new
        @user.build_profile
      end

      # GET /users/1/edit
      def edit
        @user.build_profile
      end

      # POST /users
      # POST /users.json
      def create
        @user = User.new(user_params)

        respond_to do |format|
          if @user.save
            format.html { redirect_to @user, notice: 'User was successfully created.' }
            format.json { render :show, status: :created, location: @user }
          else
            format.html { render :new }
            format.json { render json: @user.errors, status: :unprocessable_entity }
          end
        end
      end

      # PATCH/PUT /users/1
      # PATCH/PUT /users/1.json
      def update
        respond_to do |format|
          if @user.update(user_params)
            format.html { redirect_to @user, notice: 'User was successfully updated.' }
            format.json { render :show, status: :ok, location: @user }
          else
            format.html { render :edit }
            format.json { render json: @user.errors, status: :unprocessable_entity }
          end
        end
      end

      # DELETE /users/1
      # DELETE /users/1.json
      def destroy
        @user.destroy
        respond_to do |format|
          format.html { redirect_to users_url, notice: 'User was successfully destroyed.' }
          format.json { head :no_content }
        end
      end

      private
        # Use callbacks to share common setup or constraints between actions.
        def set_user
          @user = User.find(params[:id])
        end

        # Never trust parameters from the scary internet, only allow the white list through.
        def user_params
          params.require(:user).permit(:username, :password, :user_type_id, profile_attributes: [:id, :user_id, :first_name, :middle_name, :last_name, :phone_number, :cell_number, :email])
        end
    end

###############################################################################
### Form View
###############################################################################
    <%= form_for(@user) do |f| %>
      <% if user.errors.any? %>
        <div id="error_explanation">
          <h2><%= pluralize(user.errors.count, "error") %> prohibited this user from being saved:</h2>

          <ul>
          <% user.errors.full_messages.each do |message| %>
            <li><%= message %></li>
          <% end %>
            <!--<li><%= debug f %></li>-->
          </ul>
        </div>
      <% end %>

      <div class="field">
        <%= f.label :username %>
        <%= f.text_field :username %>
      </div>

      <div class="field">
        <%= f.label :password %>
        <%= f.text_field :password %>
      </div>

      <div class="field">
        <% if params[:trainer] == "true" %>
          <%= f.label :user_type_id %>
          <%= f.text_field :user_type_id, :readonly => true, :value => '2' %>
        <% else %>
          <%= f.label :user_type_id %>
          <%= f.text_field :user_type_id, :readonly => true, :value => '1'  %>
        <% end %>
      </div>
        <h2>Account Profile</h2>
        <%= f.fields_for :profile do |profile| %>
          <%#= profile.inspect %>
            <div>
              <%= profile.label :first_name %>
              <%= profile.text_field :first_name %>
            </div>
            <div>
              <%= profile.label :middle_name %>
              <%= profile.text_field :middle_name %>
            </div>
            <div>
              <%= profile.label :last_name %>
              <%= profile.text_field :last_name %>
            </div>
            <div>
              <%= profile.label :email %>
              <%= profile.text_field :email %>
            </div>
            <div>
              <%= profile.label :phone_number %>
              <%= profile.telephone_field :phone_number %>
            </div>
            <div>
              <%= profile.label :cell_phone %>
              <%= profile.telephone_field :cell_number %>
            </div>
        <% end %>
      <div class="actions">
        <%= f.submit %>
      </div>
        <%= debug params %>
        <%= debug user %>
        <%= debug user.profile %>
    <% end %>

person The Gugaru    schedule 10.03.2017    source источник
comment
Кажется, что решения нет, и, поскольку никто не оказывает помощи, я предполагаю, что это ошибка. Я назначу вознаграждение за это, когда система позволит мне.   -  person The Gugaru    schedule 13.03.2017


Ответы (2)


Хорошо, я перефразировал вопрос на другой вопрос и наконец нашел ответ на него. Поэтому я вставляю свой ответ оттуда, на случай, если кто-то будет искать проблему так же, как я задавал вопрос здесь.

Хорошо, я отвечаю на свой вопрос, потому что я знаю, что многие люди борются с этим, и у меня действительно есть ответ, а не расплывчатый ответ на документацию.

Сначала мы будем использовать отношение «один к одному» для этого примера. Когда вы создаете свои отношения, вам необходимо убедиться, что родительская модель имеет следующие

  1. inverse_of:
  2. автосохранение: true
  3. accept_nested_attributes_for: модель, allow_destroy: true

Вот модель пользователей, и я объясню,

class User < ApplicationRecord
  has_one :profile, inverse_of: :user, autosave: true
  accepts_nested_attributes_for :profile, allow_destroy: true
end

в Rails 5 вам нужен inverse_of: потому что он сообщает Rails, что существует связь через внешний ключ и что ее необходимо установить во вложенной модели при сохранении данных вашей формы. Теперь, если вы отключили autosave: true в строке отношения, вы останетесь с user_id, не сохраняющимся в таблице профилей, а только в других столбцах, если у вас нет проверок. off, и тогда он не будет ошибкой, он просто сохранит его без user_id. Здесь autosave: true проверяется, что запись пользователя сохраняется первой, чтобы у нее был user_id, который нужно сохранить во вложенных атрибутах для профиль модель. Вот вкратце, почему user_id не переходил к дочернему элементу и выполнял откат, а не фиксацию. Еще одна последняя проблема: есть несколько сообщений, в которых говорится, что в вашем контроллере для маршрута редактирования вы должны добавить @ user.build_profile, как я в своем сообщении. НЕ ДЕЛАЙТЕ ЭТО ОНИ МЕРТВЫЕ НЕПРАВИЛЬНО, после оценки вывода консоли это приводит к

Started GET "/users/1/edit" for 192.168.0.31 at 2017-03-12 22:38:17 -0400
Cannot render console from 192.168.0.31! Allowed networks: 127.0.0.1, ::1, 127.0.0.0/127.255.255.255
Processing by UsersController#edit as HTML
  Parameters: {"id"=>"1"}
  User Load (0.4ms)  SELECT  `users`.* FROM `users` WHERE `users`.`id` = 1 LIMIT 1
  Profile Load (0.5ms)  SELECT  `profiles`.* FROM `profiles` WHERE `profiles`.`user_id` = 1 LIMIT 1
   (0.1ms)  BEGIN
  SQL (0.5ms)  UPDATE `profiles` SET `user_id` = NULL, `updated_at` = '2017-03-13 02:38:17' WHERE `profiles`.`id` = 1
   (59.5ms)  COMMIT
  Rendering users/edit.html.erb within layouts/application
  Rendered users/_form.html.erb (44.8ms)
  Rendered users/edit.html.erb within layouts/application (50.2ms)
Completed 200 OK in 174ms (Views: 98.6ms | ActiveRecord: 61.1ms)

Если вы посмотрите, он перестраивает профиль с нуля и сбрасывает user_id на null для записи, которая соответствует текущему пользователю, которого вы редактируете. Так что будьте очень осторожны с этим, так как я видел множество сообщений с этим предложением, и мне потребовалось ДНЕЙ исследований, чтобы найти решение!

person The Gugaru    schedule 13.03.2017

У меня была аналогичная проблема (не сохранял с вложенными атрибутами).

В контроллере я изменил свой @user.build_profile на @user.profile.build(params[:profile]), и это решило проблему.

person bencekiss    schedule 10.03.2017
comment
Я попробую это в ближайшее время, чтобы это было разумно. Могу я спросить, как вы это выяснили? Я гуглил уже несколько дней! - person The Gugaru; 10.03.2017
comment
Нет, это приводит к неинициализированной константе User :: Profile - person The Gugaru; 10.03.2017
comment
Извините, это был тип. Поэтому вместо @user.profile.build(params[:profile]) вы можете использовать @user.profiles.build(params[:profile]). Получил с api.rubyonrails.org/classes/ActiveRecord/NestedAttributes/ Я знаю, что в случае отношения has_one ‹==› belongs_to не обязательно иметь метод .profiles, который возвращает все профили пользователей (потому что это просто has_one), потому что это типично для has_many ‹==› belongs_to связь между таблицами, но как-то это сработало. - person bencekiss; 10.03.2017
comment
Нет, теперь я получаю неинициализированную константу User :: Profile - person The Gugaru; 10.03.2017