# Copyright (C) 2024 Manuel Bustillo

require 'csv'

class GuestsController < ApplicationController
  before_action :set_guest, only: %i[show edit update destroy]

  # GET /guests or /guests.json
  def index
    @guests = Guest.all
                   .joins(:group)
                   .order('groups.name' => :asc, first_name: :asc, last_name: :asc)

      render jsonapi: @guests
  end

  # GET /guests/1 or /guests/1.json
  def show; end

  # GET /guests/new
  def new
    @guest = Guest.new
  end

  # GET /guests/1/edit
  def edit; end

  # POST /guests or /guests.json
  def create
    @guest = Guest.new(guest_params)

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

  # PATCH/PUT /guests/1 or /guests/1.json
  def update
    respond_to do |format|
      if @guest.update(guest_params)
        format.html { redirect_to guest_url(@guest), notice: 'Guest was successfully updated.' }
        format.json { render :show, status: :ok, location: @guest }
      else
        format.html { render :edit, status: :unprocessable_entity }
        format.json { render json: @guest.errors, status: :unprocessable_entity }
      end
    end
  end

  # DELETE /guests/1 or /guests/1.json
  def destroy
    @guest.destroy!

    respond_to do |format|
      format.html { redirect_to guests_url, notice: 'Guest was successfully destroyed.' }
      format.json { head :no_content }
    end
  end

  def import
    csv = CSV.parse(params[:file].read, headers: true)
    ActiveRecord::Base.transaction do
      csv.each do |row|
        guest = Guest.create!(first_name: row['name'])

        guest.affinity_group_list.add(row['affinity_group'])
        guest.save!
      end
    end

    redirect_to guests_url
  end

  def bulk_update
    Guest.where(id: params[:guest_ids]).update!(params.require(:properties).permit(:status))
    render json: {}, status: :ok
  end

  private

  # Use callbacks to share common setup or constraints between actions.
  def set_guest
    @guest = Guest.find(params[:id])
  end

  # Only allow a list of trusted parameters through.
  def guest_params
    params.require(:guest).permit(:first_name, :last_name, :email, :phone)
  end
end