Wednesday, 20 December 2023

Set time zone with timezone

 1. active admin side:

ActiveAdmin.register BxBlockEvents::Event, as: 'Event' do

  Formtastic::FormBuilder.perform_browser_validations = true


  permit_params :title, :is_active, :time, :date, :latitude, :longitude, :assign_to, :email_account_id, :notify, :repeat, :notes, :visibility, :event_type, :address, :custom_repeat_in_number, :custom_repeat_every, :assignee_email, :visible_email, :format, :description, :start_date, :end_date, :timezone, :cvent_id, :status, :cvent_response_code, :event_creation_id, :is_feature_event, :venue_id, :is_booking_start, planner_attributes: [:id, :prefix, :first_name, :last_name, :company, :title, :email, :_destroy, addresses_attributes: [:id, :region_code, :address1, :address2, :address3, :city, :country_code, :postal_code, :latitude, :longitude, :address_type, :_destroy]]



  index do

    selectable_column

    id_column

    column :title

    toggle_bool_column :is_active

    column :cvent_id

    column :status

    column :event_creation_id

    toggle_bool_column :is_booking_start

    column "" do |resource|

      links = ''.html_safe

      links += link_to I18n.t('active_admin.view'), resource_path(resource), class: "member_link_event show_link"

      if resource.status == "Created"

        links += link_to I18n.t('active_admin.edit'), edit_resource_path(resource), class: "member_link_event edit_link"

      end

      links += link_to I18n.t('active_admin.delete'), resource_path(resource), method: :delete, 'data-confirm' => I18n.t('active_admin.delete_confirmation'), class: "member_link_event delete_link"

      links

    end

  end


  show do

    attributes_table do

      row:title

      row:time

      row:date

      row:latitude

      row:longitude

      row:assign_to

      row:email_account_id

      row:notify

      row:repeat

      row:notes

      row:visibility

      row:created_at

      row:updated_at

      row:event_type

      row:address

      row:custom_repeat_in_number

      row:custom_repeat_every

      row:assignee_email

      row:visible_email

      row:format

      row:description

      row:start_date

      row:end_date

      row:timezone

      row:cvent_id

      row:status

      row:cvent_response_code

      row:event_creation_id

      row:is_active

      row:is_feature_event

      row:is_booking_start

    end

    panel 'Sessions' do

      table_for event.event_sessions do

        column :id do |object|

            link_to object&.id, "/admin/event_sessions/#{object&.id}"

          end

        column :title

        column :status

      end

    end

  end

  controller do

    helper_method :fetch_speakers_for_select

    around_action :set_time_zone

    def set_time_zone

      if (params[:action] == "create") || (params[:action] == "update")

        Time.use_zone(params[:event][:timezone]) { yield }

      elsif params[:action] == "edit" || params[:action] == "show"

        Time.use_zone(resource.timezone) { yield }

      else

        yield

      end

    end

    def fetch_speakers_for_select(event)

      accepted_speaker_ids = event.user_events.where(status: 'accept').pluck(:account_id)

      AccountBlock::Account.speakers.map do |speaker|

        speaker_name = "#{speaker.first_name} #{speaker.last_name}"

        disabled = accepted_speaker_ids.include?(speaker.id)

        [speaker_name, speaker.id, { disabled: disabled }]

      end

    end

    def create

      super

      user_event = params[:event][:speaker_account_ids].reject { |e| e.nil? || e&.empty? }

      if user_event.present?

        user_event.each do |user|

          invitation = BxBlockEvents::UserEvent.create(account_id: user.to_i, event_id: resource.id)

          headings = resource&.title.to_s

          content = resource&.title.to_s

          message = "<p>We inform you that you have been invited to the event " + "<b>#{resource&.title.to_s}</b>" + " which we hope will be of interest to you.</p>"

          app_url = "event_invite"

          module_type = "Event"

          BxBlockNotifications::NotificationCreator.new(user.to_i, headings, content, app_url, resource.id, module_type, message, invitation.id).call if invitation&.id.present?

        end

      end

      if params[:event][:images].present?

        resource.event_images.attach(params[:event][:images])

      end

    end


    def update

      super do |success, failure|

        if success.present? && (!params[:event][:is_active].to_s.present? && !params[:event][:is_booking_start].to_s.present? )

          new_or_exit_ids = params[:event][:speaker_account_ids].reject { |e| e.nil? || e&.empty? } rescue []

          already_speaker_ids = resource.user_events.where.not(status: "accept").map(&:account_id).map{|sp| sp.to_s}

          remove_speaker_ids = already_speaker_ids - new_or_exit_ids

          new_speaker_ids = new_or_exit_ids - already_speaker_ids

          delete_invitation(resource, remove_speaker_ids)

          new_speaker_ids.each do |user|

            invitation = BxBlockEvents::UserEvent.create(account_id: user.to_i, event_id: resource.id)

            headings = resource&.title.to_s

            content = resource&.title.to_s

            app_url = "event_invite"

            message = "<p>We inform you that you have been invited to the event " + "<b>#{resource&.title.to_s}</b>" + " which we hope will be of interest to you.</p>"

            module_type = "Event"

            BxBlockNotifications::NotificationCreator.new(user.to_i, headings, content, app_url, resource.id, module_type, message, invitation.id).call if invitation&.id.present?

          end

          if params[:event][:images].present?

            resource.event_images.destroy_all

            resource.event_images.attach(params[:event][:images])

          end

        end

      end

    end

    private

    def delete_invitation(resource, remove_speaker_ids)

      resource.user_events.where(account_id: remove_speaker_ids).destroy_all

    end

  end


  form do |f|

    f.inputs do

      # f.semantic_errors *f.object.errors.keys

      f.semantic_errors :cvent_id

      f.input :title

      # f.input :email_account_id, label: 'Account', as: :select, collection: AccountBlock::Account.all.map{|e| ["#{e.first_name} #{e.last_name}",e.id]}, include_blank: false, :input_html => {:width => 'auto'}


      f.input :speaker_account_ids, label: 'Add speakers', as: :select, collection: fetch_speakers_for_select(f.object), selected: f.object.user_events.map(&:account_id), include_blank: false, :input_html => {:width => 'auto', multiple: true}


      f.input :format, include_blank: false

      if f.object.new_record?

        f.input :start_date, as: :date_time_picker, :input_html => {:width => 'auto'}

        f.input :end_date, as: :date_time_picker, :input_html => {:width => 'auto'}

      else

        f.input :start_date, as: :date_time_picker, :input_html => {:width => 'auto', :value => f.object.start_date.in_time_zone(f.object.timezone)}

        f.input :end_date, as: :date_time_picker, :input_html => {:width => 'auto', :value => f.object.end_date.in_time_zone(f.object.timezone)}

      end

      f.input :timezone, :as => :select, :collection => ([["Asia/Calcutta", "Asia/Calcutta"], ["Asia/Dubai", "Asia/Dubai"], ["Europe/London", "Europe/London"], ["Europe/Paris", "Europe/Paris"], ["Australia/Darwin", "Australia/Darwin"], ["Australia/Adelaide", "Australia/Adelaide"], ["America/Mexico_City", "America/Mexico_City"], ["America/New_York", "America/New_York"]]), include_blank: false

      f.input :images, label: 'Add image', as: :file

      f.object.event_images.each do |img|

        span do

          image_tag(img,height: '80', width: '100') rescue nil

        end

      end

      # f.input :time, :as => :time_picker

      # f.input :date

      # f.input :latitude

      # f.input :longitude

      # f.input :assign_to

      # f.input :notify

      # f.input :repeat

      # f.input :notes

      f.input :visibility

      f.input :event_type, :as => :select, :collection => ([["Celebration", "Celebration"], ["Conference", "Conference"], ["Dinner", "Dinner"], ["Forum", "Forum"], ["FundraiserBenefit", "FundraiserBenefit"], ["Holiday", "Holiday"], ["IncentiveTrip", "IncentiveTrip"], ["Meeting", "Meeting"], ["OtherGeneral", "OtherGeneral"], ["PoliticalEvent", "PoliticalEvent"], ["Reunion", "Reunion"], ["SaveTheDate", "SaveTheDate"], ["Seminar", "Seminar"], ["SportsEvent", "SportsEvent"], ["TradeShow", "TradeShow"], ["TrainingSession", "TrainingSession"], ["Webinar", "Webinar"]]), include_blank: false

      f.input :address

      f.input :custom_repeat_in_number

      f.input :custom_repeat_every

      f.input :assignee_email

      f.input :visible_email

      f.input :description, input_html: {required: true}

      f.input :is_feature_event

    end

    f.inputs 'Venues' do

      f.input :venue_id, as: :select, collection: BxBlockEvents::Venue.all.map{|v| ["#{v.name}", v.id]}, :input_html => {}, include_blank: false

    end


    f.inputs 'Planners' do

      f.inputs :for => [:planner, f.object.planner || BxBlockEvents::Planner.new] do |planner|

        planner.input :prefix

        planner.input :first_name

        planner.input :last_name

        planner.input :company

        planner.input :title

        planner.input :email

      end

    end


    f.inputs 'Planner addresses' do

      f.inputs :for => ['home_address', (resource&.planner&.addresses.where(address_type: "home_address").last rescue nil || BxBlockEvents::Address.new)] do |pha|

        f.inputs 'Home address' do

          pha_id = resource&.planner&.addresses.where(address_type: "home_address").last.present? ? resource&.planner&.addresses.where(address_type: "home_address").last&.id : nil rescue nil

          pha.input :id, input_html: {:value => pha_id, name: "event[planner_attributes][addresses_attributes][0][id]"}, as: :hidden

          pha.input :region_code, input_html: {required: true, name: "event[planner_attributes][addresses_attributes][0][region_code]", maxlength: 9}

          pha.input :address1, input_html: {required: true, name: "event[planner_attributes][addresses_attributes][0][address1]", maxlength: 35}

          pha.input :address2, input_html: {required: true, name: "event[planner_attributes][addresses_attributes][0][address2]", maxlength: 35}

          pha.input :address3, input_html: {required: true, name: "event[planner_attributes][addresses_attributes][0][address3]", maxlength: 35}

          pha.input :city, input_html: {required: true, name: "event[planner_attributes][addresses_attributes][0][city]", maxlength: 30}

          pha.input :country_code, :as => :select, :collection => (ISO3166::Country.codes.map{|code| code}), include_blank: false, input_html: {name: "event[planner_attributes][addresses_attributes][0][country_code]", maxlength: 3}

          pha.input :postal_code, input_html: {required: true, name: "event[planner_attributes][addresses_attributes][0][postal_code]", maxlength: 24}

          pha.input :address_type, :input_html => { :value => "home_address", name: "event[planner_attributes][addresses_attributes][0][address_type]" }, as: :hidden

        end

      end

      f.inputs :for => ['work_address', (resource&.planner&.addresses.where(address_type: "work_address").last rescue nil || BxBlockEvents::Address.new)] do |pwa|

        f.inputs 'Work address' do

          pwa_id = resource&.planner&.addresses.where(address_type: "work_address").last.present? ? resource&.planner&.addresses.where(address_type: "work_address").last&.id : nil rescue nil

          pwa.input :id, input_html: {:value => pwa_id, name: "event[planner_attributes][addresses_attributes][1][id]"}, as: :hidden

          pwa.input :region_code, input_html: {required: true, name: "event[planner_attributes][addresses_attributes][1][region_code]", maxlength: 9}

          pwa.input :address1, input_html: {required: true, name: "event[planner_attributes][addresses_attributes][1][address1]", maxlength: 35}

          pwa.input :address2, input_html: {required: true, name: "event[planner_attributes][addresses_attributes][1][address2]", maxlength: 35}

          pwa.input :address3, input_html: {required: true, name: "event[planner_attributes][addresses_attributes][1][address3]", maxlength: 35}

          pwa.input :city, input_html: {required: true, name: "event[planner_attributes][addresses_attributes][1][city]", maxlength: 30}

          pwa.input :country_code, :as => :select, :collection => (ISO3166::Country.codes.map{|code| code}), include_blank: false, input_html: {name: "event[planner_attributes][addresses_attributes][1][country_code]", maxlength: 3}

          pwa.input :postal_code, input_html: {required: true, name: "event[planner_attributes][addresses_attributes][1][postal_code]", maxlength: 24}

          pwa.input :address_type, :input_html => { :value => "work_address", name: "event[planner_attributes][addresses_attributes][1][address_type]" }, as: :hidden

        end

      end

    end

    

    f.actions

  end  

