Как настроить базовые ассоциации моделей Rails? - PullRequest
0 голосов
/ 25 ноября 2018

Эй, ребята, я работаю над приложением, в котором зарегистрированный пользователь регистрируется и входит в систему. Как только пользователь входит в систему, он может «создать команду» или «присоединиться к команде».Мои ассоциации настроены так:

user.rb

class User < ApplicationRecord
   devise :database_authenticatable, :registerable,
         :recoverable, :rememberable, :validatable, :confirmable 
   validates_presence_of :phone, :city, :state, :street, :zip, presence: true, on: :create

   belongs_to :team      
end

team.rb

class Team < ApplicationRecord
   has_many :users   
end

и мои таблицы настроены

schema.rb

create_table "teams", force: :cascade do |t|
  t.datetime "created_at", null: false
  t.datetime "updated_at", null: false
  t.string "team_name"
end

create_table "users", force: :cascade do |t|
  t.string "email", default: "", null: false
  t.string "encrypted_password", default: "", null: false
  t.string "reset_password_token"
  t.datetime "reset_password_sent_at"
  t.datetime "remember_created_at"
  t.datetime "created_at", null: false
  t.datetime "updated_at", null: false
  t.string "confirmation_token"
  t.datetime "confirmed_at"
  t.datetime "confirmation_sent_at"
  t.string "firstname"
  t.integer "team_id"
  t.index ["confirmation_token"], name: "index_users_on_confirmation_token", unique: true
  t.index ["email"], name: "index_users_on_email", unique: true
  t.index ["reset_password_token"], name: "index_users_on_reset_password_token", unique: true
end

team_controller.rb

class TeamController < ApplicationController
   before_action :authenticate_user!

   def index
     @team = current_user.team
   end

   def new_team

   end

   def create_team
     @team = current_user.create_team(sanitize_team)
     if @team.save 
       redirect_to team_root_path
     else
       render json: @team.errors.full_messages
     end
   end

   def join_team 
     @teams = Team.all
   end

   def team

   end

   private 

   def sanitize_team
     params.require(:team).permit(:team_name, :team_statement)
   end
end

Я хочуатрибут team_id пользователей для обновления с идентификатором команд при создании команды.или когда они присоединяются к команде.Верны ли мои ассоциации?Как бы я сделал это в контроллере?

Ответы [ 3 ]

0 голосов
/ 25 ноября 2018

Давайте разберем ваш пример кода до необходимого минимума:

# app/models/team.rb
class Team < ApplicationRecord
  has_many :users
end

# app/models/user.rb
class User < ApplicationRecord
  belongs_to :team
end

# db/migrate/20181124230131_create_teams.rb
class CreateTeams < ActiveRecord::Migration[5.2]
  def change
    create_table :teams do |t|
      t.string :team_name
      t.timestamps
    end
  end
end

# db/migrate/20181124230136_create_users.rb
class CreateUsers < ActiveRecord::Migration[5.2]
  def change
    create_table :users do |t|
      t.belongs_to :team
      t.timestamps
    end
  end
end

Затем в вашем контроллере:

team = Team.where(team_name: 'foo').first_or_create!
team.users << current_user
0 голосов
/ 25 ноября 2018

Начните с установки ассоциации как необязательной:

class User < ApplicationController 
  belongs_to :team, optional: true
end

В противном случае проверки пользовательской модели не позволят сохранить пользователя без команды.

Затем настройте ресурс групп:

# config/routes.rb
resources :teams do
  post :join
end

post :join создает дополнительный POST /teams/:team_id/join маршрут.

Затем настройте контроллер:

class TeamsController

  # ...

  # GET /teams/new
  def new
    @team = Team.find
  end

  # POST /teams
  def create
    @team = Team.new(team_params)
    if @team.save
      unless current_user.team
        current_user.update(team: @team)
      end
      redirect_to 'somewhere'
    else
      render :new
    end
  end

  # ...

  def join
    @team = Team.find(params[:team_id])
    if current_user.update(team: @team)
      redirect_to @team, notice: 'Team joined'
    else
      redirect_to @team, error: 'Could not join team'
    end
  end

  #

  private
    def team_params
      params.require(:team).permit(:team_name, :team_statement)
    end 
end

Обратите внимание, что префикс имен действий не требуетсяне совместимы с «путями рельсов».Префикс имен столбцов также в значительной степени излишний.

0 голосов
/ 25 ноября 2018

Да, ассоциации верны.Вы можете сделать это лучше, только добавив внешний ключ к вашей схеме базы данных.Это может быть сделано генератором rails g migration AddTeamToUsers team:references

Более подробную информацию об ассоциациях можно найти здесь: https://guides.rubyonrails.org/association_basics.html

В контроллере вы должны изменить только параметры белого списка, чтобы разрешить team_id.И вам, вероятно, нужно добавить в свою форму что-то вроде этого: <%= f.select :team_id, Team.all.map { |t| [t.team_name, t.id] } %>

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...