Implement "add to favorites"

459 views Asked by At

I am creating an app where a user can favorite a room. I started with a has_and_belongs_to_many association. But then I just noticed that it is very tricky to implement a remove button with drestroy. So I decided to do it this time with a has_many through association. I have a users who should add rooms to favorite or wishlist. Unfortunately when I click on the favorite button I am getting this error:

enter image description here

What I am missing how can I make this work?

If you need further information just let me know. I have used this as a direction.

Implement "Add to favorites" in Rails 3 & 4

favorite_room.rb

class FavoriteRoom < ApplicationRecord
    belongs_to :room
    belongs_to :user
end

room.rb

belongs_to :user
has_many :favorite_rooms  
has_many :favorited_by, through: :favorite_rooms, source: :user

user.rb

 has_many :rooms
 has_many :favorite_rooms 
 has_many :favorites, through: :favorite_rooms, source: :room

routes.rb

 resources :rooms do
    put :favorite, on: :member
 end

rooms_controller.rb

before_action :set_room, only: [:show, :favorite]
...
...
def favorite
    type = params[:type]
    if type == "favorite"
      current_user.favorites << @room
      redirect_to wishlist_path, notice: 'You favorited #{@room.listing_name}'

    elsif type == "unfavorite"
      current_user.favorites.delete(@room)
      redirect_to wishlist_path, notice: 'Unfavorited #{@room.listing_name}'

    else
      # Type missing, nothing happens
      redirect_to wishlist_path, notice: 'Nothing happened.'
    end
end

private
def set_room
  @room = Room.find(params[:id])
end

show.html.erb

<% if current_user %>
  <%= link_to "favorite",   favorite_room_path(@room, type: "favorite"), method: :put %>
  <%= link_to "unfavorite", favorite_room_path(@room, type: "unfavorite"), method: :put %>
<% end %>

create_favorite_rooms.rb (migration file)

class CreateFavoriteRooms < ActiveRecord::Migration[5.0]
  def change
    create_table :favorite_rooms do |t|
      t.integer :room_id
      t.integer :user_id

      t.timestamps
    end
  end
end
0

There are 0 answers