end

----------------------------------------------------------------------------

2. Normal controller OR view

Add this line application controller OR and where necessary :
around_action :set_time_zone
def set_time_zone
    if session[:timezone].present?
      Time.use_zone('New Delhi') { yield }
    else
      yield
    end    
  end

Thursday, 26 October 2023

How to fixed left menu dropdown in active admin

 JS: app/assets/javascripts/active_admin.js

$(document).ready(function() {

  $(".menu_item.current").addClass("open");

});

----------------------------------------------------

CSS: app/assets/stylesheets/active_admin.scss

.header #tabs li.has_nested.open > a:nth-child(1)::after{

  content: "\f0de" !important; #this is open

}

.header #tabs li.has_nested > a:nth-child(1)::after{

  content: "\f0dd" !important; #this is close

}

.header #tabs li.has_nested.open > ul{

  display: block !important;

}

.header #tabs li.has_nested > ul{

  display: none !important;

}








Monday, 16 October 2023

How to add address picker in active admin step by step

1. app/admin/venues.rb 

ActiveAdmin.register BxBlockEvents::Venue, as: "Venue" do

  Formtastic::FormBuilder.perform_browser_validations = true

  actions :all, except: [:destroy]

  permit_params :name, address_attributes: [:id, :region_code, :address_criteria, :address1, :address2, :address3, :city, :country_code, :postal_code, :latitude, :longitude, :address_type, :_destroy]


  show :title => proc {|venue| venue.name.to_s } do

    attributes_table do

      row "Venue name" do |object|

        object&.name

      end

    end

    panel 'Venue address' do

      attributes_table_for venue.address do

        row :id

        row "State Code" do |object|

          object&.region_code

        end

        row :address_criteria

        row :address1

        row :address2

        row :address3

        row :city

        row :country_code

        row :postal_code

        row :latitude

        row :longitude

      end

    end

  end

  form do |f|

    f.inputs do

      f.input :name, label: 'Venue name'

    end

    f.inputs 'Venue address' do

      f.inputs :for => [:address, f.object.address || BxBlockEvents::Address.new] do |a|

        a.input :address_criteria, input_html: {required: true}

        a.input :address1, input_html: {required: true, maxlength: 35}

        a.input :address2, input_html: {maxlength: 35} 

        a.input :address3, input_html: {maxlength: 35}

        a.input :city, input_html: {id: 'city', required: true, maxlength: 30}

        a.input :region_code, label: 'State Code', input_html: {id: 'state', required: true, maxlength: 9}

        a.input :country_code, input_html: { id: 'country', maxlength: 3, readonly: true}

        a.input :postal_code, input_html: { id: 'postcode', maxlength: 24, readonly: true}

        a.input :latitude, as: :hidden, input_html: { id: 'latitude' }

        a.input :longitude, as: :hidden, input_html: { id: 'longitude' }

      end

    end

    f.actions

  end

end




================================================================

2. app/assets/javascripts/venue_address.js.erb

    2.1 isme state and country name short use kiye hai

        $(document).ready(function() {

  let input = document.getElementById('venue_address_attributes_address_criteria');

  let autocomplete = new google.maps.places.Autocomplete(input);


  autocomplete.addListener('place_changed', function() {

    let place = autocomplete.getPlace();

    if (place.geometry && place.geometry.location) {

      let addressComponents = place.address_components.map(function(component) {

        return {

          type: component.types[0],

          name: component.short_name

        };

      });


      addressComponents.sort(function(a, b) {

        return a.name.localeCompare(b.name);

      });


      let state = '';

      let country = '';


      for (let component of addressComponents) {

        if (component.type === 'administrative_area_level_1') {

          state = component.name;

        } else if (component.type === 'country') {

          country = component.name;

        }

      }


      document.getElementById('country').value = country;

      document.getElementById('state').value = state;

      document.getElementById('city').value = extractAddressComponent(place, 'locality');

      document.getElementById('postcode').value = extractAddressComponent(place, 'postal_code');

      document.getElementById('latitude').value = place.geometry.location.lat();

      document.getElementById('longitude').value = place.geometry.location.lng();

    }

  });

});


function extractAddressComponent(place, componentType) {

  for (let component of place.address_components) {

    for (let type of component.types) {

      if (type === componentType) {

        return component.long_name;

      }

    }

  }

  return '';

}

-------------------------------------------------------------------------------------------

2.2 Get full state name and country name of this code


    $(document).ready(function() {

      var input = document.getElementById('venue_address_attributes_address_criteria');

      var autocomplete = new google.maps.places.Autocomplete(input);


      // Listener for the 'place_changed' event on the current location autocomplete

      autocomplete.addListener('place_changed', function() {

        var place = autocomplete.getPlace();

        if (place.geometry && place.geometry.location) {

          document.getElementById('country').value = extractAddressComponent(place, 'country');

          document.getElementById('state').value = extractAddressComponent(place, 'administrative_area_level_1');

          document.getElementById('city').value = extractAddressComponent(place, 'locality');

          document.getElementById('postcode').value = extractAddressComponent(place, 'postal_code');

          document.getElementById('latitude').value = place.geometry.location.lat();

          document.getElementById('longitude').value = place.geometry.location.lng();

        }

      });

    });


    function extractAddressComponent(place, componentType) {

      for (var i = 0; i < place.address_components.length; i++) {

        for (var j = 0; j < place.address_components[i].types.length; j++) {

          if (place.address_components[i].types[j] === componentType) {

            return place.address_components[i].long_name;

          }

        }

      }

      return '';

    }


    google.maps.event.addDomListener(window, 'load', initialize);


=======================================================

3. app/assets/javascripts/active_admin.js

# require venue_address.js file

//= require venue_address

===========================================================

4. app/config/initializers/active_admin.rb

    config.register_javascript "https://maps.googleapis.com/maps/api/js?key=#{ENV['GOOGLE_API_KEY']}&callback=initAutocomplete&libraries=places&v=weekly"


=============================================================

5. rails server restart: rails s



========================================


partial form: 

1. app/admin/users.rb

controller do

    def build_new_resource

      super.tap { |resource| resource.build_address }

    end


    def find_resource

      super.tap do |resource|

        resource.build_address unless resource.address.present?

      end

    end

end

form do |f|

    render 'form', context: self, f: f

  end

=====================================================

1. app/views/admin/venues/_form.html.erb

<% context.instance_eval do

    semantic_form_for resource, url: admin_venues_path do

  # f.semantic_errors *f.object.errors.keys

      f.inputs 'Vanue name' do

f.input :name, required: true, :as => :string, label: "Name"

  end

f.inputs 'Vanue address' do

    f.semantic_fields_for :address do |s|

          s.input :address_criteria

      s.input :address1

      s.input :address2

      s.input :address3

      s.input :city, input_html: { id: 'city', readonly: true }

      s.input :region_code, input_html: { id: 'state', readonly: true }

      s.input :postal_code, input_html: { id: 'postcode', readonly: true }

      s.input :country_code, input_html: { id: 'country', readonly: true }

      s.input :latitude, input_html: { id: 'latitude', readonly: true }

      s.input :longitude, input_html: { id: 'longitude', readonly: true }

    end

  end


  f.actions

  end

  end

%>

------------------------------------------------------------------
























Thursday, 5 October 2023

On Change get sub category, based on category in admin side

 1. app/assets/javascripts/active_admin.js

$(document).on('change', '#bx_block_latest_news_latest_new_category_id', function () {

  var categoryId = $(this).val();

  $.ajax({

    url: '/accounts/sub_categories.json',

    method: 'GET',

    data: { category_id: categoryId },

    dataType: 'json',

    success: function (data) {

      var subcategorySelect = $('#product_subcategory_id');

      subcategorySelect.empty();

      $.each(data, function (key, value) {

        subcategorySelect.append($('<option>').text(value.name).attr('value', value.id));

      });

    }

  });

});


-------------------------------------------------------------


2. Routes.rb

resources :accounts, :only => [:create, :destroy] do

      get 'sub_categories', on: :collection

    end

---------------------------------------------------------------

3. admin/users.rb


form do |f|

    f.inputs do

    f.input :category_id, as: :select, collection: BxBlockCategories::Category.all.map{|e| ["#{e.name}", e.id]}, :input_html => {}, include_blank: false

      f.input :title, as: :select, collection: [], input_html: { id: 'product_subcategory_id' }

      # f.input :title

      f.input :description, :as => :ckeditor

      f.input :image, label: 'Add image', as: :file, :input_html => {}

      span do

        image_tag(object.image, height: '80', width: '100') rescue nil

      end

    end

    f.actions do

      if resource.persisted?

        f.action :submit, as: :button, label: 'Update Latest news'

      else

        f.action :submit, as: :button, label: 'Create Latest News'

      end

      f.action :cancel, as: :link, label: 'Cancel'

    end

  end


------------------------------------------------------------------------------

4. accounts_controller.rb


def sub_categories

      all_df = BxBlockCategories::SubCategory.all

      render json: all_df

    end


--------------------------------------------------------


yadi update karte hai to, selected data ana chahiye

admin/users.rb

controller do

    helper_method :options_for_sub_categories

    def options_for_sub_categories

      categories_and_subcategories = []

      BxBlockCategories::Category.all.each do |category|

        categories_and_subcategories << ["Category: #{category.name}", category.id, { disabled: true }]

        category.sub_categories.each do |sub_category|

          categories_and_subcategories << ["#{sub_category.name}", sub_category.id]

        end

      end

      return categories_and_subcategories

    end

  end


---------------------------------------------------------------------

admin/users.rb

form do |f|

    f.inputs "Catalogue Details" do

      # f.input :category_id, as: :searchable_select, collection: BxBlockCategories::Category.all.collect {|var| [var.name, var.id] }, include_blank: false

      # f.input :sub_category_id, as: :searchable_select, collection: BxBlockCategories::SubCategory.all.collect {|var| [var.name, var.id] }, include_blank: false

      # f.input :sub_category, as: :select, collection: options_for_sub_categories(f.object.category_id), include_blank: 'Select a Sub-Category'



















































Tuesday, 18 July 2023

Create test case, step by step

 1. Add in the Gemfile file:

group :development, :test do

  # Call 'byebug' anywhere in the code to stop execution and get a debugger console

  gem 'byebug', platforms: [:mri, :mingw, :x64_mingw]

  gem 'rspec-rails', '5.1.2'

  gem 'rspec-sonarqube-formatter', '1.5.0'

  gem 'database_cleaner-active_record'

  gem 'simplecov', '0.17'

  gem 'simplecov-json', :require => false

  gem 'simplecov-rcov'

  gem 'factory_bot_rails'

  gem 'shoulda-matchers'

  gem 'shoulda-callback-matchers'

  gem "letter_opener"

end

group :development do

  gem 'dotenv-rails' #this gem use only for .env file

end


-----------------------------------------------------------


2. in /spec/rails_helper.rb

# require 'simplecov'


# SimpleCov.start('rails')

require 'spec_helper'

ENV['RAILS_ENV'] ||= 'test'

require_relative '../config/environment'

# require File.expand_path('../config/environment', _dir_)

abort("The Rails environment is running in production mode!") if Rails.env.production?

require 'rspec/rails'

# require 'database_cleaner'

# Dotenv.load('.env.test')

Dir[Rails.root.join("spec/support/**/*.rb")].each {|f| require f}

begin

  ActiveRecord::Migration.maintain_test_schema!

rescue ActiveRecord::PendingMigrationError => e

  puts e.to_s.strip

  exit 1

end

RSpec.configure do |config|

  config.use_transactional_fixtures = false

  config.include FactoryBot::Syntax::Methods

  config.infer_spec_type_from_file_location!

  config.filter_rails_from_backtrace!

  

  config.include Devise::TestHelpers, type: :controller

  # arbitrary gems may also be filtered via:

  # config.filter_gems_from_backtrace("gem name")

  config.include(Shoulda::Callback::Matchers::ActiveModel)

  # config.before(:suite) do

  #   DatabaseCleaner.clean_with(:truncation)

  # end

  # config.before(:each) do

  #   DatabaseCleaner.strategy = :transaction

  # end

  # config.before(:each, :js => true) do

  #   DatabaseCleaner.strategy = :truncation

  # end

  # config.before(:each) do

  #   DatabaseCleaner.start

  # end

  # config.after(:each) do

  #   DatabaseCleaner.clean

  # end

  # config.before(:all) do

  #   DatabaseCleaner.start

  # end

  # config.after(:all) do

  #   DatabaseCleaner.clean

  # end

  Shoulda::Matchers.configure do |config|

    config.integrate do |with|

      with.test_framework :rspec

      with.library :rails

    end

  end

 RSpec.configure do |config|

    config.include(Shoulda::Callback::Matchers::ActiveModel)

  end

end


------------------------------------------------------------


3. In /spec/spec_helper.rb

3.1. For server:


require 'simplecov'

require 'simplecov-json'


SimpleCov.formatter = SimpleCov::Formatter::JSONFormatter

SimpleCov.start('rails') do

  add_group "Models", "app / models"

  add_group "Controllers", "app/controllers"

  add_group "Multiple Files", ["app/models", "app/controllers"]

  add_group "bx_blocks", %r{ bx_block.*}

  add_filter %r{vendor/ruby/ruby/2.*}

end


# This file was generated by the `rails generate rspec:install` command. Conventionally, all

# specs live under a `spec` directory, which RSpec adds to the `$LOAD_PATH`.

# The generated `.rspec` file contains `--require spec_helper` which will cause

# this file to always be loaded, without a need to explicitly require it in any

# files.

#

# Given that it is always loaded, you are encouraged to keep this file as

# light-weight as possible. Requiring heavyweight dependencies from this file

# will add to the boot time of your test suite on EVERY test run, even for an

# individual file that may not need all of that loaded. Instead, consider making

# a separate helper file that requires the additional dependencies and performs

# the additional setup, and require it from the spec files that actually need

# it.

#

# See https://rubydoc.info/gems/rspec-core/RSpec/Core/Configuration

RSpec.configure do |config|

  # rspec-expectations config goes here. You can use an alternate

  # assertion/expectation library such as wrong or the stdlib/minitest

  # assertions if you prefer.

  config.expect_with :rspec do |expectations|

    # This option will default to `true` in RSpec 4. It makes the `description`

    # and `failure_message` of custom matchers include text for helper methods

    # defined using `chain`, e.g.:

    #     be_bigger_than(2).and_smaller_than(4).description

    #     # => "be bigger than 2 and smaller than 4"

    # ...rather than:

    #     # => "be bigger than 2"

    expectations.include_chain_clauses_in_custom_matcher_descriptions = true

  end


  # rspec-mocks config goes here. You can use an alternate test double

  # library (such as bogus or mocha) by changing the `mock_with` option here.

  config.mock_with :rspec do |mocks|

    # Prevents you from mocking or stubbing a method that does not exist on

    # a real object. This is generally recommended, and will default to

    # `true` in RSpec 4.

    mocks.verify_partial_doubles = true

  end


  # This option will default to `:apply_to_host_groups` in RSpec 4 (and will

  # have no way to turn it off -- the option exists only for backwards

  # compatibility in RSpec 3). It causes shared context metadata to be

  # inherited by the metadata hash of host groups and examples, rather than

  # triggering implicit auto-inclusion in groups with matching metadata.

  config.shared_context_metadata_behavior = :apply_to_host_groups


# The settings below are suggested to provide a good initial experience

# with RSpec, but feel free to customize to your heart's content.

=begin

  # This allows you to limit a spec run to individual examples or groups

  # you care about by tagging them with `:focus` metadata. When nothing

  # is tagged with `:focus`, all examples get run. RSpec also provides

  # aliases for `it`, `describe`, and `context` that include `:focus`

  # metadata: `fit`, `fdescribe` and `fcontext`, respectively.

  config.filter_run_when_matching :focus


  # Allows RSpec to persist some state between runs in order to support

  # the `--only-failures` and `--next-failure` CLI options. We recommend

  # you configure your source control system to ignore this file.

  config.example_status_persistence_file_path = "spec/examples.txt"


  # Limits the available syntax to the non-monkey patched syntax that is

  # recommended. For more details, see:

  # https://relishapp.com/rspec/rspec-core/docs/configuration/zero-monkey-patching-mode

  config.disable_monkey_patching!


  # Many RSpec users commonly either run the entire suite or an individual

  # file, and it's useful to allow more verbose output when running an

  # individual spec file.

  if config.files_to_run.one?

    # Use the documentation formatter for detailed output,

    # unless a formatter has already been configured

    # (e.g. via a command-line flag).

    config.default_formatter = "doc"

  end


  # Print the 10 slowest examples and example groups at the

  # end of the spec run, to help surface which specs are running

  # particularly slow.

  config.profile_examples = 10


  # Run specs in random order to surface order dependencies. If you find an

  # order dependency and want to debug it, you can fix the order by providing

  # the seed, which is printed after each run.

  #     --seed 1234

  config.order = :random


  # Seed global randomization in this process using the `--seed` CLI option.

  # Setting this allows you to use `--seed` to deterministically reproduce

  # test failures related to randomization by passing the same `--seed` value

  # as the one that triggered the failure.

  Kernel.srand config.seed

=end

end


3.2 For local


require 'simplecov'

RSpec.configure do |config|

  config.expect_with :rspec do |expectations|

    

    expectations.include_chain_clauses_in_custom_matcher_descriptions = true

  end

  SimpleCov.start 'rails'

  config.mock_with :rspec do |mocks|

   

    mocks.verify_partial_doubles = true

  end


  config.shared_context_metadata_behavior = :apply_to_host_groups


=begin

  config.filter_run_when_matching :focus


  config.example_status_persistence_file_path = "spec/examples.txt"


  config.disable_monkey_patching!


  if config.files_to_run.one?

    config.default_formatter = "doc"

  end


  config.profile_examples = 10


  config.order = :random


  Kernel.srand config.seed

=end

end

--------------------------------------------------------------

4. In /spec/factories/account.rb


FactoryBot.define do

  factory :account, :class => AccountBlock::Account do

    email  { Faker::Internet.unique.free_email }

    first_name { Faker::Name.name }

    last_name { Faker::Name.name }

    password {"qweQwe123" }

    full_phone_number {"91#{Faker::Base.numerify('99########')}"}

    activated {"true"}

    twitter_url { "https://twitter.com"}

    linkedin_url { "https://linkedin.com"}

    facebook_url { "https://facebook.com"}

    code { Faker::Alphanumeric.alpha(number: 15) }

  end

end




----------------------------------------------------------------------------

5. Write test case:
5.1 For Active admin : Create admin folder in spac: 

/spec/admin/categories_spec.rb

require 'rails_helper'
require 'spec_helper'
include Warden::Test::Helpers

RSpec.describe Admin::CategoriesController, type: :controller do  render_views

  before(:each) do
    # @category = FactoryBot.create(:category)
    
    @admin = AdminUser.find_or_create_by(email: 'admin1@example.com')
    @admin.password = 'password'
    @admin.save
    sign_in @admin
  end

  it 'get all categories' do
    get :index
    expect(response).to have_http_status :ok
    expect(response).to be_successful
    expect(response.body).to include('category')
  end
  private
  def category
        #some code here
  end
end
-----------------------
5.2 For controller in 

/spec/controllers/account_block/accounts_controller_spec.rb

require 'rails_helper'
RSpec.describe AccountBlock::AccountsController, type: :controller do
  before(:each) do
    @account = FactoryBot.build(:account)
    @account.save(validate: false)
    @token = BuilderJsonWebToken::JsonWebToken.encode(@account.id)
    @account_pass = "Test@123"
    @account_valid_pass = "Test123"
    @account2 = FactoryBot.build(:account, user_role: 'Speaker')
    @account2.save(validate: false)
  end


  describe 'POST account_block/accounts' do
    it 'Invalid email' do
      post :create, params: invalid_email_params
      expect(response.status).to eq 422
      expect(JSON.parse(response.body)['errors']['account'].join('')).to eq "Invalid email."
    end

    it 'Valid password' do
      post :create, params: valid_password_params
      expect(response.status).to eq 422
      expect(JSON.parse(response.body)['errors']['password'].join('')).to eq "Password should contain minimum 8 characters, 1 uppercase, 1 number, 1 special character."
    end
  end
end

---------------------------

5.3 For model in 

/spec/models/account_block/account_spec.rb

# frozen_string_literal: true

require 'rails_helper'

RSpec.describe User, type: :model do


before(:each) do

    @account = FactoryBot.build(:account)

    @account.save(:validate => false)

    

    

    @account.create_new_cvent_auth_for_gerenrate_token_speaker_delete

    @account.cvent_auth_token_for_delete

    @account.create_new_cvent_auth_for_gerenrate_token

  end


  describe "check_validation_screen1_for_product_type" do

    let(:account) { AccountBlock::Account.new(first_name: "testing", last_name: "testins") }

  end


  describe "Enum" do

    it { should define_enum_for(:user_role).with_values({ 'Speaker' => 0}) }

  end


end









Tuesday, 27 June 2023

Add full calendar in active admin step by step

 Version 6.1.8

1. in /app/admin/calendars.rb: Create new model and create new record(Calendar.create()): must have at least one record created

ActiveAdmin.register BxBlockCalendar::Calendar, as: 'Calendar' do

  actions :index

  config.filters = false

  index do

    render 'index'

  end

end

--------------------------------------

2. in /app/views/admin/calendars/_index.html.erb


<script src='https://cdn.jsdelivr.net/npm/fullcalendar@6.1.8/index.global.min.js'></script>

<div id="calendar"></div>

<script>


    document.addEventListener('DOMContentLoaded', function() {

      var calendarEl = document.getElementById('calendar');

      var calendar = new FullCalendar.Calendar(calendarEl, {

        initialView: 'dayGridMonth',

        navLinks: true,

headerToolbar: {

left: 'prev,next today',

center: 'title',

right: 'dayGridMonth,timeGridWeek,timeGridDay'

},

         eventSources: [

        {

          url: '/accounts/calendar_event.json',

          method: 'GET',

          extraParams: {

            clinician: '<%= params[:clinician] %>',

            status: '<%= params[:status] %>',


            appt_type: '',

            view_type: 'list'

          },

          success: function() {

            $(".ajax-loading").hide();

          },

          failure: function() {

            $(".ajax-loading").hide();

            alert('there was an error while fetching events!');

          }

        }

      ],

      });

      calendar.render();

    });

  </script>

-------------------------------------

3. in routes.rb

get "calendar_event", to: "events#calendar_event"

-------------------------------------------------

4. in /app/controllers/events_controller.rb


def calendar_event

       events = Event.where("start_date BETWEEN ? AND ? OR end_date BETWEEN ? AND ? ", params[:start].to_date.beginning_of_day, params[:end].to_date.end_of_day, params[:start].to_date.beginning_of_day, params[:end].to_date.end_of_day)

        events = events.map{|k,v| {

          title: k&.title,

          start: k&.start_date,

          end: k&.end_date,

        }}

        render json: events

    end

=============================================================

 Version 3.9.0 with gem

https://medium.com/@a01700666/fullcalendar-in-ruby-on-rails-f98816950039

https://codepen.io/pen?editors=0110


1. In Gemfile


gem 'fullcalendar-rails'

gem 'momentjs-rails'


bundle install

--------------------------------------------------

2. In /app/assets/javascripts/active_admin.js

//= require moment

//= require fullcalendar

--------------------------------------------------

3. In /app/assets/stylesheets/active_admin.scss 

@import "fullcalendar";

css fille hai to 

  1. *= require fullcalendar

---------------------------------------------------------------

4. In /app/views/admin/calendars/_index.html.erb


<div id="calendar"></div>


<script type="text/javascript">

$(function() {

$('#calendar').fullCalendar({

header: {

left: 'prev,next today',

center: 'title',

right: 'month,agendaWeek,agendaDay'

},

eventSources: [

{

url: '/accounts/calendar_event.json',

method: 'GET',

extraParams: {

clinician: '<%= params[:clinician] %>',

status: '<%= params[:status] %>',

appt_type: '',

view_type: 'list'

},

success: function() {

$(".ajax-loading").hide();

},

failure: function() {

$(".ajax-loading").hide();

alert('there was an error while fetching events!');

}

}

],

eventClick: function(event) {

// opens events in a popup window

window.open(event.url, '_blank', 'width=700,height=600');

return false;

}

});

});

</script>

----------------------------------------------------------

5.  in /app/admin/calendars.rb: Create new model and create new record(Calendar.create()): must have at least one record created

ActiveAdmin.register BxBlockCalendar::Calendar, as: 'Calendar' do

  actions :index

  config.filters = false

  index do

    render 'index'

  end

end

-----------------------------------------------------------------------

6. in routes.rb

get "calendar_event", to: "events#calendar_event"

-------------------------------------------------

7. in /app/controllers/events_controller.rb


def calendar_event

       events = Event.where("start_date BETWEEN ? AND ? OR end_date BETWEEN ? AND ? ", params[:start].to_date.beginning_of_day, params[:end].to_date.end_of_day, params[:start].to_date.beginning_of_day, params[:end].to_date.end_of_day)

        events = events.map{|k,v| {

          title: k&.title,

          start: k&.start_date,

          end: k&.end_date,

        }}

        render json: events

    end

-----------------------------------------------------------


https://github.com/mkhairi/fullcalendar









Tuesday, 21 February 2023

one option select then others option is disabled jquery in rails in active admin

Add searchable select step by step

1. Add gem : gem 'activeadmin-searchable_select'



then require js in // active_admin.js
//= require active_admin/searchable_select
$(document).ready(function(){
	$('.account_select_notify').change(function(){
		debugger
		if (this.value == 'all_account') {
		  $('.notify_select_account').attr('disabled', true);
		}
		else if (this.value != 'all_account') {
		  $('.notify_select_account').attr('disabled', false);
		}
	})
})
------------------------------------------------------
Then import Css in // active_admin.css.scss
@import "active_admin/searchable_select";
--------------------------------------------
2. Add input field in active admin
form do |f|
    f.inputs do
      f.input :title
      # f.input :user_id, as: :select, collection: User.all.map { |c| [c.first_name, c.id] }, include_blank: false, :input_html => { :width => 'auto' }
      f.input :user_id, as: :searchable_select, multiple: true, collection: ([["All", "all_account"]] + User.all.map{|acc| ["#{acc.email}", acc.id, class: "notify_select_account"]}), input_html: {required: true, class: "account_select_notify"}
    end
    f.actions         # adds the 'Submit' and 'Cancel' buttons
  end


  controller do
    def create
      users = params["notification"]["user_id"].reject { |c| c.empty?}
      if users.include?("all_account")
        users = User.all.map(&:id)
      end
      users.each do |user_id|
        Notification.create(user_id: user_id, title: params["notification"]["title"])
      end
      redirect_to admin_notifications_path, :alert => "Successfully Pushed Notification"
    end
  end

Friday, 17 February 2023

How to add action cable in rails application step by step

 1. Add meta tag in layout:

   <!DOCTYPE html>

<html>

  <head>

    <title>ActionCableSimpleApp</title>

    <meta name="viewport" content="width=device-width,initial-scale=1">

    <%= csrf_meta_tags %>

    <%= csp_meta_tag %>

    <%= action_cable_meta_tag %>

    <%= stylesheet_link_tag 'application', media: 'all', 'data-turbolinks-track': 'reload' %>

    <%= javascript_include_tag 'application', 'data-turbolinks-track': 'reload' %>

  </head>


  <body>

    <%= yield %>

  </body>

</html>

------------------------------------------------------------
2. config/cable.yml

development:
  adapter: redis
  url: <%= "redis://localhost:6379/1" || "redis://localhost:6379/1" %>
test:
  adapter: test
production:
  adapter: redis
  url: <%= "redis://localhost:6379/1" || "redis://localhost:6379/1" %>
  channel_prefix: action_cable_production
-----------------------------------------------------

3. Add javascripts folder in app/assets/javascripts

3.1: add new folder in app/assets/javascripts/channels
    1.1 add new file in app/assets/javascripts/channels/messages.js

     App.messages = App.cable.subscriptions.create('MessagesChannel', {  
connected(){
console.log("connted to message chall");
},
disconnected(){
console.log("disconnted to message chall");
},
  received: function(data) {
  $("#dhjdhjdfdf").append(data.message) //data show from this line 
console.log(data);
  },
});
--------------------------------

3.2 add application.js in app/assets/javascripts
//= require jquery
//= require jquery_ujs
//= require cable
//= require turbolinks

------------------------------------
3.3 add cable.js in app/assets/javascripts

//= require action_cable
//= require_self
//= require_tree

(function() {
  this.App || (this.App = {});

  App.cable = ActionCable.createConsumer();

}).call(this);

------------------------------------------------------------------------
4. in app/channels/application_cable/connection.rb

module ApplicationCable
class Connection < ActionCable::Connection::Base
# identified_by :current_user

def connect
end

private
end
end
----------------------------------------------------------------------------------------
5. app/channels/messages_channel.rb

class MessagesChannel < ApplicationCable::Channel
  def subscribed
    stream_from 'messages'
  end

  def unsubscribed
    # Any cleanup needed when channel is unsubscribed
  end
end
---------------------------------------------------------

6. Add gems:
gem 'redis'
gem 'jquery-rails'
gem 'jquery-ui-rails'

---------------------------------------------------
7. Add routes in routes.rb

mount ActionCable.server => '/cable'
---------------------------------------------------
8. run: sudo service redis-server restart
----------------------------------------------
9. and for broadcast command

ActionCable.server.broadcast "messages", {:message=>"zzzzzzz"}
-----------------------------------------------------------------

10. Add this link in root path

<div id="dhjdhjdfdf"></div>