text
stringlengths
10
2.61M
require 'pathname' module Twigg autoload :Cacher, 'twigg/cacher' autoload :Command, 'twigg/command' autoload :Commit, 'twigg/commit' autoload :CommitSet, 'twigg/commit_set' autoload :CommitSetDecorator, 'twigg/commit_set_decorator' autoload :Config, 'twigg/config' autoload :Console, 'twigg/console' autoload :Dependency, 'twigg/dependency' autoload :Decorator, 'twigg/decorator' autoload :Decoratable, 'twigg/decoratable' autoload :Flesch, 'twigg/flesch' autoload :Gatherer, 'twigg/gatherer' autoload :PairMatrix, 'twigg/pair_matrix' autoload :Repo, 'twigg/repo' autoload :RepoSet, 'twigg/repo_set' autoload :RussianNovel, 'twigg/russian_novel' autoload :Settings, 'twigg/settings' autoload :Team, 'twigg/team' autoload :Util, 'twigg/util' autoload :VERSION, 'twigg/version' # Returns a Pathname instance corresponding to the root directory of the gem # (ie. the directory containing the `files` and `templates` directories). def self.root Pathname.new(__dir__) + '..' end end Twigg::Config.boot
class Api::V1::TodoListPresenter < Api::V1::BasePresenter def present_object(object, options = {}) return object unless object.errors.empty? # Renders validation errors unless options[:include_root] if options[:minimal] { :id => object.id, :name => object.name } elsif options[:awesome] { :id => object.id, :name => object.name, :awesome => true, :message => object.hello } else object.as_json end else options.merge!(:include_root => false) { subject_class.to_sym => present_object(object, options) } end end end
require "requests/spec_helper" # This file will be required by # all file in this directory and subdirectory shared_context "setup_s2_environment_for_dna_rna_manual_extraction" do let(:user_uuid) { "2ea2d340-7f57-0130-e344-282066132de2" } let(:study_uuid) { "2ea2dc40-7f57-0130-e344-282066132de2" } let(:sample_uuids) { ["2ea393c0-7f57-0130-e344-282066132de2", "2ea423b0-7f57-0130-e344-282066132de2", "2ea4b420-7f57-0130-e344-282066132de2"] } let(:tube_uuids) { ["2ea58a10-7f57-0130-e344-282066132de2", "2ea6d7b0-7f57-0130-e344-282066132de2", "2ea83c50-7f57-0130-e344-282066132de2"] } let(:labellable_uuids) { ["2ea59590-7f57-0130-e344-282066132de2", "2ea6e160-7f57-0130-e344-282066132de2", "2ea84ed0-7f57-0130-e344-282066132de2"] } let(:order_uuids) { ["2ea9d600-7f57-0130-e344-282066132de2", "2eaaf660-7f57-0130-e344-282066132de2"] } let(:source_tube_barcodes) { ["1220017279667", "1220017279668", "1220017279669"] } # Needed for the order creation # - a valid study uuid # - a valid user uuid # Add a user and a study in the core let(:order_config) { user = Lims::LaboratoryApp::Organization::User.new study = Lims::LaboratoryApp::Organization::Study.new save_with_uuid({user => user_uuid, study => study_uuid}) {:user_uuid => user_uuid, :study_uuid => study_uuid} } # Setup the orders for dna_rna manual extraction pipeline # 2 tubes in 1 order # 1 tube in 1 order # Create the tubes for dna+rna manual extraction orders # Barcode each tube let(:create_samples) { [0, 1, 2].each do |i| sample = Lims::LaboratoryApp::Laboratory::Sample.new(:name => "sample_#{i}") save_with_uuid(sample => sample_uuids[i]) end } let(:create_labelled_tubes) { [0, 1, 2].each do |i| store.with_session do |session| tube = Lims::LaboratoryApp::Laboratory::Tube.new tube << Lims::LaboratoryApp::Laboratory::Aliquot.new(:sample => session[sample_uuids[i]], :type => "NA+P", :quantity => 1000) labellable = Lims::LaboratoryApp::Labels::Labellable.new(:name => tube_uuids[i], :type => "resource") labellable["barcode"] = Lims::LaboratoryApp::Labels::Labellable::Label.new(:type => "ean13-barcode", :value => source_tube_barcodes[i]) set_uuid(session, tube, tube_uuids[i]) set_uuid(session, labellable, labellable_uuids[i]) end end } # Create orders # First order with 2 tubes, Second order with 1 tube let(:create_orders) { [[tube_uuids[0], tube_uuids[1]], [tube_uuids[2]]].each_with_index do |source_tubes, index| store.with_session do |session| order = Lims::LaboratoryApp::Organization::Order.new(:creator => session[user_uuid], :study => session[study_uuid], :pipeline => "DNA+RNA manual extraction", :cost_code => "cost code") order.add_source("tube_to_be_extracted_nap", source_tubes) set_uuid(session, order, order_uuids[index]) end end } let!(:setup) { order_config create_samples create_labelled_tubes create_orders } end
class Post::TopRatingQuery include ActiveModel::Validations validates :quantity, presence: true, numericality: { only_integer: true } attr_reader :collection, :quantity, :page def initialize(params:) @quantity = params[:quantity] @page = params[:page].to_i > 0 ? params[:page] : 1 end def perform return errors unless valid? fetch_posts apply_by_quantity apply_paginate collection end private def fetch_posts @collection = Post.order(rating: :desc) end def apply_by_quantity @collection = collection.limit(quantity) end def apply_paginate @collection = collection.page(page).per(formatted_per) end def formatted_per quantity.to_i < 50 ? quantity : 50 end end
class LinkedinUserUpdateComment < ActiveRecord::Base belongs_to :linkedin_user_comment_like,:foreign_key => "linkedin_user_comment_like_id" def self.process_hash(comment) if (comment.nil?) return nil end comment['linkedin_id'] = comment['person']['id'] comment['first_name'] = comment['person']['first_name'] comment['last_name'] = comment['person']['last_name'] comment['headline'] = comment['person']['headline'] comment['api_standard_profile_request'] = comment['person']['api_standard_profile_request']['url'] comment['id'] = comment['person']['id'] comment['site_standard_profile_request'] = comment['person']['site_standard_profile_request']['url'] comment.delete('person') return comment end def initialize(hash) hash = process_hash(hash) super(hash) end def compare_hash(hash_from_database,hash_from_server) result = Hash.new hash_from_database.each { |key,value| if key.to_s != 'linkedin_user_id'.to_s && key.to_s != 'created_at'.to_s && key.to_s != 'updated_at'.to_s && value != hash_from_server[key] result[key] = hash_from_server[key] end } return result end def update_attributes(hash) hash = process_hash(hash) hash = compare_hash(self.attributes,hash) super(hash) end end
require 'test_helper' describe Rack::PrxAuth do let(:app) { Proc.new {|env| env } } let(:prxauth) { Rack::PrxAuth.new(app) } let(:fake_token) { 'afawefawefawefawegstgnsrtiohnlijblublwjnvrtoign'} let(:env) { {'HTTP_AUTHORIZATION' => 'Bearer ' + fake_token } } let(:iat) { Time.now.to_i } let(:exp) { 3600 } let(:claims) { {'sub'=>3, 'exp'=>exp, 'iat'=>iat, 'token_type'=>'bearer', 'scope'=>nil, 'iss'=>'id.prx.org'} } describe '#call' do it 'does nothing if there is no authorization header' do env = {} assert prxauth.call(env.clone) == env end it 'does nothing if the token is from another issuer' do claims['iss'] = 'auth.elsewhere.org' JSON::JWT.stub(:decode, claims) do assert prxauth.call(env.clone) == env end end it 'does nothing if token is invalid' do assert prxauth.call(env.clone) == env end it 'does nothing if the token is nil' do env = { "HTTP_AUTHORIZATION" => "Bearer "} assert prxauth.call(env) == env end it 'returns 401 if verification fails' do auth_validator = prxauth.build_auth_validator('sometoken') JSON::JWT.stub(:decode, claims) do prxauth.stub(:build_auth_validator, auth_validator) do auth_validator.stub(:valid?, false) do assert prxauth.call(env) == Rack::PrxAuth::INVALID_TOKEN end end end end it 'returns 401 if access token has expired' do auth_validator = prxauth.build_auth_validator('sometoken') JSON::JWT.stub(:decode, claims) do prxauth.stub(:build_auth_validator, auth_validator) do auth_validator.stub(:expired?, true) do assert prxauth.call(env) == Rack::PrxAuth::INVALID_TOKEN end end end end it 'attaches claims to request params if verification passes' do auth_validator = prxauth.build_auth_validator('sometoken') JSON::JWT.stub(:decode, claims) do prxauth.stub(:build_auth_validator, auth_validator) do prxauth.call(env)['prx.auth'].tap do |token| assert token.instance_of? Rack::PrxAuth::TokenData assert token.user_id == claims['sub'] end end end end end describe 'initialize' do it 'takes a certificate location as an option' do loc = nil Rack::PrxAuth::Certificate.stub(:new, Proc.new{|l| loc = l}) do Rack::PrxAuth.new(app, cert_location: :location) assert loc == :location end end end end
require 'spec_helper' describe Tapir::Reports::Template do context 'given an object attribute tag' do let(:content) { '&lt;%= @foo.bar %&gt;' } it 'should output Twitter Bootstrapped erb (for displaying as a preview)' do expect(Tapir::Reports::Template.to_bootstrap_erb(content)).to eq('<%= @foo.bar %>') end end context 'given a Word template' do let(:template) { Tapir::Reports::Template.new(fixture('products.docx')) } it 'should output Twitter Bootstrapped erb (for displaying as a preview)' do html_erb = Tapir::Reports::Template.to_bootstrap_erb(template.contents) # File.write('doc.html.erb', html_erb.force_encoding('UTF-8')) # for debug purposes expect(html_erb).to include('<link href="https://cdn.jsdelivr.net/npm/bootstrap') end end end
class TuristicPoint < ActiveRecord::Base include Visitavel belongs_to :pais belongs_to :estado belongs_to :cidade #Galleria has_many :turistic_point_galleries accepts_nested_attributes_for :turistic_point_galleries #Validação validates :nome, presence: true validates :pais, presence: true validates :estado, presence: true validates :cidade, presence: true validates :rua, presence: true end
class MetabolicRatesController < ApplicationController layout 'tracking' before_filter :authenticate_user! def edit @user = current_user end def update if current_user.birthdate.blank? redirect_to(user_edit_personal_info_path(current_user), :alert => 'Please set your birthdate first, we need it to perform your BMR/RMR calculations of your goal.') and return elsif params[:user][:activity_level].blank? redirect_to(edit_metabolic_rates_path, :alert => 'Please select your level of activity.') and return end if params[:user][:desired_weight].to_i >= current_user.weight flash.now[:warning] = 'We currently only calculate for weight lose, please choose a desired weight lower than your current weight' render(:action => :edit) and return end current_user.attributes = params[:user] current_user.calculate_metabolic_rates if current_user.save redirect_to user_path(current_user), :notice => 'Your goal has been saved.' else render :action => :edit end end end
class SemanticalPhase @@operators = ['StartSym', 'PlusOp', 'MinusOp', 'MultiplyOp', 'DivideOp', 'NegOp', 'LParen', 'RParen', 'AssignOp', 'SemiColon', 'Comma'] @@comparison_operators = ['EqSym', 'NotEqSym', 'LsSym', 'LsEqSym', 'GrSym', 'GrEqSym'] def initialize(sem_path, lis_path, lexemes, atoms, symbol_table, int_literal_table) @lis_path = lis_path @sem_path = sem_path @labels = [] @lexemes = [] @atoms = atoms @label_num = 0 @temp_num = 0 @symbol_table = symbol_table @int_literal_table = int_literal_table divide_lexemes_into_statements(lexemes) end def run @lexemes.each do |line| evaluate_expression(line) end message = 'Semantical phase successful - .sem file generated' write_sem write_lis(message) puts(message) end private # push all the lexemes for a single line statement # onto the @lexemes stack def divide_lexemes_into_statements(lexemes) statement = [] lexemes.each do |lexeme| if ['@', 'BeginSym', 'EndSym', 'EofSym'].member?(lexeme) if !statement.empty? @lexemes.push(statement) statement = [] end else statement.push(lexeme) end end end # evaluate_expression will return either nil, # or the name of a variable def evaluate_expression(lexemes) lexeme = lexemes.first.split('_').first return if !lexeme if lexeme == 'ReadSym' return read_expression(lexemes) elsif lexeme == 'WriteSym' return write_expression(lexemes) elsif lexeme == 'IfSym' return if_expression(lexemes) elsif lexeme == 'ElseSym' label_atom = ['Lbl', pop_next_label] branch_atom = ['Br', push_next_label] @atoms.push(branch_atom) @atoms.push(label_atom) elsif lexeme == 'EndIfSym' @atoms.push(['Lbl', pop_next_label]) elsif lexeme == 'WhileSym' return while_expression(lexemes) elsif lexeme == 'EndLoopSym' @atoms.push(['Br', pop_next_label]) @atoms.push(['Lbl', pop_next_label]) elsif lexeme == 'Id' return id_expression(lexemes) elsif lexeme == 'IntLiteral' return int_literal_expression(lexemes) else return polishize(lexemes) end end def read_expression(lexemes) lexemes.each do |lexeme| first = lexeme.split('_').first if (first == 'Id' || first == 'IntLiteral') atom = ['ReadSym', get_lexeme_value(lexeme)] @atoms.push(atom) end end end def write_expression(lexemes) statement = [] # Reverse lexemes so we can pop off the # lexemes from the beginning of the string. lexemes.reverse! # Get rid of WriteSym lexemes.pop # Get rid of LParen lexemes.pop while lexeme = lexemes.pop statement.push(lexeme) if lexeme != 'SemiColon' if lexeme == 'Comma' || lexeme == 'SemiColon' atom = ['WriteSym', evaluate_expression(statement)] @atoms.push(atom) statement = [] end end end def if_expression(lexemes) statement = [] test_atom = ['Tst'] comparison_operator = '' lexemes.reverse! # Get rid of IfSym lexemes.pop # Get rid of LParen lexemes.pop while lexeme = lexemes.pop if lexeme == 'ThenSym' test_atom.push(evaluate_expression(statement)) break elsif @@comparison_operators.include?(lexeme) statement.push('Comma') test_atom.push(evaluate_expression(statement)) statement = [] comparison_operator = lexeme else statement.push(lexeme) end end test_atom.push(comparison_operator) test_atom.push(push_next_label) @atoms.push(test_atom) end def while_expression(lexemes) statement = [] test_atom = ['Tst'] comparison_operator = '' lexemes.reverse! # Get rid of WhileSym lexemes.pop # Get rid of LParen lexemes.pop while lexeme = lexemes.pop if lexeme == 'LoopSym' test_atom.push(evaluate_expression(statement)) break elsif @@comparison_operators.include?(lexeme) statement.push('Comma') test_atom.push(evaluate_expression(statement)) statement = [] comparison_operator = lexeme else statement.push(lexeme) end end test_atom.push(comparison_operator) test_atom.push(push_next_label) @atoms.push(['Lbl', push_next_label]) @atoms.push(test_atom) end # If this expression is just a single Id, # possibly followed by a Comma or RParen, # just return the Id. # Otherwise, polishize the lexemes. def id_expression(lexemes) return get_lexeme_value(lexemes.first) if lexemes.length <= 2 return polishize(lexemes) end # If this expression is just a single IntLiteral, # possibly followed by a Comma or RParen, # just return the IntLiteral. # Otherwise, polishize the lexemes. def int_literal_expression(lexemes) return get_lexeme_value(lexemes.first) if lexemes.length <= 2 return polishize(lexemes) end # This method will order a statement # into Reverse Polish Notation def polishize(lexemes) operators = [] operands = [] operators.push('StartSym') lexemes.reverse! while lexeme = lexemes.pop if @@operators.member?(lexeme) compare_precedence(lexeme, operators, operands) else operands.push(lexeme) end end return atomize(operands) end def compare_precedence(lexeme, operators, operands) precedence = PrecedenceTable.compare(lexeme, operators.last) if precedence.less_than? operators.push(lexeme) elsif precedence.greater_than? operator = operators.pop operands.push(operator) compare_precedence(lexeme, operators, operands) elsif precedence.erase? operators.pop end end # This method takes a collection of lexemes # in Reverse Polish Notation, and creates atoms def atomize(lexemes) while lexemes.length > 1 lexemes.each_index do |i| lexeme = lexemes[i] if @@operators.member?(lexeme) if lexeme == 'AssignOp' lexeme = lexemes.delete_at(i) operand = lexemes.delete_at(i - 1) id = lexemes.delete_at(i - 2) atom = [lexeme, get_lexeme_value(id), get_lexeme_value(operand)] @atoms.push(atom) break elsif lexeme == 'NegOp' temp = get_next_temp @int_literal_table.push('0') if !@int_literal_table.include?('0') zero = "IntLiteral_#{@int_literal_table.index('0')}" lexemes[i] = temp operand = lexemes.delete_at(i - 1) atom = ['MinusOp', temp, get_lexeme_value(zero), get_lexeme_value(operand)] @atoms.push(atom) break else temp = get_next_temp lexemes[i] = temp operand2 = lexemes.delete_at(i - 1) operand1 = lexemes.delete_at(i - 2) atom = [lexeme, temp, get_lexeme_value(operand1), get_lexeme_value(operand2)] @atoms.push(atom) break end end end end # return the last Identifier return @atoms.last[1] end # If the lexeme is an Id, return the Id stored in the symbol table. # If the lexeme is an IntLiteral, return symbol to reference int. # Otherwise, just return the lexeme. def get_lexeme_value(lexeme) token, value = lexeme.split('_') if token == 'Id' return @symbol_table[value.to_i] elsif token == 'IntLiteral' return "_int#{value}" else return lexeme end end def get_next_temp temp = "_temp#{@temp_num}" @temp_num = @temp_num.next return temp end # This will create a new label, push it onto the @labels stack, # and return the label def push_next_label label = "lbl#{@label_num}" @label_num = @label_num.next @labels.push(label) return label end # This will pop the first label off the stack, and return it as an atom def pop_next_label return @labels.pop end def write_sem File.open(@sem_path, "w") do |sem| @atoms.each {|atom| sem.puts(atom.join(','))} end end def write_lis(message) File.open(@lis_path, "a") do |file| file.puts(message) end end end
# frozen_string_literal: true require_relative 'mixins/command' # select-pane (alias: selectp) # [-DdeLlMmRUZ] # [-T title] [-t target-pane] module Build module Util class Tmux module SelectPane include Mixins::Command aka :selectp switch D: :below switch d: :disable_input switch e: :enable_input switch L: :left switch l: :last_pane switch M: :clear_marked_pane switch m: :set_marked_pane switch R: :right switch U: :above switch Z: :zoom flag T: :title flag t: :target_pane end end end end
class AccountController < ApplicationController before_filter :build, :except=>'index' require 'account' #Explicit include of model because we use derived classes #so autoloader gets confused cos I didn't make each one its own file def graph case @code when false else @basex=8 @basey=4 end end def report end def index #list available accounts @accounts=PertainingCategory.available_categories. concat(DirectCategory.available_categories). concat(JiraAccount.available_issues). concat([ EverythingAccount.new, SourcesAccount.new ]) end private def build if params[:account] @account=RawAccount.new(account) elsif params[:everything] @account=EverythingAccount.new elsif params[:sources] @account=EverythingAccount.new elsif params[:allpath] @account=PertainingCategory.new(params[:allpath]) elsif params[:textpath] @account=DirectCategory.new(params[:textpath]) elsif params[:project] @account=JiraAccount.new(params[:project],params[:issue]) else raise "Invalid route" end @code=@account.code @label=@account.label #lossy encoding as partial names must be valid variable names end end
class UsersController < ApplicationController before_filter :authenticate_user! before_filter :verify_is_admin def index if params[:approved] == "false" @users = User.find_all_by_approved(false) else @users = User.find(:all, :conditions => ["id != 1"]) end end def approve @user = User.find(params[:id]) @user.toggle!(:approved) UserMailer.signup_confirmation(@user).deliver redirect_to users_path, :action => "index", :approved => "false", notice: "#{@user.email} has been approved, and an email sent." end def make_admin user = User.find(params[:id]) user.toggle!(:admin) redirect_to users_path flash[:sucess] = "#{user.name} has been updated" end def destroy user = User.find(params[:id]) if (user.admin?) flash[:error] = "You cannot delete an Administrator!" else user.destroy flash[:success] = "User destroyed. Name: #{user.name}" end redirect_to users_path end private def verify_is_admin (current_user.nil?) ? redirect_to(root_path) : (redirect_to(root_path, notice: "You do not have the priviledges to proceed") unless current_user.admin?) end end
require 'rails_helper' RSpec.describe ProfileSocial, type: :model do it {should belong_to(:profile)} it {should belong_to(:social_type)} it {should validate_presence_of(:profile)} it {should validate_presence_of(:social_type)} it {should validate_presence_of(:link)} end
require 'station' describe Station do context 'station returns expected attributes' do before (:each) do @subject = Station.new("Baker Street", 1) end it 'returns Baker Street when asked for station name' do expect(@subject.name).to eq("Baker Street") end it 'returns 1 when asked for a zone' do expect(@subject.zone).to eq(1) end end end
class AddOptionToImageFiles < ActiveRecord::Migration[5.0] def change change_column :image_files, :file, :text, null: false change_column :image_files, :about_file, :text, null: false change_column :image_files, :status, :integer, null: false end end
class JobType < ActiveRecord::Base has_and_belongs_to_many :requirements end
# This file should contain all the record creation needed to seed the database with its default values. # The data can then be loaded with the rails db:seed command (or created alongside the database with db:setup). # # Examples: # # movies = Movie.create([{ name: 'Star Wars' }, { name: 'Lord of the Rings' }]) # Character.create(name: 'Luke', movie: movies.first) Offer.__elasticsearch__.create_index!(force: true) user = User.create(email: 'user@justcars.pl', password: 'justcars123') image_base_64 = <<-BASE64 data:image/jpeg;base64,/9j/4iN8SUNDX1BST0ZJTEUAAQEAACNsbGNtcwIQAABtbnRyUkdCIFhZWiAH4gAKAAUAEAAnAC5hY3NwTVNGVAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA9tYAAQAAAADTLWxjbXMAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA5kZXNjAAABLAAAAHRjcHJ0AAABoAAAABd3dHB0AAABuAAAABRjaGFkAAABzAAAACxyWFlaAAAB+AAAABRiWFlaAAACDAAAABRnWFlaAAACIAAAABRyVFJDAAACNAAAIAxnVFJDAAACNAAAIAxiVFJDAAACNAAAIAxjaHJtAAAiQAAAACRkbW5kAAAiZAAAAIBkbWRkAAAi5AAAAHRia3B0AAAjWAAAABRkZXNjAAAAAAAAAAhzUkdCAAAAAAAAAAAAAAAJAHMAUgBHAEIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAHRleHQAAAAAUHVibGljIERvbWFpbgAAAFhZWiAAAAAAAAD21gABAAAAANMtc2YzMgAAAAAAAQxCAAAF3v//8yUAAAeTAAD9kP//+6H///2iAAAD3AAAwG5YWVogAAAAAAAAb6AAADj1AAADkFhZWiAAAAAAAAAknwAAD4QAALbEWFlaIAAAAAAAAGKXAAC3hwAAGNljdXJ2AAAAAAAAEAAAAAABAAIABAAFAAYABwAJAAoACwAMAA4ADwAQABEAEwAUABUAFgAYABkAGgAbABwAHgAfACAAIQAjACQAJQAmACgAKQAqACsALQAuAC8AMAAyADMANAA1ADcAOAA5ADoAOwA9AD4APwBAAEIAQwBEAEUARwBIAEkASgBMAE0ATgBPAFEAUgBTAFQAVQBXAFgAWQBaAFwAXQBeAF8AYQBiAGMAZABmAGcAaABpAGsAbABtAG4AbwBxAHIAcwB0AHYAdwB4AHkAewB8AH0AfgCAAIEAggCDAIUAhgCHAIgAiQCLAIwAjQCOAJAAkQCSAJMAlQCWAJcAmACaAJsAnACdAJ8AoAChAKIApAClAKYApwCoAKoAqwCsAK0ArwCwALEAsgC0ALUAtgC3ALkAugC7ALwAvgC/AMAAwQDCAMQAxQDGAMcAyQDKAMsAzADOAM8A0ADRANMA1ADVANcA2ADZANoA3ADdAN4A4ADhAOIA5ADlAOYA6ADpAOoA7ADtAO8A8ADxAPMA9AD2APcA+AD6APsA/QD+AP8BAQECAQQBBQEHAQgBCgELAQ0BDgEPAREBEgEUARUBFwEYARoBGwEdAR8BIAEiASMBJQEmASgBKQErAS0BLgEwATEBMwE0ATYBOAE5ATsBPAE+AUABQQFDAUUBRgFIAUoBSwFNAU8BUAFSAVQBVQFXAVkBWgFcAV4BYAFhAWMBZQFnAWgBagFsAW4BbwFxAXMBdQF2AXgBegF8AX4BfwGBAYMBhQGHAYkBigGMAY4BkAGSAZQBlgGXAZkBmwGdAZ8BoQGjAaUBpwGpAasBrAGuAbABsgG0AbYBuAG6AbwBvgHAAcIBxAHGAcgBygHMAc4B0AHSAdQB1gHYAdoB3AHeAeEB4wHlAecB6QHrAe0B7wHxAfMB9QH4AfoB/AH+AgACAgIEAgcCCQILAg0CDwISAhQCFgIYAhoCHQIfAiECIwIlAigCKgIsAi4CMQIzAjUCOAI6AjwCPgJBAkMCRQJIAkoCTAJPAlECUwJWAlgCWgJdAl8CYQJkAmYCaQJrAm0CcAJyAnUCdwJ5AnwCfgKBAoMChgKIAosCjQKQApIClQKXApoCnAKfAqECpAKmAqkCqwKuArACswK1ArgCuwK9AsACwgLFAsgCygLNAs8C0gLVAtcC2gLdAt8C4gLkAucC6gLsAu8C8gL1AvcC+gL9Av8DAgMFAwgDCgMNAxADEwMVAxgDGwMeAyADIwMmAykDLAMuAzEDNAM3AzoDPQM/A0IDRQNIA0sDTgNRA1QDVgNZA1wDXwNiA2UDaANrA24DcQN0A3cDegN9A4ADggOFA4gDiwOOA5EDlAOYA5sDngOhA6QDpwOqA60DsAOzA7YDuQO8A78DwgPFA8kDzAPPA9ID1QPYA9sD3wPiA+UD6APrA+4D8gP1A/gD+wP+BAIEBQQIBAsEDwQSBBUEGAQcBB8EIgQlBCkELAQvBDMENgQ5BD0EQARDBEcESgRNBFEEVARXBFsEXgRiBGUEaARsBG8EcwR2BHkEfQSABIQEhwSLBI4EkgSVBJkEnASgBKMEpwSqBK4EsQS1BLgEvAS/BMMExgTKBM4E0QTVBNgE3ATgBOME5wTqBO4E8gT1BPkE/QUABQQFCAULBQ8FEwUWBRoFHgUiBSUFKQUtBTEFNAU4BTwFQAVDBUcFSwVPBVIFVgVaBV4FYgVmBWkFbQVxBXUFeQV9BYEFhAWIBYwFkAWUBZgFnAWgBaQFqAWsBa8FswW3BbsFvwXDBccFywXPBdMF1wXbBd8F4wXnBesF7wX0BfgF/AYABgQGCAYMBhAGFAYYBhwGIQYlBikGLQYxBjUGOQY+BkIGRgZKBk4GUwZXBlsGXwZjBmgGbAZwBnQGeQZ9BoEGhQaKBo4GkgaXBpsGnwakBqgGrAaxBrUGuQa+BsIGxgbLBs8G1AbYBtwG4QblBuoG7gbyBvcG+wcABwQHCQcNBxIHFgcbBx8HJAcoBy0HMQc2BzoHPwdDB0gHTQdRB1YHWgdfB2MHaAdtB3EHdgd7B38HhAeJB40HkgeXB5sHoAelB6kHrgezB7cHvAfBB8YHygfPB9QH2QfdB+IH5wfsB/EH9Qf6B/8IBAgJCA0IEggXCBwIIQgmCCsILwg0CDkIPghDCEgITQhSCFcIXAhhCGYIawhwCHUIegh/CIQIiQiOCJMImAidCKIIpwisCLEItgi7CMAIxQjKCM8I1AjZCN8I5AjpCO4I8wj4CP0JAwkICQ0JEgkXCR0JIgknCSwJMQk3CTwJQQlGCUwJUQlWCVsJYQlmCWsJcQl2CXsJgQmGCYsJkQmWCZsJoQmmCasJsQm2CbwJwQnGCcwJ0QnXCdwJ4gnnCe0J8gn4Cf0KAgoICg0KEwoZCh4KJAopCi8KNAo6Cj8KRQpKClAKVgpbCmEKZgpsCnIKdwp9CoMKiAqOCpQKmQqfCqUKqgqwCrYKvArBCscKzQrTCtgK3grkCuoK7wr1CvsLAQsHCwwLEgsYCx4LJAsqCy8LNQs7C0ELRwtNC1MLWQtfC2QLagtwC3YLfAuCC4gLjguUC5oLoAumC6wLsgu4C74LxAvKC9AL1gvcC+IL6QvvC/UL+wwBDAcMDQwTDBkMIAwmDCwMMgw4DD4MRQxLDFEMVwxdDGQMagxwDHYMfQyDDIkMjwyWDJwMogyoDK8MtQy7DMIMyAzODNUM2wzhDOgM7gz1DPsNAQ0IDQ4NFQ0bDSENKA0uDTUNOw1CDUgNTw1VDVwNYg1pDW8Ndg18DYMNiQ2QDZYNnQ2kDaoNsQ23Db4NxQ3LDdIN2Q3fDeYN7A3zDfoOAQ4HDg4OFQ4bDiIOKQ4vDjYOPQ5EDkoOUQ5YDl8OZg5sDnMOeg6BDogOjg6VDpwOow6qDrEOuA6+DsUOzA7TDtoO4Q7oDu8O9g79DwQPCw8SDxkPIA8nDy4PNQ88D0MPSg9RD1gPXw9mD20PdA97D4IPiQ+QD5gPnw+mD60PtA+7D8IPyg/RD9gP3w/mD+0P9Q/8EAMQChASEBkQIBAnEC8QNhA9EEQQTBBTEFoQYhBpEHAQeBB/EIYQjhCVEJ0QpBCrELMQuhDCEMkQ0BDYEN8Q5xDuEPYQ/REFEQwRFBEbESMRKhEyETkRQRFIEVARVxFfEWcRbhF2EX0RhRGNEZQRnBGkEasRsxG7EcIRyhHSEdkR4RHpEfAR+BIAEggSDxIXEh8SJxIuEjYSPhJGEk4SVRJdEmUSbRJ1En0ShBKMEpQSnBKkEqwStBK8EsQSzBLUEtsS4xLrEvMS+xMDEwsTExMbEyMTKxMzEzsTRBNME1QTXBNkE2wTdBN8E4QTjBOUE50TpROtE7UTvRPFE80T1hPeE+YT7hP2E/8UBxQPFBcUIBQoFDAUOBRBFEkUURRaFGIUahRzFHsUgxSMFJQUnBSlFK0UthS+FMYUzxTXFOAU6BTxFPkVARUKFRIVGxUjFSwVNBU9FUUVThVXFV8VaBVwFXkVgRWKFZMVmxWkFawVtRW+FcYVzxXYFeAV6RXyFfoWAxYMFhQWHRYmFi8WNxZAFkkWUhZaFmMWbBZ1Fn4WhhaPFpgWoRaqFrMWuxbEFs0W1hbfFugW8Rb6FwMXDBcUFx0XJhcvFzgXQRdKF1MXXBdlF24XdxeAF4kXkhecF6UXrhe3F8AXyRfSF9sX5BftF/cYABgJGBIYGxgkGC4YNxhAGEkYUhhcGGUYbhh3GIEYihiTGJwYphivGLgYwhjLGNQY3hjnGPAY+hkDGQwZFhkfGSkZMhk7GUUZThlYGWEZaxl0GX4ZhxmRGZoZpBmtGbcZwBnKGdMZ3RnmGfAZ+hoDGg0aFhogGioaMxo9GkYaUBpaGmMabRp3GoEaihqUGp4apxqxGrsaxRrOGtga4hrsGvUa/xsJGxMbHRsnGzAbOhtEG04bWBtiG2wbdRt/G4kbkxudG6cbsRu7G8UbzxvZG+Mb7Rv3HAEcCxwVHB8cKRwzHD0cRxxRHFscZRxwHHochByOHJgcohysHLYcwRzLHNUc3xzpHPQc/h0IHRIdHB0nHTEdOx1FHVAdWh1kHW8deR2DHY4dmB2iHa0dtx3BHcwd1h3hHesd9R4AHgoeFR4fHioeNB4+HkkeUx5eHmgecx59Hogekx6dHqgesh69Hsce0h7cHuce8h78HwcfEh8cHycfMh88H0cfUh9cH2cfch98H4cfkh+dH6cfsh+9H8gf0h/dH+gf8x/+IAggEyAeICkgNCA/IEogVCBfIGogdSCAIIsgliChIKwgtyDCIM0g2CDjIO4g+SEEIQ8hGiElITAhOyFGIVEhXCFnIXIhfiGJIZQhnyGqIbUhwCHMIdch4iHtIfgiBCIPIhoiJSIwIjwiRyJSIl4iaSJ0In8iiyKWIqEirSK4IsMizyLaIuYi8SL8IwgjEyMfIyojNSNBI0wjWCNjI28jeiOGI5EjnSOoI7QjvyPLI9Yj4iPuI/kkBSQQJBwkKCQzJD8kSyRWJGIkbiR5JIUkkSScJKgktCS/JMsk1yTjJO4k+iUGJRIlHiUpJTUlQSVNJVklZSVwJXwliCWUJaAlrCW4JcQl0CXcJecl8yX/JgsmFyYjJi8mOyZHJlMmXyZrJncmhCaQJpwmqCa0JsAmzCbYJuQm8Cb9JwknFSchJy0nOSdGJ1InXidqJ3YngyePJ5snpye0J8AnzCfZJ+Un8Sf9KAooFigjKC8oOyhIKFQoYChtKHkohiiSKJ4oqyi3KMQo0CjdKOko9ikCKQ8pGykoKTQpQSlNKVopZylzKYApjCmZKaYpsim/Kcwp2CnlKfEp/ioLKhgqJCoxKj4qSipXKmQqcSp9KooqlyqkKrEqvSrKKtcq5CrxKv4rCisXKyQrMSs+K0srWCtlK3IrfyuMK5krpSuyK78rzCvZK+Yr8ywBLA4sGywoLDUsQixPLFwsaSx2LIMskCyeLKssuCzFLNIs3yztLPotBy0ULSEtLy08LUktVi1kLXEtfi2LLZktpi2zLcEtzi3bLekt9i4ELhEuHi4sLjkuRy5ULmEuby58Loouly6lLrIuwC7NLtsu6C72LwMvES8eLywvOi9HL1UvYi9wL34viy+ZL6cvtC/CL9Av3S/rL/kwBjAUMCIwLzA9MEswWTBnMHQwgjCQMJ4wrDC5MMcw1TDjMPEw/zENMRoxKDE2MUQxUjFgMW4xfDGKMZgxpjG0McIx0DHeMewx+jIIMhYyJDIyMkAyTjJcMmoyeTKHMpUyozKxMr8yzTLcMuoy+DMGMxQzIzMxMz8zTTNcM2ozeDOGM5UzozOxM8AzzjPcM+sz+TQHNBY0JDQzNEE0TzReNGw0ezSJNJg0pjS1NMM00jTgNO80/TUMNRo1KTU3NUY1VDVjNXI1gDWPNZ01rDW7Nck12DXnNfU2BDYTNiE2MDY/Nk42XDZrNno2iTaXNqY2tTbENtM24TbwNv83DjcdNyw3OzdJN1g3Zzd2N4U3lDejN7I3wTfQN9837jf9OAw4GzgqODk4SDhXOGY4dTiEOJM4ojixOME40DjfOO44/TkMORs5Kzk6OUk5WDlnOXc5hjmVOaQ5tDnDOdI54TnxOgA6DzofOi46PTpNOlw6azp7Ooo6mjqpOrg6yDrXOuc69jsGOxU7JTs0O0Q7UztjO3I7gjuRO6E7sDvAO9A73zvvO/48DjwePC08PTxNPFw8bDx8PIs8mzyrPLo8yjzaPOo8+T0JPRk9KT05PUg9WD1oPXg9iD2YPac9tz3HPdc95z33Pgc+Fz4nPjc+Rz5XPmc+dz6HPpc+pz63Psc+1z7nPvc/Bz8XPyc/Nz9HP1c/Zz94P4g/mD+oP7g/yD/ZP+k/+UAJQBlAKkA6QEpAWkBrQHtAi0CcQKxAvEDNQN1A7UD+QQ5BHkEvQT9BT0FgQXBBgUGRQaJBskHDQdNB5EH0QgVCFUImQjZCR0JXQmhCeEKJQppCqkK7QstC3ELtQv1DDkMfQy9DQENRQ2FDckODQ5RDpEO1Q8ZD10PnQ/hECUQaRCtEO0RMRF1EbkR/RJBEoUSyRMJE00TkRPVFBkUXRShFOUVKRVtFbEV9RY5Fn0WwRcFF0kXjRfRGBUYXRihGOUZKRltGbEZ9Ro9GoEaxRsJG00bkRvZHB0cYRylHO0dMR11HbkeAR5FHoke0R8VH1kfoR/lICkgcSC1IP0hQSGFIc0iESJZIp0i5SMpI3EjtSP9JEEkiSTNJRUlWSWhJekmLSZ1JrknASdJJ40n1SgZKGEoqSjtKTUpfSnFKgkqUSqZKt0rJSttK7Ur/SxBLIks0S0ZLWEtpS3tLjUufS7FLw0vVS+dL+UwKTBxMLkxATFJMZEx2TIhMmkysTL5M0EziTPRNBk0ZTStNPU1PTWFNc02FTZdNqU28Tc5N4E3yTgROF04pTjtOTU5fTnJOhE6WTqlOu07NTt9O8k8ETxZPKU87T05PYE9yT4VPl0+qT7xPzk/hT/NQBlAYUCtQPVBQUGJQdVCHUJpQrVC/UNJQ5FD3UQlRHFEvUUFRVFFnUXlRjFGfUbFRxFHXUelR/FIPUiJSNFJHUlpSbVKAUpJSpVK4UstS3lLxUwRTFlMpUzxTT1NiU3VTiFObU65TwVPUU+dT+lQNVCBUM1RGVFlUbFR/VJJUpVS4VMtU3lTyVQVVGFUrVT5VUVVlVXhVi1WeVbFVxVXYVetV/lYSViVWOFZLVl9WclaFVplWrFa/VtNW5lb6Vw1XIFc0V0dXW1duV4JXlVepV7xX0FfjV/dYClgeWDFYRVhYWGxYgFiTWKdYuljOWOJY9VkJWR1ZMFlEWVhZa1l/WZNZp1m6Wc5Z4ln2WglaHVoxWkVaWVpsWoBalFqoWrxa0FrkWvhbC1sfWzNbR1tbW29bg1uXW6tbv1vTW+db+1wPXCNcN1xLXGBcdFyIXJxcsFzEXNhc7F0BXRVdKV09XVFdZV16XY5dol22Xctd313zXgheHF4wXkReWV5tXoJell6qXr9e017nXvxfEF8lXzlfTl9iX3dfi1+gX7RfyV/dX/JgBmAbYC9gRGBYYG1ggmCWYKtgv2DUYOlg/WESYSdhO2FQYWVhemGOYaNhuGHNYeFh9mILYiBiNWJJYl5ic2KIYp1ismLHYtti8GMFYxpjL2NEY1ljbmODY5hjrWPCY9dj7GQBZBZkK2RAZFVkamR/ZJVkqmS/ZNRk6WT+ZRNlKWU+ZVNlaGV9ZZNlqGW9ZdJl6GX9ZhJmJ2Y9ZlJmZ2Z9ZpJmp2a9ZtJm6Gb9ZxJnKGc9Z1NnaGd+Z5NnqWe+Z9Rn6Wf/aBRoKmg/aFVoamiAaJZoq2jBaNZo7GkCaRdpLWlDaVhpbmmEaZlpr2nFadtp8GoGahxqMmpIal1qc2qJap9qtWrKauBq9msMayJrOGtOa2RremuQa6ZrvGvSa+hr/mwUbCpsQGxWbGxsgmyYbK5sxGzabPBtBm0cbTNtSW1fbXVti22hbbhtzm3kbfpuEW4nbj1uU25qboBulm6tbsNu2W7wbwZvHG8zb0lvYG92b4xvo2+5b9Bv5m/9cBNwKnBAcFdwbXCEcJpwsXDHcN5w9HELcSJxOHFPcWZxfHGTcapxwHHXce5yBHIbcjJySHJfcnZyjXKkcrpy0XLocv9zFnMsc0NzWnNxc4hzn3O2c81z5HP6dBF0KHQ/dFZ0bXSEdJt0snTJdOB093UOdSZ1PXVUdWt1gnWZdbB1x3XedfZ2DXYkdjt2UnZqdoF2mHavdsd23nb1dwx3JHc7d1J3aneBd5h3sHfHd9539ngNeCV4PHhUeGt4gniaeLF4yXjgePh5D3kneT55VnlueYV5nXm0ecx543n7ehN6KnpCelp6cXqJeqF6uHrQeuh7AHsXey97R3tfe3Z7jnume7571nvufAV8HXw1fE18ZXx9fJV8rXzFfNx89H0MfSR9PH1UfWx9hH2cfbR9zX3lff1+FX4tfkV+XX51fo1+pX6+ftZ+7n8Gfx5/N39Pf2d/f3+Xf7B/yH/gf/mAEYApgEGAWoBygIqAo4C7gNSA7IEEgR2BNYFOgWaBf4GXgbCByIHhgfmCEoIqgkOCW4J0goyCpYK+gtaC74MHgyCDOYNRg2qDg4Obg7SDzYPlg/6EF4QwhEiEYYR6hJOErITEhN2E9oUPhSiFQYVahXKFi4Wkhb2F1oXvhgiGIYY6hlOGbIaFhp6Gt4bQhumHAocbhzSHTYdnh4CHmYeyh8uH5If9iBeIMIhJiGKIe4iViK6Ix4jgiPqJE4ksiUaJX4l4iZGJq4nEid6J94oQiiqKQ4pdinaKj4qpisKK3Ir1iw+LKItCi1uLdYuOi6iLwovbi/WMDowojEKMW4x1jI+MqIzCjNyM9Y0PjSmNQo1cjXaNkI2pjcON3Y33jhGOK45Ejl6OeI6SjqyOxo7gjvqPE48tj0ePYY97j5WPr4/Jj+OP/ZAXkDGQS5BlkH+QmpC0kM6Q6JECkRyRNpFQkWuRhZGfkbmR05HukgiSIpI8kleScZKLkqaSwJLakvSTD5Mpk0STXpN4k5OTrZPIk+KT/JQXlDGUTJRmlIGUm5S2lNCU65UFlSCVO5VVlXCVipWllcCV2pX1lg+WKpZFll+WepaVlrCWypbllwCXG5c1l1CXa5eGl6GXu5fWl/GYDJgnmEKYXZh3mJKYrZjImOOY/pkZmTSZT5lqmYWZoJm7mdaZ8ZoMmieaQppemnmalJqvmsqa5ZsAmxybN5tSm22biJukm7+b2pv1nBGcLJxHnGOcfpyZnLWc0JzrnQedIp09nVmddJ2Qnaudxp3inf2eGZ40nlCea56HnqKevp7anvWfEZ8sn0ifY59/n5uftp/Sn+6gCaAloEGgXKB4oJSgsKDLoOehA6EfoTqhVqFyoY6hqqHGoeGh/aIZojWiUaJtoomipaLBot2i+aMVozGjTaNpo4WjoaO9o9mj9aQRpC2kSaRlpIGknqS6pNak8qUOpSqlR6VjpX+lm6W4pdSl8KYMpimmRaZhpn6mmqa2ptOm76cLpyinRKdgp32nmae2p9Kn76gLqCioRKhhqH2omqi2qNOo76kMqSmpRaliqX6pm6m4qdSp8aoOqiqqR6pkqoCqnaq6qteq86sQqy2rSqtnq4OroKu9q9qr96wUrDCsTaxqrIespKzBrN6s+60YrTWtUq1vrYytqa3GreOuAK4drjquV650rpKur67MrumvBq8jr0CvXq97r5ivta/Tr/CwDbAqsEiwZbCCsJ+wvbDasPexFbEysVCxbbGKsaixxbHjsgCyHrI7slmydrKUsrGyz7LsswqzJ7NFs2KzgLOes7uz2bP2tBS0MrRPtG20i7SotMa05LUCtR+1PbVbtXm1lrW0tdK18LYOtiy2SbZntoW2o7bBtt+2/bcbtzm3V7d1t5O3sbfPt+24C7gpuEe4ZbiDuKG4v7jduPu5Gbk4uVa5dLmSubC5zrntugu6KbpHuma6hLqiusC637r9uxu7OrtYu3a7lbuzu9G78LwOvC28S7xqvIi8przFvOO9Ar0gvT+9Xb18vZu9ub3Yvfa+Fb4zvlK+cb6Pvq6+zb7rvwq/Kb9Hv2a/hb+kv8K/4cAAwB/APsBcwHvAmsC5wNjA98EVwTTBU8FywZHBsMHPwe7CDcIswkvCasKJwqjCx8LmwwXDJMNDw2LDgcOgw8DD38P+xB3EPMRbxHvEmsS5xNjE98UXxTbFVcV1xZTFs8XSxfLGEcYwxlDGb8aPxq7GzcbtxwzHLMdLx2vHiseqx8nH6cgIyCjIR8hnyIbIpsjFyOXJBckkyUTJZMmDyaPJw8niygLKIspBymHKgcqhysDK4MsAyyDLQMtfy3/Ln8u/y9/L/8wfzD/MXsx+zJ7MvszezP7NHs0+zV7Nfs2ezb7N3s3+zh/OP85fzn/On86/zt/O/88gz0DPYM+Az6DPwc/h0AHQIdBC0GLQgtCi0MPQ49ED0STRRNFl0YXRpdHG0ebSB9In0kfSaNKI0qnSydLq0wrTK9NM02zTjdOt087T7tQP1DDUUNRx1JLUstTT1PTVFNU11VbVd9WX1bjV2dX61hrWO9Zc1n3Wnta/1t/XANch10LXY9eE16XXxtfn2AjYKdhK2GvYjNit2M7Y79kQ2THZUtlz2ZTZtdnW2fjaGdo62lvafNqe2r/a4NsB2yLbRNtl24bbqNvJ2+rcC9wt3E7cb9yR3LLc1Nz13RbdON1Z3XvdnN2+3d/eAd4i3kTeZd6H3qjeyt7s3w3fL99Q33LflN+139ff+eAa4DzgXuB/4KHgw+Dl4QbhKOFK4WzhjeGv4dHh8+IV4jfiWeJ64pzivuLg4wLjJONG42jjiuOs487j8OQS5DTkVuR45JrkvOTe5QHlI+VF5WflieWr5c3l8OYS5jTmVuZ55pvmvebf5wLnJOdG52nni+et59Dn8ugU6DfoWeh76J7owOjj6QXpKOlK6W3pj+my6dTp9+oZ6jzqXuqB6qTqxurp6wvrLutR63Prluu569zr/uwh7ETsZuyJ7Kzsz+zy7RTtN+1a7X3toO3D7eXuCO4r7k7uce6U7rfu2u797yDvQ+9m74nvrO/P7/LwFfA48FvwfvCh8MXw6PEL8S7xUfF08Zjxu/He8gHyJPJI8mvyjvKx8tXy+PMb8z/zYvOF86nzzPPw9BP0NvRa9H30ofTE9Oj1C/Uv9VL1dvWZ9b314PYE9if2S/Zv9pL2tvbZ9v33IfdE92j3jPew99P39/gb+D74YviG+Kr4zvjx+RX5Ofld+YH5pfnJ+ez6EPo0+lj6fPqg+sT66PsM+zD7VPt4+5z7wPvk/Aj8LPxQ/HX8mfy9/OH9Bf0p/U39cv2W/br93v4C/if+S/5v/pT+uP7c/wD/Jf9J/23/kv+2/9v//2Nocm0AAAAAAAMAAAAAo9cAAFR8AABMzQAAmZoAACZnAAAPXGRlc2MAAAAAAAAADERhcmt0YWJsZQAAAAAAAAAAAAANAEQAYQByAGsAdABhAGIAbABlAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAZGVzYwAAAAAAAAAIc1JHQgAAAAAAAAAAAAAACQBzAFIARwBCAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABYWVogAAAAAAAAAAAAAAAAAAAAAP/bAEMABAMDBAMDBAQDBAUEBAUGCgcGBgYGDQkKCAoPDRAQDw0PDhETGBQREhcSDg8VHBUXGRkbGxsQFB0fHRofGBobGv/bAEMBBAUFBgUGDAcHDBoRDxEaGhoaGhoaGhoaGhoaGhoaGhoaGhoaGhoaGhoaGhoaGhoaGhoaGhoaGhoaGhoaGhoaGv/AABEIANUBQAMBIgACEQEDEQH/xAAdAAAABgMBAAAAAAAAAAAAAAACAwQFBgcAAQgJ/8QAUhAAAgECBQEFBQQGBgYHBgcAAQIDBBEABQYSITEHEyJBUQgUMmFxI4GRoRVCUmKxwRYkM3KC0Qk0U2Ph8BclQ3OSorInk6OzwvFEZHSDhcPS/8QAGwEAAwEBAQEBAAAAAAAAAAAAAAECAwQFBgf/xAA5EQACAgECAwQIBQIGAwAAAAAAAQIRAyExBBJBBVFhwRMicZGhsdHwBjKBkuEzQhQVIyRiosLS8f/aAAwDAQACEQMRAD8A4otze9hfAZGVUJYgAeZODSt1NvXD5pPO6LTeaw5lmWU0WdQwqwNLWQJLGxPQlXBHBGMpNpWlZapvV0iLSVkAUfaqfvxoCRo0nEUvcM+xZDGQpa17A9L/ACxf0/bLnsGZ5AMo09kunmlEpgggoIIN6sE2yMqxjw8Eqbno2Ij2x9oup9ZZtk0eqMxp66ngeSSnFKrJCpZVVrIeh8I8vn545YZsspqLgkvbfl5nW+Hj6J5E7+HnfwK4iF3CPwsngN/n0/PCSrX+qT/Kcn8lwvk+JXtezqfzwnrU/q9aOlpb/l/wx2o4xHHyowojQXG4Ai1iMJouUHXChG5wCRYMvajqSs7P63SEEhfKIqEJMvfN/Zq6m5BPPIX1xVyz7YioEYYrt32O6x6jC1K6SAVEcVlE6NHIQOWUjp9L2P3YbogNyX4BPOM8eKOO1FVepUpylrJ2DWqmVERJWVU+EDi2NPPM4tJLIw9Cxwayr4QGIBvcjqB/ngqZlZ7rYC3A9MbEAn/1WP5PhRRbJJZuVO4Xs468/PCZiPdVP+8IwbQwJUM6yJvAS45ItyMAA5ohFWhVQIDHewwavXBMkCwVUaoWsYyfEb2wb9euAA15tiDabtfD1HmNLQZFMUVWzeQmCR928JE97ixutyvFxyOt74jsnK2wTtYKQGIFxceXGIcVICwaXVta2X5XSExT+60CRUq1NmihWx3PsIILEm33DyviN53mstUcvWSV3hpxLHT7pDJtjutgGPJF72/ytho96n7lIu9BjjFlBRTb8RgLySTspmd5CvS46YmOKMXaRvLLKUeUHUzK8b2NztP8MdzZXLvyfLCPPL6c/wDwVxwpIPs3FjfafL5Y7dyOXdkeTE+eXUv/AMlMfo/4MV5My8F5nbwMuVyG3U5IySpIBJGzp/eGIIksjjhGt6XGLB1IP+qKn/D/AOoYhCOBwEuflzj9v4F/6L9v0InHVAY3n8lA+r/8MKVWobkd3gKOQR9nx9MKFY2HCi/oOMdUmVFeIGeKYZfmO9xtOW1lwF//AC0nzxQtO6rEPi3BBYfdi+52/qdeEJv7hV2AFxf3eTFEANJTxNK6q5QcKnJ4x8b23JrPH2ebOPjGly/r5Go6ySI3U2Iwt30tbyrGOoPU24OCDSQ9yrS74j5k+f3YyWmpGj3UEkxYde8sPyx4aySW55tpm1URPZnswPU4OnNx3sbNccNY9cJlhmZVMhRGXoTzf64Ne4sS5mJ6oBa+GsmgWDaIhI3HdsCRYPwfvw5VUUlJJE9RHRyKUuRDICF/44Zk3TSd1FHIg6ncemBLTBI2D1G4noovb8cCy9yJY4VsK1dOtXR3VV4YWwlp55uQjBlHHixuniMdkKnd1sL9ML++mikVo2iVQLW2hrDFqV+sTdaBisjRxywrtq0ItxYN9MDkra2Uuan7Nv1mPAP34SzVlROwQglP2ivP3DBk3u0zfZ1DVDKviDr8HyGNPS9xHtANB3XMlQjE8rte+DklqEhYxqWBNi6jCKNaSAHu1YSyHah3CxPzwccxXLZJFhqlecixBIK/cMZ89CbIp3RA5Jxksf2PwCToShNgwv0NucJmr1PAIufkcOGY0q0NdNS02Y0eaxR2C1dCXMMl1B8JkRG4vY3Ucg9euPwq9aPWq0Fz5tWzV9FXTgNLSxLEFFguwXAUW6cG2CMyqpMzqoXcd3HCSVUm55HPOMaJwpPkBc84TgX5HXAkh80lHlD2ts4FrWwGpTeaxOm6Rfzvgl+Ebr0wpkF6icevdn8zhkjailgCISPlycDEUg5EYX/D/mcInklDyKJZAquQAGNhzgtt56ux+rHFEjh3bkG7BR5cDBUVLHb7RPxlP8sICDfz/HGwt7YYDn7vSg/Ah+rE42qU6g3EQ548IwgSC/UYNWmHPhHT0whi5DAxCAK9/kLYCscHeTd3G0bxAXKMVvf6fTBVPEElDKLcD+Iweg/rFcP3F/ngsKExIlZJd8hIFhvIPH4YzAYzeNfpgWGI0QLYCF5JXjA8DjF8JjQWJJFZRcWPywcrSnoR+GMKDvE4wshjviTWNhj5jWnT0+TiKgNK9QaoynLoTU79ttoqNvehOPg3bb82x1vp9z/R/Iyev6Opb/8Aukxy3TUJliaw8j/DHTmRRRrkGUhhECKCAHcV/wBmvrj9C/A0ovic8V3L5ndji4K31FOrlMWRVjdLKv8A6hiu453sQFdj6KhP8MXDT5VmciJJDltfLGwBV46SR1P0IBBw702Q6hlt3OS5w1/2aGX/APzj9cxdp4eDg4Sa36tI1li52nsUnHDWykd3S1cl+fDA5/lhdDlebuLplVa3p/Vn/wAsXnHpDVbLubIc2RP2pIGjH4tbDfXRjKb/AKar8qy23X3zOaSEj7mlBxzz/EfDL+6H7kCxQjq5FW0Oms6rZ0pZKCahjqUlgapniIji3xOm9/OwLC+GdPZrqpAhqdb5REwAH2NBM/8AEjFj5h2h6MyoD33WGQ834pq5ao//AAt2GKTt17PI2AXUMk3Nt0WW1BA+8qMfP8d2pwfGTUp5YqlWkl9ROHDP89P9fo0R5PZopGI9614rgf7PJ2P8ZMKovZo0+oPvGtcwkv8A7PKEX+LnE0032j6M1dmEOX5FqvKzXTBikNaZaO+1Sxu8qBBwD1bnyviVumWxf2+rtHxf3tQ0/wDI48t8b2dHfOvfH6CWPg+kV+5/+xVw9nbSIULLqbPpAP8AZ0sCfxBwcvs96GW3eZvqeS3pLAn/APXixHrtOxn7XXui0/8A5yNv4YTyZ7o+L+17R9HL/dzAv/BcQ+0+zFvmX37EPl4ZbRj7/wCSJ0XYj2fUDhh/SOqb/fV6EfgEGFR7IuzzcxOV5vIT1vmZX/0gYe21RoRTZ+0rTJ/7vv3/AIJiFam7b9DabzZ8tpq7NNSSLGj+8ZTl6mA7hfbulkRrjz8NvrgXa3ZS09L8JfQhrhl63JH3Jj4nZR2dRCw05WSA9d+bz8/g2Bp2Z9m8LBl0VDIel5cxqG/+vFcVntI5QgIy7TGcVJ8u/qoofyAbCAe0PmdTE0tFoRu6XrJLmTMo/CMYb7W7LW+R/wDbyF6fhV/bH9q+hbiaG0DAPsdC5QB++8r/AMWwemmtGwW7rQmnBb9qj3fxxQVZ7R2olBNPkGRUwH+2eeS34MMMU3tJaylB7ukyKnv5pRM3/qc4xl292XDS5P8AcUuKwraK/ajqNKTT8AAg0dpmO3T/AKrjP8RhQlbSw2FPkeQwW6d3lkQt+WOP6jt619UH7HN4Ka5+GHLYP5qThuqO2TXtRcSaorkHn3OyP/0qMc7/ABN2dHbHJ+7zY/8AHQWy+CITBW2kj94XgMLso/liXZXBHWkPGyyp6qb/AI+mILbB1HW1GXzrPRTPDKP1lPX5H1GPy2UW1oeZCSi7ZYGYZesUEhC2Ow/wxGFPHOHWHWsNfTGDN4BBNsKieEeFuP1l8vqPwwzo4Zbhgwt1BvjPGpJVI0zuDacATnw2+WFDH+sOfWKM/mMJmbgWtg5iDKp67qYH8CMamCGqZbVVUPSZx+eAkYPqVHv1Xbp3zHGto4wNhQn28jGIOBgxksRtxkK8AnnBYB0aMegwYUYdRjFkNsGB/XEl0gMYICk+mBqP61WD/dj+eNK4IG42sMCU/wBdqR6wj+OKJEUQ+yX6YHYYLhN40HAsMGH64ok3YemDoFDD78EYOp6iKLiVtvN+mJlsXHcOZLSJ9f5YcaGEM4vhuaqp2dSsq8cm98Koc4o6eNm73e3kqg3OM3daHRDlUtSd5XBGqL4cDzPLaOdGLwRuT+0oJxHKTV+WxRJ3k7q1huURE2PpfB8utcqdT9tN90B/zx5csORzuj2Vmw8lNod8gg1jlWXZnmmkc01JlmVUcywzSZVmckKRkoGO5Vbdbkc2sL4kWps11Bp/IqWo1D2gannr6yISxU0me1Ll1I6WD/iTxh27MO0fItPZLmcGVwV+aTVgimf3iJIo1qTDskiIDEtGLKQ1rsCQQLXMW19BBmeRZfW1bj3mmqPd4lDWJjMdyAOp5UfIW56jH1XD4U+HWRwV+J8rxGRLM4xelsrHMJZ80qDJXTT1bE3vPO8n5sThK0EdwiRRX9dgw9tQPl6JW1tMXpGVZBEsoXcrllXxC5W+xuovx06YaWCyJuChSPiAN/vxDhQ0+4JsFXwA/PyH4YzduVUCIDvHit4vpjbE35N/rgxEUFHMsdw48HNzz9LYzexY4aZiWXUdDHModD3l1YXB+zbyxYgoYFvtgiQf92B/LFd5C5XP6RkBYjvOB/cbEzM0pa+2Tj/n1xzT1Z0Y5UhzFLGD4VU/QDAHRVYBT9cIS8nF+8++3+eN9/x0kP4YjlNeYWF7cByPocTjs07GIO03L9U5pJqOuyarpa2mpIEii3xP/Vw5MlmDHk24P44rg1TgWCEg/IDFy9gfanpnSOXamyvVU9Vl8s+ZQ1Uc60xmiKimRdp2XYNx6W5xvhT5tDi4uT9Hp3kHk7GK/TetaDJ9UxKsExMi1MMheKrjB6ox5+RU2I88Lu1TUWSaPkGWUNFJVmffJHHHZI1AIHLHz+QB+64xLO0jtjg1hmFBS5BSyQZTlzvLHPULtlnkZdpbb+ogA4F7nqbcDFY63yg51o2XOKrv5ainzBYqJEcBbGPfUSNfjaFWFfLxSIPkfRlCax82zPGT58659im6+sevqnmeMQqT4Y1Nwo+vnhLtHU2GFcwSNCOCbcnqB9+C1jTv1WUq0YILbXtuXi9jb88ea7b1PaVJaBV7HlvwwFpOAAAAPTC2skyxxSe401ZCwST3rfUo6s5dtndjYCqhdgO4sSQT4bgBAw5Oy5X1IthME7EuNlSLXBFxcXHUY1fjAiWO3cSdosLnoMSMDbCuifaJB5Eg4SHBkLbd1sADgZbjCiN93uxv8UTrhv3g+eFEE6XpUDXcMRb64TGhOHMkkjG9ywP5YdMmytc3qJopM0y7KRDSzVAlzCR0SQou7ulKq32jdFBsCfMYaEIUsCxAuLnA+/Um4ZhzbqemJab2BG7Fijcg3BxoXAuePp5YNWKSZikILta9r+Q6nBVXtjChQUPmD6jzxQBnebLAC+BLIXUkWGDpvcXGVmklnSR4rVhmsUSTeeUsL7du02Nze/XBU5RZpBC26IN4GPmPXywqAOo+ZkBIsVIt9xwNf9fk+dOP44S07FZoyvW+FK/69f1gI/MYBiKEgILkYMB3dMF048TXHl/PAtzb2BTaAbX/AIYokGThTSzRxqRI6qb9D6YR7xe1xcC5w+ac05mWpDMmU5e1WsPM872SGAeskrWVBwep+7CasuOjG6smiMTd00Zby4wgErKBdYl9LqMW7k2X9jmntra2zjUWscyChjR6ZpY6OijcOwKPVTnvJQQAbpGo54JxZunfaG7KdIt3elfZvymo2m6T5lm4rJQfW8sEjA/RsLlaCUk2csxSSyyLFAqSSMfCkcW4n8AcSjL+zrXmbbP0Vo7UFaJBdDT5LM4I9QQmOuaX2+azIIu5ynslyrJYXuwijzFogfnZYFw45N/pBNS57m1JlWT9mMGZ5lVyCOCmps5kLux8h9j+Z6Y0UVdt6Ec3g/gc+aM7Gu0eihnGZaG1HTCSVWEj5VLwtrE7Qt+PTEh1no/MaI0NLDovUFbllHVyVUsuY5ZUUklQTGqLGWRSVjBVmIBB8dh03YuaT/SM1dHVz0lb2XoamnkaKVYtTX2upsR/q5B5B5BtiSZf7f1PNQJmGZ9mWd0tBudGqIcxjkRWUqCCzKgv4l4J5uLY9jHxnDRioODaX/JL/wATKUIN8zTv78Diityyqr1XLqWhhpd9YtRJTJvLFgCNoUgtYAgAH09ecSTK/Zz7VNQ7Zcs0XmkwkuRJNC1OjKfhs0iqPvx6P9i3tC5b25+8yaY0tqWgoaUlZ8wzCGBKYPb4EdJWLt0uAvF+SMKe072kuzrskzenybVmcsc2lQyNSUcLVMkKWuGkC32X4sDybggW5xcuM4Xpg18ZfRItKCX39Dz8p/Yp7aqhQz6Wo4AegkzinB/AMcO1L7BnbDVMgki07RXIuZ80Ztv12IcP2rv9IF2hZvNKmkspybTtCWPdu8bVVSq+V2chL2/cxVObe1h2x505FV2hZhBc2ApKeCmAH/7aA483JLn9bReCvz+o77kXHp7/AEfXaBGHq821JpuhrI2YQQRieoRxa12fau29/IH+WIxP7KfbVSqWOizMB193zejb8AZVJ/DDLqzV/aLkNNQpN2tawlmr8sq5jOmbztHJUwbZ1SLu2BRWgkjBv0Zje4sBBE7Te2IxpU0PaBrSeneMzIf6SzMe7/aZe8uo+tsc3L4jU1WxKM37Hu07It5zXQWp4kjF2khy9qlAPXdDvFsQSSueKdqaVmhqV4aGVSkg+qEAj8MWCO2P2g9EZfR5idbZhPFVf2StmtHmsq8X+0gLSOn+NRh1pfbC1PqVqXKO13Sej9f0LSLE5zfL1pahNxtdZV8MXW+4Jx1xUscoOpb+xr6j511X38CqfepNtmawtgijqpPe8wCEeKZLkjniJRi5Zcj7HNf1c9DpnOq3sh1XFI0MmT6ll97ypplJDRx1gJaMAg+JzbpZcV5rTsy1b2X51JS63yeXLkq5A1HVo3e0lUNg5inXwvwL7eGAIuBjo4dVlSZlm1g6Dcky2vzuvio8opJq+scErDTxl22jktYdAALkngYdu0LLavK+yHS9ZFmmwasqUqRlVLGd00SNIiSzOTudjsAWIKEXk+JySLoyz/2TezjmueUlHTVOaVuWJV1YmQsJfeZEiSN7WJRYpR4b2JLeuOVdZ6izPUefy1uo6pa2sjjSmjEcaxQwQxi0cUMSgLHGo+FVAAv6nHXlyc9xWyPNxQ5pKYozHs81Tomjy3Os7gocrqZKiJqSgqa2netY8sHajuzqgKc94oHIuDfDbm0lPS6ZnMlUKrOM0q99fG1Kq+6sjkx7JFJDLIsjswAUAoo5GI+1R3JdokALghjbk/U43Xd49BSyOpCTyMQfWwt/PHFKqdHek9LEwgK00c0jlRKWEdlBBKkA3N7jqPI9cAiEkhIS3HU8WGJCyU8+WZdLWxWWde5i2mw3kd00hNiLqY42I4JDrbzOGmsYT1AmcWjkLGMCwIjDEL/C33Y52qNYuxsWEN+swPzQ4H3AYnxN0/Zwu4B4ta2BYkobvd79L/8AP3YEkG29/P8A59ML8bBwAIRGAPL88aWEBlI4sb8A+uHDjGX4OABtmBDXI4JvxgAFwxBsVF+fPC2oy+sFGtb7pUCkZjtn7lu7NuDZrW6i3XCGNgWHQ/LAA/6bzCno8xaSvO2EoCQE3fUW+/CjPJcsrqVXo4nSpVudsJAK/In69MM1FVCllWXZ3vh5W9r+vOHSXOxV0Zp2gaN3IN0e6WHyIvjSL0ofQaFT4QBLx04wLafJJT9BhYDx1wJT1+mIoQkRfEu6OoIv5Hn+GDzDN3hYQy3ttFyOn4YMDcg/MYXO3OLjBMBpWjkU37sj6vfG4suq6yrhpqOnaoqamVYoYYw0kkshNlVVW5ZiTYAeuLV7NuyWo7QMvzrPc0z/ACzSGksjaNMxzfMVd/G4JWKGJeZpSADsBBNwBckDAKrVuT6Egq8s7PFqHq5lMVXnlUncVs6EWZAEY+6REGxijYyvciWUA90BqKDbcbn0JlGiAJdfTQ5lm6kq2SUM90hkHVKmdD8Y/WhhJYXs8kJFjH9Uaurs/p4qGplFLlUJJp8to0WKnj+YjWwv8+p6kseSy1FbNVSbi9zYKX2gWUdFUDhVHkoAAwlsb8WH1OEhbhPdlQLm1ugGFS1k0UbJTu8QkXY9nN2HoflgsgGxdxz0A6nGEWchbgDz8zh13AHolOlGkkktRJXF9vdG3djg+fr0P3YXaZzTJ8izpavP9PxalpIopBFQT1ckETTFbRvIY/GyK3iKKy7rW3DDzozQOb61mmGWdzTU9OkscU1QxAqKoJvFNAou007+FVjQFiSvHOIpSZVmFbUywUuX1dRUQm0sUVO7vGb2swAuDcW588VHmh66E13j3qXWmZ6vzo5nm6UNOVjWGGnoKGKlp6eFSSsUcUYCqo3G3UnzJPOOk+xTKtce05k2U6CzCVKXs003VrNVv7onhAUhY1kILGU7nN78d4fIACheyjsoz3tb11SaUySCWCYveunkjKijiB8TNccHyA63x6Ta+1BknsldikGUaCyxqvNRE0OW06RFu8n2Mz1M9v1VCO5PnttwLsHKTm+aerBJLYhvtEdvOSezppWj7NuyaGmpdRCkCxxwIGGWwkcMRY3me91B9dx4sG856qOuzCpq63M6merzSqcyyySSd5LM7G92bkkkn1w8bDqWeo1DqfXGUU2a5hUvUVL1rVc1S8hJu7CKFgL+Xi4Hphz/AEdRZrQ5ZkGmp0rMvjklqM1zyOnliDu+wdwiyKLbVRbeZLMeBfC33JctSF57lNbkGZTZdmbQmdFUkw1CyIbgEWYGxtex+d/TB1C+m48qnTNqLOKnNTu7p6auhigX9ncrROzfOxHy9cL483pskrsxo8gjipcszCmly6qnrKRKyR4WdX3qrCyuCi7WQKw8iMR2rjignZYpjURdUkKFCy3NiVN7Hjpc4cW4Ln0fTWn8PPYtMntFqAx9mYE1PBVVGUampKyKeRSzrFNTSRyx9fgY0se4Ec7V6c3j2W5/mGVVcNHl8CVQp6llRFQl2AbcACDyP5YNy2YDR+oVsVVkpyi3/WSZbH8HfDX+lMxoppJ6atq6WeZFZnhqWjPecB2IU89G/HDjV+tt4IVJ6Ev1Rquakji7gUxlZ2EUUdIII416nwoqgnkDz+uGrJ9R0mc5rSUOs6ZHyud+6lnpoh30G7gOu5gDY82JFxfkdcP+t+1LKNbZHluU1eQVajJ6d4srljzJYhAXC7i6d0e8BZQx5U3vzziGV76Zkp4lyvLs8inPd961RmMMi/v2VYVPPlzx53wNptuNUuhnFNr1lqOWo6OLMquStoqwzTMuyX3hAhqGTwFwASAxCoxBJuX64nfZD28ak0VStpfMKKLW2iKy8VXpfNPtISL3JhYgmBwbnjw3NyLgEN8epV1RqGpfTlK+VxVVBDREOqv3bxqoDr5XtElx53Y4mMeVUGQ6B7TM5zyU1+fRU1BDDUC0ci1U01kYgcLaOOQ7OeBc8849GHD4pR9PlfLDw1cvCKfxb0XtaTE3pemx0xrLSOX9qvs9Z7mnYua3N8onyz3ePJJFLV1FNTvG3uxW5LOvdgbSSxG0qXDLfz3q616qW9RGUqIkWKbggllG25HUGwAPzx3v7EkWZZZrTU9JTPUPk9XpzK66t3yCRHzFlAd1t8J5kVvMlDe9ha5u2H2TdA9sVbLm1bTT6e1FLbvcyy1UVp7dO9RgVc/vCzEWBYgAY86UpQl7ff8AfkGPHCKdfex5OwSIA25lsxtyecJqprSQlHIjRgVvcBTe5PH48Y7J15/o/NQ6boanMdKZ1BrKnp4nlahMTUFawAuFiI7yORuOjBb9OtsclVGitRAlqfTmeNCSSm+gkvt8ibC17dcZSyxWjaR0RxTl+WLY301PPPUmjpqynljeTeCJiqbv2gGAN/K1rngYCJGqpizgE2CABbABRYAD6DCtsqzR66rmTI6iijopLzQR00uynKjdtcm7DpfxG+DWgo1bvaSdppWpyXDEJsnDDxLz4kK8+oJIPQE0lzr1TNpwa5lQ2k+IfTG74TAsDcMb/PnAt8nr+WMjTlYfgQwn3yDzH4Y33j/tL+GAVB98ZgnvW9QfuxoyuemAfKyW6b7W9baKooaDTmqM6yvLaeWSRKeizCWnUNJbdwpseVBsQQCSR1N7w0j7QOlda5HHpr2gsik1bSGVngziRV9+pQxBIDxqktgRfcrPfoysABjl9vCPGQvnz54srR3s+dqGv1gk0tojOKiBgJI6qohFHA636rLMUU/cTh81DSfcWTqf2UkznLjqDsA1HTa3ydwSuXVEyRV8fHwq3Ecx6nb9nJ0AQ454q8vrcmzKpoM4oqnLq+lPdz0tTA0UsT/ssjAFT8iMd16E9kLtEyrNEzOt1Tk2kZy3jFDJLWzlb/C6AIjD5EsMWvq32P8ASXaFqSHP9bZ5qTNa+KjhpSKeWKljmWO4BclWcmxAuGHTD3E1Wx5ebja4Rrep4GAiUOyqjIWY2Cqd5J+gx616f9lDsj05Ks1DoDK6mYAbmzSWXMAx9SszFfwGLRyLSeV6ZhMOmspyzI4CLd1l9DFTrb6Iow6YtDx6092Pdouqmj/o/ojUddHIfDOmVSJD/wC8cBR95xOZ/Zb7T8pkSXVWmc3paUASSR0EBrpmTngGBXjU8c7n8PWx4B9YjTOws8jsP3jfAlgMfwuR9OMNWuoaHjdqvMsxymGDJM2yrM9GUNI7PTUNTQTRiN3ADSncAzyuAN0zDcQAq7EAQQxqCkqAq0+e5WEJHhZZkP4d2ce5ADgEbma/XzwwVugNLZlVxVmZaUySuq4nEkc9RlkLujg3DBitwQfPCaJo8a4NI0bACo1Tk6tf+yhLF7+lpO7w402iKaSeKCmodTZ5UzyLHFHQU0A7x2ICqu1pCSSQLW88eteY9i2gM4rqmtzTQ2RVdTUxmOZ5aNDvU9bi1vv6jEDofY77LcjzFsz0llWYaXzQQyxQ1uX5vMZacyKUZ4zKXCPtZgGAut7rYgEKUmo+qtRKNvVnBmstJ5Po2lg0llWi5c+raSQTZ7m1VVM26tCkGjgeFQxgh3MrMNveShj0RMNmWacSqot0mQ5DkSurcpltTVTqCLbt0svB8x6HnHZkn+j90FTL/wBR6u1llzfqgVtO6r93cg/nhum9hGsjP/VHa7ntOvkKjL1m/hIuFjqKp+RMlKWv1KC0jS0mktN02VaBkz+n1HIki1+oZIUWalR7gwUQ3EU6kWLyj7RjcDaMRdux6TIaX3XJ9WZplkuYzIsNIi+OtnAIjULGwLW3HnooJJtjpuT2JtYUy7Yu3KtjVj8Kaesx/wDDUXxPewn2SYOyrVE+q9WalbWOoTH3dNLNSsi0w8ypeRySfXi3Frc37MvEelUYvZbIyWOd6se+zDR+VezV2R1mo+0LNJavM4KJajOMxqG7yXj4YEJ5PiYKq35YgfPHOunc2i7eu2TMsv7V62qooavLJq6vy2KTwUVDHJCYcrjkHKO+9ZKiRLObCMFPtQQe1p24NnGt6vI6KrpKjKNG1KpBSd6iCszjb/aSqzcw0wJ6gBpSF5BuvPvZlqzVVDqKjqtN5DW5pqjMw8OX1EOWSVLToqs04VdyiZmBvIx3Hwq115J577+p0ew9DtO6m7CuzBvcdK5bleTzwL3TvR5DUSTsB+3KsLO/1Zj9cGZ12n9jepqI5fmuRPqCAs0gpn0dVzKXIsWG+nADEAC/XpigtM9jXtDa7qYKnPs6XR9A7h2FXl9IrFPMCON3ZT8m24mU3sU6nzCeZ8y7aM4jhkc/ZUuWCI7PIbhKOfnbGdRsq2ct+1DR9kNDm9CnZHk1XkmZRyTQ51RTrNEkTlUaJlR2O1rbwVFgOLgHFC0mXVdWe9hoamqQDgpCzL95AsOhx6gaX9hDs1yKKH9MV2oc/dGaSUT5iaeOR2tdiIQj9AP1ziz8o7AeyfT7bqTRORzyceOtp/fXuOh3Tbzf54q09H0EzyayrLcwq8mzXJcrjqa2eodDDRU4WokZgpuNkW4g7iLD6+hxKch9mPte1Ksf6M7P86jABQmuiWhBBJN/6wU8j1x6y/0n0zp2qiyGjkpqeqVbrl9JGAY1tflV4Tj1thxTPYaiLvKc7lDBSCCCDfzB+uG227oR5t5H7AvalnFPAM2lyTJEjJ2xVeZGR0DG5ssMTg8/v/fi0Mi/0ctOndPqTW0bWt3kNFlTc/R5JmH/AJMdptmp9fwwS2aMfhBOFJuW4yici9iPs1ygUor6zUObx0x3Rwy5gtLGreZApkiN+TySTz1xLMq7AuxvI8zngy/s9y3MapfHUPVUbZgEa3G5py43WPQc4sf3qqmPgG352xG9SaEzPU9FWUkGsc+0/DW1CyzTUFQBPEgABigcjbGhtflWa5NiBxjSeXJl/qSb9rb20W/cgJVk+Uaf0tA8Gn8sy7JYHsXio6VKcE+V1UDn64VPnEPSNXkP7q4DT5TSQoiC5VFCgFieALC58zx188LNsEK+FVFsZaAR/U0ufZhpzNoNJTQ5XnklJIMuqqqMSRxz28BdbHw36mxte9ja2POPL9bZ02a51RauysUWpcvrpEzKGFkp0WQsSSI+gub/AA+E3BFr2HpfU1yKDyAMcve0z2d0mZRHX+QUiLnNKiU2cGPg1NICAkrDoWjYgbrX2NYmyi3DxXB4+MSjN6ey/NfPx6Hr9m8W+Gm4rr1+/h/Jxn2hZ6cqhr9OaVeqbOdZVaS5lM07NJLEWISIsfJmJ4/ZFujHCrsxyrJ9H9uOf0VHVTSU2TZfPFTzMAWeXbHG7fL45CPuGDM+0bLmef0edZewoc0hnilFYC0lu7AABjJ2+Q6EdPmcIo8m1LB2l12o8sky6d6gkVCSXp0nVkAe6qDtuw3cE2NsT/lMvQSxRk6adulrsk3r0SpLu6nZPif9wssltJV4LVv3t2ylecZzjdsbtfHaeMooDbGwPTArfh9cdJez97IWoe16Omz/AFTLPpnRclmjn2f1qvX/AHCMLKpH/aMLcjaG5shlFaQ0TqHX2dxZLovJqzPM0kF+4pY77Fvbc7HwotyLsxAF+uOxuzT/AEfU0yw1na3qJqbcAxynI7NIOhAepcFQRyCEU/J8dnaA7NtM9mmQR5HofKKfKMvWxkEYvJO/7csh8UjfMnjoLAAYmMcCoOBiuXvMnPuK00D2E9n/AGa90+itIZZltXGbrXSxmpq7nr9vJucX9AbfLFje6lzeV2c/M8fhhUABjd8NOtjJtsISmRPhAGDBGBgeMtgtiA7Rjdsbxq1+pOEBogD4jbANyfqruPyGBhFHlgHfx3sh3keSC/8A9sMDe9z8KW+pxlpD1YD6DGwXb9UL9Tc43tv8TE/lgsAJW3xufxtjXh8lLf8APzwYFC9ABjdsFgFgt5BV+nOBbSepP8MbZlQXdgo9SbYQzZxSQ38ZkPogv+fTAAuChegAvjUhKoxHUA2wxTajbxdxCiBRctK4AA9T5D8cNdXntTNBI0dSpRoyymG20i1wQ3n9b4AN5J2X6D0hUe/ZFpPIMprLkmsiy+JJ2JJJLS23k3PUnCfXuW6Z1Tk8lBqeD9KUDyKwRCyyQygHbJFKpDRuLmzKQRc+pwlra3vHTcxY23Enk84bq52qaOaJOXK3UepBvhbAMOR6xzTs/wD0PpyqlqtQUc8ssdHm2Z1G6qkhFyiTbRZ3T4C97soUnknFh5Tq9s2ikDKkUsdidgNiD58/PEDrsuiziOhgFu+pZlmpmP7YBBH0YEg/cfLCPTctTBngjaKRVCOku5SNotcX+dwMbfmVvcmqehZ01a5YhnLfffBS1JLruJC35thtSYupPJt1NsAasjT4mA+/GZRGJZNeZfk9XHpzL9M0mo555CtRGjLS7SxtLK8hMrsRYlQtgSRuNsSXIos6p8ioYtXZrBneegbq2rpqY08LOXvtjQkkIosoJ5NixtewTzZ9BBfxj8cNtVq5EjbuzfkdPqMOwomAQX8RwassMXxEceuK6q9YSsTsNvvw2S6iqJibyHArAtd86p4R/aKPvwll1TAnwtf6Yqz9JNIfE7HAxUSTyRwQXaWVgi/U4dATPP8AtIodPZNV5vm1ZT5bltIhknqqp9scS3sCfMkngKLliQACTjl7Nvb20xFmxio6DU9fQq5HvqNDAGH7SQk8j03Mp9QMVF7Smv313qVsoy2pafTGn9z93CboZFBVqh+gd22ssa8hUBbq7W57SZcy76OCHdGmywA3lyxACDi+436ci4P1wJN6jemh6yaT7R8q17p2lznIsyjr6GpjLxSoNrNY2ZGTqrqeCPLr0IJatWZun9Hs7FSQY3y6oVlJuLGNhb8TjkX2O88bKM51Np6WYvSNDDmdIWW3hJEUht5Eh47j1jx0zPJQ5zKlPm2YUuW5bUTdy9RVzrDG1lLlNzWFyEtb540jGLab2FB+svacrau1EmjKSinqsuqa6nnYxmaGZU7uS1wrAjzFyD8iMRim7YsohkLSZNmPi9Hib+eOwtRdk+itUZLW5TVam0+YKqIorx5pATE36sgBbqrC/wBxGOOc27J6rJqqopayCnn93laJ5qVRKhKkgsrDhgeoI8jj3oZYZrWKWnijfPllBpp2Unt/5tgQTB4iwMRDHzJ0cpJuzXPsi0nqqkzzVmnaPVeW5dJHNLldXMUSZN4DEL0kZbghGupF9ykdPXyq1PmVdkOQ5n2e5F/SKLOoo5qeonqko6emp3jDpLLuBksQwAVI2N+oAx4tRLGJ5xVcJGu8LY3cEeQ9BzfEij7RtZq1JImrc+SSjhWGldM6qQ0ESjwoh3+FQOgFgMNaOzknLmTiz2oyLLKjK6N4q/MqjNamSeSZ5p7DbvYsEQAAKighVHJsBck3JdMeUnZt7ZnajoWohjzTOTq7KoyO8o85HeSstxu21IHeBrdC28D9nHqXkWeUGpcky7OckqFq8tzGmjqaWZQQJI3UMrWPPII64WvUlrSxwxmAu6xqXchVAuSTYAYiGa9rWgMilMOd640zlsw47uqzmnib8GcHASTHGYpvM/au7GsqnWCo19llRKzbVFEktZc/Iwo2Gqv9rTQbPPDp2HU2fSRxq4fLtNVUquxNu7UOqeK3PNlsOpPGGlYUXtJKkK7pXVF6XJtgoyzyEiCMIP25f5KOT99sUqvtAilp4qup7LO0qISk7Ja7LaSAkdL/AGlSuwfIheo4w7xduFbItPKOyzX0lLUcpUU0GX1MYHmSYqtvT64PANi0xSB+ah2nPo3C/wDhHH43weAFACgADoBiE9nHa5pLtYyR850TmMtbQRTdxJJNRzUwWWwJS8iqGIBF9pI+eJszqql2YKoFySeAPXCuw2N4zEWrtb0cchgyqJ8ynvYd38F/kerfcD9cVvq7t4yLSUskWqtY5Bp6dBdqVqlZJx9Yl3yD/wAIwAXiTbrhHU1yxA7TzjlOT2w+zQzbR2jyXvbcMrrNv/yf5YnGlu2TJtaG2lNT5RqZwu5oIZh34X1MRCyD67cNNDotGtzHc1z4vqcM81bc8nDZHnUVePBeOUDmNj/A+eCJcxEQK2tfrc9cOxB2b5fl+ocumy7PqGDM8unKGWmqV3RybWDLuW/iAZQbHjgXwqhjSOnWnpY4aeCKHu4oowEREC2Cqo4AA4AGGCbO0iuWdRhuqNXRIQokuSQOD5YVgSBanfDA5YN3kKNxfzUYMgnCvvY2C/PzxXUOrLUNN3f+yUXP0wiqNUysLCSw+WCgLPOZUVK7SqqBze5wgrNXoFISTp5DFWTZ48nVifqcJjmEkh4Jw6An1Rq92bg/icNdTqaWS95D+OIqkVRKw2qxw5U2Q1lR+oRf1w6ANmzuRj8RwlOcyu6pc2LD+N/5Yf6TRUkljKT92Hum0VDG8N0/X/8ApOGBDVmnnPAdr4cabL6yW21WGLCo9MwRhiqKFRdzsbAKo6knoB8zistVduulMnqJMr0a0Wp81UlXqIWJooG/7wf2p+SeH97ywLXYB5lpXoIQ9Uw54F/PEO7RdaNovs31VqOnbbV01J7rQHz95mIjQj+7v3fccNUGoczzypEtZK1TVS+osqj5AcKo/LFT+1bqA0ujdLZBC5EddXy1b2vdhTx7QT8i87H/AAj0wpbDW5QVKr+40tVPHKskc4q46iSNu7rHUJ31Nu+ElaeWKQ+gLg8uMMmV1S6WpXqJI4KmolWb3TxK4EtmiSW1jwgZ3U8XYxkXAOJXpzI6nOc4Wpz6rmTI9PxPXtRK77mpd6hiALmNZGaNO828l14IBIV53pDJJs4ziPJqSt1PXZdVPDLRRZn7tUqFfaDHA0TtLEbCxjdn2m7BL3xvytoiyQey3MsWta+WVzFFDkMscr2vtU1MJHH13YkntB9ok2r67Kci05PJluUZQZJlEMlpHlay7nZTy1rmw4AsPUmF9l6hYdT1mVqcno6uVKf3ZpS8iIoMphDkA7b2Fz4uAOtziYzZfSXYvS0kqRNZvsgQy7tpsfPgrjpwYOaKkzOWTlbRWOUZ3qqjlWGm1Cz34UVsKVC+XHjVv+b4kn/SVrzKO6cVGUV0bMQtqURgHzU7Ctup/PEok0rk9WsZamjiZ7gmNmTxXK262+IW/wAYwgl7OcpnjaSOsqgCQbgh+CL3tbrY3/wsMehHCmq5fj/Jzucbtso8lR0Jb6cY3Es9TLFBRxCSomdY4k/adiFUfiRgSxE/q/jiRaESlTXukXzSNZKBM9oDUoeN0XvEe4fhfHguKjFs9VZZyklsIu0PRtVojXee6XzKcVNTlMpo5ZFUqHIA2sqnmxLcfL64h0kc1JNJDOkkE8TlJI3UqyMDYqQeQQeLHHcGmtdaT1pmeo9PdqdFS5NrGvy3N9O5RqmqgJSopnlliVm5t3kbi274toIBAOOfu1DsU7R8gzmas1dkeZZnNVtvbOaCI11LWt/tBLGvVutmCtzyL4hrVnPeib6lSxTymRFU33MF5Hz/AOOLXXtB7Q8ioctyddWZ7+jUyOKpioYc3qoIqSnYNIoCRSKCdpU3a/DD0GJb2NeyvrLW05rNQUs+lMiYFTVVsbxS1MZFiiQWDWNh4zYAdNxxcWpPY51Pm0mZtlWt9OyzZlLEZFfJ6qn2wRoEjpVZWkIhVVUAfEdouThKht0jlODXNE9XLXZ3pjKM2qVj8LZnNXVbO9/O9SBbqemJVlPazJHCamj0P2dUk6lVpo4tNJVSyOSAAoaRjfnzxbuV+wRqb9Kxwal1DpynoTzLPls9RVTp+6sLJGAx8i7WHnfpixF9kOLQeeUc+ldNVHaBkdTSSiqWtmpIMxoalT9m8D95Cm1w1ju3EFbjkjAIpJvaq7RtE1sNKE0VBV0zr3lPRZFFuhIAJDMhADDpYHqDhHU+0r2mawq5J6vXcWXToqmnpcpo4IpZnLXIB2EqeepYAAXNvOZ6k9kzWWdzq1D2Z5nkUCk2gpMzy6YtcnlnepuSLgcWHHTC/QvsTa3qZmTNshy7IqNnAnmznNzPPLHwCoiozYpa5Kd8hJIu9hbFPQadkN03qTtA7Tc4zylXO489y+hp+8rcyz/UFY1Fl4BuGDxyRRKLXuWG23W7bQek+yfRtZrXs+oNFaLar092URKXzjUZjamrtVTyHdMKVT44aVjwZX8TJtjXgMcWDpz2ZtF6bosvm17MNWfo5i9JQz00dLlVLId12gy6ICLcwblpe9ckAlyecT7NdVd8xWIiKIdB8vnjJ72yhyoWyDQmnabLcnpIMqyXLoRFT08CWVF8lUeZJv8AMkknzOKL7Xu2/KdFZWuaaqrWyyhlLDL8opFDz1rDr4LgG3F3NlXgXLWBZ+2DthoNF6fqtQZuGqKanbucuog+1qyoI4F/IebN+qo45IB87tR6szbtA1LVak1nOcwq5yAkXKRqg+GJVHwxKOijn53JOKWxLLJ7Q/aS7RO0qCojyuV9K6YY921LlspiEn7s1SbNKbdVBC+ijFLplrWuHXjqUQkfibYsLLtPpXZX/SjtBrayh0/EgjooqGGOWoqDusqQQlgsEFww75hsuGCiRgwDJLrSlhoK2kyXTmUZbGdjxVFfSfpOrkKm2wyygovDFjsjQHaOOmKS7wI0MsdwTHJut52wSBVZdPHUxO8M0Th454nKsjA3BDDkEHEt0tmrZ5XVQz6iyqXKaSmetrpIstgppUjS1lSSJUKs7lI1NyN0gNjhNFTU2bZbUZhlSVCRUxtW08tpGhDXKsr8d4llYlSA6gE+IBiK5E1aFZ0v7PftK1ufZhR6S7RazvsxmIiyvOJWs80n6sM7frMeiyHkmwa97jqySq96hYm6yLw46c48l6ynNHOO7baL+Eo99pHoR19QceiPYx2hPr3QOS51WSb8xKtQ5kb8mpisC5+bqUf6ucZ7FbkxzIlQxJNsRGqrTE9ySLG+JdmEkYjkkk5SJSxHqfIfjYffhqpNMy1zbpl8RHI+ZxYiJUNTPNSU6oGP2Sfww602U1lTbwEfXE9yTScS0dK+wWaFD/5RiT02TQwgXA+4YVgVzQ6Qlkt3pOJPQaOjSxZL/XEyhpo1IWJNzegFzhHmWo8pyPw5pmVLSyeURfdIfoi3b8sKwAUmnYYQLqB92HaHL4YrAJc+WKx1J265DkMZKqq+kmYTrTKfogu7fgMVVW9vef6zqXy/RdPn+fTPwKbIKRqSP6NKAZiPncYajKWyDbc6Z1FqbT+i6YVGrs6y3IIiLr79UrE7/wB2P42/wqcU1q/2qcgyzvIdGZHmGf1ERv71Xq2X0i8dbMO9Yc3+FL+uIvlfYx2l1Ucmdakn0v2R5U3inzCsdJq2x82lckg/3nU4Rtnfs8dmUrVtZmGZ9ruo0cu9VIoqKcSftBpCtOBfzvIcXypfmfuDfZDBWN2q+0IkYrpKn+jrtfuKYe55Z9wJvMfmxfFm6Z9mer07QLVZ1XZblVIoG+onmCov+JrD8sVJrD2688mLw6Nocq0xAAAjwR/pCqAAtxI4WJfoENvI4oLUvbxqTUtUarM6uszOqHwz5hVvKV+ig2X6DjDctK2Jqt9TvWCn0FkV4qfM63UdUwswo17qEm/Qytyw/ugjHI/te5mkvaHkFFDGIKelyNH7kNu2NLPIx6+e0Jij67XeoswJ73NqmJD+rDIYx+I5P3nDA0zO7SSMXdjdmY3Jxm6ZaZJcwzNottJSRPI9aYJamWVF3ts6RIbnwAjnpuKrceEYnCaZ/wCkPWEdUlYTUVKTCWVpxTShoneNalSy7WREWOWUL4gsch8PxYr3K85pk2pmFNHUgRyRrvQuVLqV3KLjxC9x6MAbetpUuoc5zHII8jpKSuy7JagO9XU1jCN3hlYFoaaJQFiikaNDIUG6QoNzWG3GkW5JozboTab1OJps4TL6Rpsves72OonLLJKu7aGYjqxS17+d+cSOPOFfuo50liB8LsWuLFSh5+oU4bYaEwoqnbFCt9iooA4P09Rg5j3KttHXmxUH9a/XHXjyTgkm9jJxTdocErmECX37WXxOtjb9Vjf0+Bvuwc+ZSxSMV72AE7nHkj3/AIBz+D4b6Wd6dZAthcMLG63DXDefmLfgMHyV7K7llVyykGxPiNrEm/qtvvAx2Qyp7mbi72K2SiW9ttzb64Nkpnpo+/hFpIbSpZbHcp3D8xiQxUioASjA+Vxe/wCOCpwgBiWzEghy3AH3Y5eRJanRfcSDXDUw11qfT+Y0RzOkfMXzBcvja0/c1C98k9Ex4DlJVLxdGIDKCLhZh7N/a5n+RawzHTtFqCtzrTfukj0YqGaJwVswbqSpFipHPn8sN3ax2Vaj1/onR/alpDKlqsry/R9PTagliqUE0NXQEwSOYywc2jSNrqDZVJNuL1n2ddpMemdSUGf6noP0mqGWmqamkkVat1MZF3UnbIbsCHIDGxBbHBJ2qZaXK2l99x6eaOzhNTU5qJpWRQ21t/xM3p88TiKn2rsi+yQjnafE31P+WON8t7ZNN5ylGdDahhkZYrmlmPu9QHJuQYm6kcC6lh88TKX2mIcnyukoa9ZZMzp4QlR4bXa5tf57SMZpPoDaW500ncUi8bEA8+mEM+tdPUM3c1moMnppr/2c+Ywxt+DMDjjfVXtZy5TRe+GgnKO/dxKCA0jWubX4AA6ny4xT+e+11m+fRSU9ZpahrKUjmOtlWdSPmDHimpLdUJST2PUGm1FSSU3f01VT1MHnJDMsqj71JGEdbrqhpI2O/vGA4VT1PpjyRyTtun0vqSmz3SuRQZBIj/1uny+qdKeqi/WR4iNvIv0t5HqL47UotSDM2pKyinM1DWRJPTvf4o3UMp/AjESdPQtaotzNtUTZlMZqmQXHwoPhQeg/zxEM7zmSWMU1MxMlQdnB5t/x6YZHzI25bFf9p+rX0zofUmdQyGOopqIw0zDqs0pEaMPmC+7/AA4lK2D0Ryv2566OvteS0tFOZcgyLfSUPiuHs32s3z3uOP3VQeWIrkVJQvIa3O5EhyumkSIq4YrLKwOyM7fFs43SFeQgNuWGI7SARwM1xY8njyGHPPkNPDSZbIdnukQdx0+3lAdyfoNif4MaqrskdXzPMsp1HV1WpqeSs79e4zNBbZUUrhbCMr4QqqEaPb4V2oQLAYY88oWyatrMugqPeqeKUslSBtWeM2KPb95SDbDnQZvTyabbK9Qiqek94RaOsiZSaTwuXXba8iksp23AF2I5OBVFFO4oYZJqZmhQQtVIVYyQhrxvETySQSg8xssbYt+stAA03fQaZTI6CmaTMs+qo5nKP4vd4gwRD5AM5Zzc8d2pwTm+ajKno8s09VhoMql741UJO2oqjbfKLjlRYIt/1VJ43nA6vMGaaWKjVI/eJFp6urHCIvAEAfyQAC7H4tvoOY7WBI8wqER0aNZGUOpBVgOLgjixw26WgDxmfd1VO8tOgiidBURRgcJckMgPWysGA+VsdDeyTnbrlOrsrZvsoaikrIh6Fg6OfyT8Mc7xxyRZfBHUxPFIvejbIpU7GSN1Nj5HdcHzvi1vZqzaLKKjVM87WU0lOgUC5Zu8JAAHJPBxnuxnauU07ZrVQq4vDH9vJ8yDZR/4uf8ADiwqKjWniEgT7KPxO54Vfqx4A+uObKLVfbDWRvSaL09luUUsr7o66uiT3krbi6yMQoHJH2d+cOEHs+dpGvpVqu0bXMkkSnd3XjqkT6B9kK/UKcVyvq6FaLUqO1HSOR0ognzqKsnp90bQ5epqSNrEC7i0a8AdXGK41F7VGR5e5p8mpopJzwoklNTIT/3cXhv9XOG/Nez/ANn7s5LHXuqZ9R1kVz7ite9UQf2e7g2qv+JsRTMfbC0PoKN6fsW7M8so3U+Ctr41Vvr3cXJ++XCqPtHqSWmz7tq7UCF0xpPOUoJfhmrrZbTEeu0bSw/xHG8z7Gcx07D3/bV2t6f0LTuu80GXyD3hx6AeF2P03Y5v1v7W/avrfvIqvVFXltI9x7tlhFFHY9ReKzkf3nbFM1GY1dVLJLPUO0khu7Xszn5nqfvODmS2S+f8D9rOw6rtC9nHs2kZ8h03nXaVmyG4q84m91p3PrtYBj98TfXEV1J7cWt6ikbLtDUeU6JyoAhIMloUVgD/ALyQML/NY0OOWuB/ng6npJ6tiKWF5bdSBwPqcDlKW7sVpbEi1J2g6j1bXGt1FmtXmlX5T11Q9VIv0aQnb/hsMRyeeWofdUyyTN6uxbEw0z2c1mdVYTMayPJoSjMs0sZcbgLhePXp54mWWdl1JQMyZtTmrZ2UioV9yKtt1/IeLpyD5/XGkcOSUbS0M5ZIp6lP0tJPWyCOkgeZyQAEF7E8C58sSnKuzXPsyCySwGkg8ZaRxewT4m9LA8dcW9QU9BlcUooqXuHGyQQyAEOb2VRbkEXBH34fCitIKKV2UJ3dGDa203DyN15PljeHDrqYTyyWxX2R9k9LK8C5zJ7xJPsQe7xgFGdhYixAJABNj1viyc07HdEZZp+DMYkjrJVFZM6uSrEbgkY2qOVvyGJtfcPTBUNSFq1qlVV2PLV2ksVsg2x+E+E882OHufUtfmmUmhnnoKaOly6FESWzEmQ+MHoS0jkEddpAtYY68WJN1BJrrt5/x+uxw5XllKL5qS3+RFYsoyzT8qtk9PRUzx1EQ7yOHuzdY7/F8Q5OEE+YiUwPM5l2QIm49SAxIB9euHWpp5p5t06ruavkDLYKPDHb4jfpa33YZQkcdOpZLu1KHUnzG61/+fTBkxtM68dddwtm7x7d2kakuAbevP1wevdq8QDLtYJ4jZrBuLi49cBW3eb4y6nvx+p0uMJfee7Hd2l5G3lhxY/TGSSjujfV7B0oEW1nViNxVixFiVNjbz6EYRyJcsEYEjcLX6keX4YFNXd45B3KWYsSX55HPOEZdFUkuC5Uc+pw7XQaT6iWZxETcsWHkTu6/PAI13ksW3uepPrhfNThkUgMGtuAva+EhDXBLKwPTgWX1GMWy0W72A9ucXZBnFRlurZR/QzNpgahlHeGhqCNvfqnJdGWyyIBcqAwuVIIfaN9lV8lpptc9kNPFnWkKpBWT0tE3ftRwkX72AgkS03N7gFoxa/hFxQepJFeogjQDwKWa3qbfy/jiY9jHtO6s7C8zegoAud6TM2+XJauQqqE8l4JOTCxuegKm5upNiOKbqWmxdKS7mUfUJaCPbYjc3I+g+WOisgySaopsvgqGZ5I6aITSOSxuEG4knrzwMOvaweyHtlzqk1j2e55S6VzGoEX6U0pVZU8MlROHJeZJUvDucEA/CDtLE7jbE+0pobP83yb9JZLl1NLSzSMvvNTmMcEe8H4bDcwt6MAfljqwcsfXk6RwcTKbShFanOXbNPTnUNFlRMiRZfSIQsabvHKdzE/4dmIJTUWXVUtNF+lUpzIWEz1MDKkQ8jcElrj0AsT59cXd2sezf2myZjmerIsopc6p5n7ySDJqwVk1OgUAXj2q7AAdVU2tzbHPnvE0ZZGZ1KmxUk8H5jGOSanNyWqN8MXDGo9R3zPJJsthEpaknja43QS77fPHV/YRqU5v2Z5WjyF6jKJpKFyeu1Tvj/8jgf4ccexV3c3+yiNxa4jANvMcYvH2bs6ENbqLJ2kPdzQRVsSnp4G2N99pB/4cYypm6tbnVFTOtvCxIOKS9pivan7NaOCNiPfc5jDj1WOKRrfiy/hi2IqjvqWIrzxtJ+mKW9qRHGjNMm3g/SdRf690lv54cQexzVAN0QUDdxa1/XCjPYmnz/Mo4988prZEARDYndYADrf5fLCambdGQL3txiVZpqGuNdDFkkAhavp4mD0UVqmpZhzdwL33FwQtr9Dexw0rTALotBVJqKWHUE5y6eewp6CJRPWzkjgJACNpPq7L6C54xbWiKKKnpNY6b0xLFRwVmVx0Gbx90aqsBtJItLTzbu6Z5pkjikJQBG2GPdtN6pgnp9F0dS1I61Or5dyPUI++PLYyouENuajlgWBIQdDu5Eo7Jc5qdOaM7R89y5UNXlEGUVVKst2VZEzKFl4uDweeuN4yWPZaicVLRjCuoqDOZWemzGPT1bISwTMMugqYXJPF50i3j/Eh9S2BZpV6/y2lRHaOpy1iXiny+np5qZj0vvjUqCfQ2OEPa1kdHkWua79Bqy5FmccWaZSNm21JUoJkQf3N5jPzQ4jOTLWrWxjLKiaknk47yKQxkfO48gOfuwpZJJ0wVNWO+d5jmNRBAM9JFbTpLGyPAsLx2baEZQByCh4PIx0V7Kuo9Kdmem9TZl2o5vTZBT5o1FNlm9TUTVKL3wcpFEGewJAudo569bcyagzKTMa6WWWeWqeQi80zl3dVFgWJ6k2wz9PljnlbZSO4dXe27pzKg9P2Z6arcyn5Ars3daaMH9oQoWZh9XX6Y541r2+doPaEWXP9QzRUbf/AIOi+xhA9LA3P3k4qZSSwCgs3kB1w90GRZlVyIiwd0GF7ym20epHXAkNsJdi5vIzOeviJOCJSAPEbYnWW9nk0zKK6c3KFiqcBR5E2ufMemJp/wBGtFkMSoI4paltoqZZGRlprjdt3Ak3t1I+g+fRDFKexi8kYuilYMhzKshepp6OY0y7bysNim5sACepvfgXPBPQHDzQ6Cr6na9UwgjPoOg+/wDyOLZqWSZaamo4+5oKTcKeMD43a2+VyerMR9wAUcDkqOYQbWCqXDeAW3c/tYPRpD5m0Rmg7O8tpo4nkdqyYX7xO7N1PFhc8G/PQX4xII4qXLiq08KLwAGVdxv9/TAy/IKNJtHwmVbDd5k2OE7uDcd6hv4FspX6nFcvcAuhrrsVaPf+qrva4HmbeeFRzBIwQjIUZAoCrtAUeXHX54bYqeWQqIaZgpNgzN5euFEeXltvevu3tZdgtwDz18sWoi0D4sxaJ1mfYhEne3B+K3QW/lgk1+5gC9n8bF2ksNzdTx8sHRxJJUCOmEcKu23ex/VHnc/LywmcIzHchYFja62PXGnLpYtAQng7ra1QSpAXai2Fh/xOHH9NU5YSjujI0wc7kI4UWAvfDG8UJFyu0n1Yi2ANBGUBLysAt7b/ACw9R8qY8/pRiYDFJwneybR4gGYYQzVDzQ0y97fZSiI2utvETb59b4RBIUIMZkB23Nz/ADwJ0kZWcKWATklr4fMwUVuKZGU97bi2w2B9MJqhtxY7GA3ll8XrgpnCj+yAO0HljhOSzKzABvDfrgtjpB0kkpRWPQmwv/DCd5CbkLuG25NrcYFI+zcAx4CyLdbYLMpjck8ru5sRYg4bSCx0UPIQV4Vul+cFTUDoQ0Cq1+NtiSfoPPC1VYSsHaSZwt9sNm6fPn8r4H3sII95ZCvBaGF7n6FzcA/S9vTGTSe4rIlnmWkSosm4syW54sR52+/EJzzK3v3yKe9QeNf2l8iPW3/PTFsZhDBX0oWGnipmja6GLkt8mJvfj/7Yi1XTgMiSqxcsFiIuWLeigck/LGGSCT0KTZWFrjEy7Ou1PV3ZVmpzHQ2dT5a8lhUU/ElPUr+zLE11cdRyLi/BBw+5z2JaspaCTM2yh6VAA5p5CEl2nzZP+zJ8lYgm/AxWjIY3dHRkkQkMrCxUjqCPLEZMOTGlzxavaycebHkvkknXceiPZT7b+gdULT0PavkUekc14X9I0UbyUTt6+H7SEk9B4wLXLDFra87OfZ97WqD9K6lzbTU0ky3TOKXOoYZ+nBMysN9vSTdbHkvzg2CpqKMlqOeWnY9TFIV/hjKKSZctVsdm6g7CfZc05JKZ+0/UuaFblYMpqIaxz8t0dMy/eSMQCpruzbR8k47Jcj1M08+1Jcz1DVRNIIhyY4oYgAoZgpLNc+GwABOOejn2bkWOaVxH/wCpf/PBTZvmTX3ZhVn6zt/ni04oKZ1Zo7tVoIpJaPUxloYH8cNV3TOit5q4UEgEdDY9OcMHtC6z0tqLQeX0GR57S5hmVPm6TdzEkl+6MUisblQOuz8cc1yVVRN/bTyyf3pCcFAAYVq9CugfBL3bA+WJDlebVf6NnyymqVpGkN0l2hWKm+6LveqK1z0Nibg8HEYvg2GpMTc/CeCPXCTa2AVPFJAGgaeWIoSNjA+D5H5/TD9kmZVeX6F1hTUk+ymzCbL6aqQdJFDySgc88NEp+7DYmawSxrHWATRp8Iccj6Ec/nhxOocvTK2y9oqmpp5DF9jvUBdjSMoDXJteZyeOpxVoRJKCXMqjINP0MC1UlbPTT5fJRSd5IK2JZO+ih7gAkkGZXRjZQSDfgYb9S0eWaWjqMuy5/eM6qife0FSs6ZZDe4pu+VVWWc8d46gKvwi7FgpS12pszV1y+KXLaWWMxs7SMruu1VKmRvGwKqoIFgQADe2FeVaLoqePvsxl96l2ggAhY1+W3qT0/PBytsHIjFHkL5pGGjhlErjqrXUfO54t8sSzLOz3LRsfNpZpEWxmEUqoeh+EEetj1PF8SJI1hQR2aNR0UdE+7B0cvw7NhIHRgSePPnHRCKi9iHqHZRk2WUEbe75ZCskgAdnVW2IOh/vfM+nTrh+ynMpKKSOOAUpBVwvvKI4jBFmci1r2A5PpxhmFTJIjWTvA/K8+J29bDyGME0q0staVnFN3gjMgZf7Qci/nxYW4x0xlk0p1Rk4xejJfR+7ZNlpr6ho4WpnX3anePmrc2LbrG6WBDDcLcG3JtiJVebz11RVzyyxo9Q/eTvH1PPC39B5DCJqyqrZ2Ll6lnJk3FrgMep5/lgxcuhXbuqGe7WCgW3N6882xmrqrCMFF29zYkMqm4JAXxXfdtXyGBxwVc1tsfdB1/Z2BF/jg+MJTqTFGO7T43/ab0v6YONVKR9qFUE75CnkPK2HRdhHuEUnLswDi4Hovmb9b4OgpYnYCjTZuvY2J2oOrE+nrgCVBlYq9g8xG9gOEQD0xo1RbcAVUOAkZAIKqPPDVbi12FDtII2MVWQxbuIUVSS6+bXHQdPnzgsO5VmRy6D7JW6WPmbYKerCFpkSO8UYSM2ILEk3a/n584K76KPfG8jAxR3Gxv+0Pmb9MXoJWGU+YimMxaLvWKmKNmNthIILD5/XADVKrWEbKEG34gfzv9cAj7mOWJa9mCKhdtq3JJHTCddjLBuUWLbjbjgYOWlqx9Q2eUl2LRm44uSQR92NF4Bu7xWuEF7Hp+I64RybiCVKhZZuAq/yxqoebZUvY23hbgcD5DnDpDsUzvEXYU6SNtiG4OQOfUYTu4dreO6x3Nh0P3YRVDPvmvGzKFF7jp8+MAaZHk2kncsPX7umJGLC6grySGi8zgsybjHa/iQiw9R54RrNYU+1gTYry3z9MBSoZY4vFcrIeD0+uBMA1nMjRcruZdvJ4OC3kZkF0+IEG58xgpmVBa5JWTkWvxgvvRaTYttrB168D54EgJq2azCA08NQtLT+caeHd/eI5b/ESB5AYQPUxoNwAQCwB63J6Af5DE80N2Pag16VrhRS6dyNvHFWZnciRf3IhZpOPPwj546I0d2S6W0FGKjLqabMc0jG419aweUfNRbZCP7o3fM41hwmSf5dTyuI7SwcNaWsu5eb/APrKF0X2Kal1gYarOlk03lLWYTVMf9YlX1SDg2/efaPri78q0Jpjs2pWl09liVebvHteqqG76ul45CWA2gjyTYD5t54m09ZPUykxxrsJ8BuSxPmwXgt9WIGEFW4YN3U1PErStHJISWufOxFjIf3VG3nz649HBwTw5U5taeK+/kfLcX2hn4r1W6Xctv5K1zbTdXn07tmLvlFNOgJponJk2nj7Qnhf7oux8x54hud9hWmM3Voc6pFy2OFQUrVlENWYwbA7ANouRYGX18KnHQTZZBIzilinjkYhpp3CxuQOlyeIx6EXb0thkzSgy3KO5qMwETTOzNAsimUMw/WjQm7mx+NyB6k9Me1PFizW8jtNd366Xf6d/W9jmhxGXG1yuvYcV6m9njO6A97pOqXPKd3KpG8Rpp2N7BVD+GQj90/dbFQV9JPllXLSZjTTUlVCxWSGZCrKR5EHpju/MNc0zz1PeNuihYrI0bkgJ08cqWPXgRx7fqBziD5lqLLgkvviGdCdkVK0KyThfLu127IByeeW87k84+e4nguDX9LJ5/T5/E+o4TjuKarJG/g/v9Dj3eD542GubLcn6Y6ArqeCqitTwply7jaIS96g+ZLcu1z5mwOGmTKpZ2d5swZ95UPeKxYD1IItxbgY8SWFp0e9HI5K2qKhpKSV2JehmniYWDKpG0+oPTCyPT0ssgAZ4kPXvFFx+eLHmyUCwFUJox8CyEqB8gP5401Dtt7rTRKRwNpHX6+uJ9H3mlkFGkXlZe5qLBugK3P16jCiHRK8GqriFPXZF0/PEvEdQrhTBuHHV8HLFOSO6pjJu4AKj8vPFLGgsjdPpLKYWUSNLUMf2msPyth9osrpaT/VaZI2A4CLYt9T1wsFDWxkqypHaxYO4sLeZwOSkYW3l+7YXugJaU/iLDFrGTZtCFZnS4DjYzgcH91R/PBxl7lX4CyDi9wVjX+bHGkpoeLmUOp5kDAIgt0UevXm+D0jpo9qmO+7+zjcm5/ebGqTJsb1l3tGvcru52rbkj9psLIhuiZYoy8Q+Jydvet6C/QDCpJIo1ZUICcGVwOX/dHywGeshm5lUpYWQEGwHph7Ie4VHHJMwEzi5sCq3bd6D6YUVCRJNG1RaRoFEa3XcwH7Pzt68+mHKoo1yzJEnzajdarMD/VA7AGKJT432dSx4AJsAPUniPBgwUqNvlGhPIH7Rxs4Sxrll11+/mRGSnqvv72Fhqu8lIfhtvjLrtt8hjcc8suwoAXb4ebbFwjUxMPtAWRPESeS5+vpgXetADuYBnFuR8IxlSLFjyKgsZCQnQKPibBO2MkAobi5kZm/LCdqoJzvuqcLbzb1wC4ZxGHPI3SsT+WHqwFclQWU9C0h4+S/ywQG2AycdbJZ+hwRJMGDuz+JjYLboMFTSorbSynZzuBvzhugQ4JJtZVYs8UI3HnofLjBJneWOGBjtEjFySAOP42488ITNtiskgUykFgV8hgQqmTvqkDvCgCIzRAryCOfQ+n0xSaloKqByTFu8ZLKjtsAPPTrgMtQ3e7olEe0WGwmw/HCIP8AaRqyAqBc7eCfPm+C3fwAqQVax6+uI13GOymEmlMJZe7Uu5LDjkWv8hb8/lhO022BPGLTTlhdbkgHrfBbVLzTOzq0iwxbTtbnb/yemCp5ZFSgjlVAUS6sLNcfM3Ixd6ffgiTTMJPeCjWO8bd3Hn54ydz3lpCn9mOQevHGEBl+zYA3BN+cYHJlJub7LGw+WIvUsNE5+yvcW63W/GCXnXxAJexve1vzwWWKonmQbAnBZuGccEfXCAMeUPvAWwPzxgkcsDceIbb3wQdxsGUW6dbYLPAJ62NuPTBqB6b0yitiMz3CgoY4ybgA9L+Z/L7sIMyzQUYqi0AkFOw3c2LXJHh4IUcehPzxmMx7Sk4xbXS/kvqfn2asWOE4LV3594yZlnzwUU0poqRzKEBDIW+PjksSTYHp5/LG5sxqqUySVMgqZaWAlW2hLKvO1QOEHHQDjGYzHn5Xy5LX361fL67nHHNkywXM/Je5aCLUWq6vJzlsNPHE89bD3yvJcxxD5Jfk/Nifpil9U9oOZx1clJUpDUvIXWR2BAkbfyzDqenQEDp5cYzGY9fkjPBKT3Tj8dz1ez8UMmSpK9CCtWy1Cbt1mjW6BgCqeY2qAALfTEfq5JVlkZppHcnks17k+eMxmPIaUYtpH1mNJOkFsSN4J8QW5YcH/hggyGOJSCx3epxmMxyz3OqIA1LhQrhXu1r25wH30iQRbBYm1xxjMZjMroHsVK7igJ5H1xiko21CQ7sF3Dy+mMxmBACMhCyByWjhJ8F/ib1J88GNPteBQg7ycC8nmo6WAxmMxot0hUZxJBJK6+GAhVQcA38z6nAWXyu3eONzvfr8sZjMPuEtwmV3ew3WUEqoA6DFhdlui6LUFHqXP80d5o9PwxPFSW8MskhNmZvRdt7W5NueMZjMdfARU+KgpK9Th4+csfDNxdO0vfJJ/AgWcZ/WamzJ6/MpC8syggeSIAdqD5D+ZOEXvEiuSSC3S9vK9sZjMcLnKbc5O2z0VFR9VLRG5ZSsvdgDbEtwLdTe2ANM+0yFrs+65OMxmKYlsEmXfI11FkHAHn0wFhsQEEnvL3v1sDjMZiB9TYlC2AXhRa18J1dmXr8V7+d8ZjMUILmclwDzYWF/IYNqIu5p6NVbwy+NwONx+eMxmHHr99xL3QS7s7O3ALH0vgoOz92jG4W5H8f5YzGYEyjHm20NSxUl3ded3QdcLM8LQ19PA2zuo6OJolRAm0Moa3z5J5PJxmMx0Nvkr2ebMv71+vkM3esB5dbdMbMh3C/JI6+nGMxmMEjQAGvDYjkG/XAb3lYeR4tjMZiBgC5CC3rjTElm+l8ZjMAj/9k= BASE64 offer = user.offers.create( title: 'BMW 320i g20', description: 'new bmw 3 series, model g20 M Sport is awesome', price: 230500 ) offer.image.attach(data: image_base_64) offer.save
class ChangeNotesTypeInTmk < ActiveRecord::Migration[4.2] def change change_column :tmks, :notes, :text end end
# frozen_string_literal: true # rubocop:todo all # Copyright (C) 2014-2020 MongoDB Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. module Mongo module Auth class X509 # Defines behavior around a single X.509 conversation between the # client and server. # # @since 2.0.0 # @api private class Conversation < ConversationBase # The login message. # # @since 2.0.0 LOGIN = { authenticate: 1, mechanism: X509::MECHANISM }.freeze # Start the X.509 conversation. This returns the first message that # needs to be sent to the server. # # @param [ Server::Connection ] connection The connection being # authenticated. # # @return [ Protocol::Message ] The first X.509 conversation message. # # @since 2.0.0 def start(connection) validate_external_auth_source selector = client_first_document build_message(connection, '$external', selector) end # Returns the hash to provide to the server in the handshake # as value of the speculativeAuthenticate key. # # If the auth mechanism does not support speculative authentication, # this method returns nil. # # @return [ Hash | nil ] Speculative authentication document. def speculative_auth_document client_first_document end private def client_first_document LOGIN.dup.tap do |payload| payload[:user] = user.name if user.name end end end end end end
Rails.application.routes.draw do devise_for :users resources :entries do resources :comments end root 'entries#index' get '/list', to: "entries#list" namespace :api do resources :entries, path: 'news' do resources :comments end end end
class FinancialYear include Comparable class InvalidYear < StandardError; end attr_reader :start_year, :end_year def initialize(start_year) @start_year = DateTime.strptime(start_year.to_s, "%Y").year @end_year = @start_year + 1 rescue ArgumentError raise InvalidYear end class << self def for_date(date) if [1, 2, 3].include?(date.month) new(date.year - 1) else new(date.year) end end def next_ten this_financial_year = for_date(Date.today).to_i tenth_year = this_financial_year + 9 (this_financial_year..tenth_year).map { |year| new(year) } end def previous_ten this_financial_year = for_date(Date.today).to_i first_year = this_financial_year - 9 (first_year..this_financial_year).map { |year| new(year) } end def from_twenty_ten_to_ten_years_ahead twenty_ten = for_date(Date.parse("2011-01-01")).to_i ten_years_ahead = for_date(Date.today).to_i + 9 (twenty_ten..ten_years_ahead).map { |year| new(year) } end end def <=>(other) start_year <=> other.start_year end def ==(other) start_year == other.start_year end def start_date Date.new(start_year, 4, 1) end def end_date Date.new(end_year, 3, 31) end def to_i start_year end def to_s [start_year, end_year].join("-") end def quarters FinancialQuarter::QUARTERS.map { |q| FinancialQuarter.new(start_year, q) } end def pred FinancialYear.new(start_year - 1) end def succ FinancialYear.new(start_year + 1) end end
class MP3Importer attr_accessor :path, :file def initialize(path) @path = path @file = file end def files Dir.chdir(@path) {| path | Dir.glob("*.mp3")} # Dir.entries(path).each {|filename| @file_names << "#{filename}"} end def import self.files.each {|filename| Song.new_by_filename(filename)} end end
require 'test_helper' class SupervisortsControllerTest < ActionDispatch::IntegrationTest setup do @supervisort = supervisorts(:one) end test "should get index" do get supervisorts_url assert_response :success end test "should get new" do get new_supervisort_url assert_response :success end test "should create supervisort" do assert_difference('Supervisort.count') do post supervisorts_url, params: { supervisort: { apellido: @supervisort.apellido, cedula: @supervisort.cedula, nombre: @supervisort.nombre, telefono: @supervisort.telefono } } end assert_redirected_to supervisort_url(Supervisort.last) end test "should show supervisort" do get supervisort_url(@supervisort) assert_response :success end test "should get edit" do get edit_supervisort_url(@supervisort) assert_response :success end test "should update supervisort" do patch supervisort_url(@supervisort), params: { supervisort: { apellido: @supervisort.apellido, cedula: @supervisort.cedula, nombre: @supervisort.nombre, telefono: @supervisort.telefono } } assert_redirected_to supervisort_url(@supervisort) end test "should destroy supervisort" do assert_difference('Supervisort.count', -1) do delete supervisort_url(@supervisort) end assert_redirected_to supervisorts_url end end
# frozen_string_literal: true (1..99).each { |number| puts number, ' ' if number.even? }
class AddTimestapsToTmpgImpressions < ActiveRecord::Migration def change_table add_column(:tmpg_impressions, :created_at, :datetime) add_column(:tmpg_impressions, :updated_at, :datetime) end end
class MessagesController < ApplicationController before_action :signed_in?, only: :create def create @post = Post.find_by id: params[:post_id] user = photographer_signed_in? ? current_photographer : current_customer unless (@post.customer.eql?(user) || @post.photographer.eql?(user)) flash[:alert] = t ".no_permission" redirect_to root_path else @msg = Message.new post: @post, content: params[:message][:content] user.messages << @msg end end private def signed_in? unless photographer_signed_in? || customer_signed_in? flash[:alert] = t ".must_login" redirect_to root_path end end def render_message message self.render partial: "messages/message", locals: {message: message} end end
module Workflow module Concerns module DynamicAnnotationFieldConcern DynamicAnnotation::Field.class_eval do attr_accessor :previous_status before_validation :normalize_workflow_status validate :workflow_status_is_valid validate :can_set_workflow_status, unless: proc { |x| x.skip_check_ability } def previous_value self.will_save_change_to_value? ? self.value_was : self.value end def status self.value if ::Workflow::Workflow.is_field_name_a_workflow?(self.field_name) end def index_on_es_background obj = self&.annotation&.annotated if !obj.nil? && obj.class.name == 'ProjectMedia' updated_at = Time.now # Update PG obj.update_columns(updated_at: updated_at) data = { self.annotation_type => { method: 'value', klass: self.class.name, id: self.id }, 'updated_at' => updated_at.utc } self.update_elasticsearch_doc(data.keys, data, obj.id) end end def index_on_es_foreground return if self.disable_es_callbacks || RequestStore.store[:disable_es_callbacks] obj = self&.annotation&.annotated if !obj.nil? && obj.class.name == 'ProjectMedia' updated_at = Time.now obj.update_columns(updated_at: updated_at) options = { keys: [self.annotation_type, 'updated_at'], data: { self.annotation_type => self.value, 'updated_at' => updated_at.utc }, pm_id: obj.id, doc_id: Base64.encode64("#{obj.class.name}/#{obj.id}") } self.update_elasticsearch_doc_bg(options) end end ::Workflow::Workflow.workflow_ids.each do |id| define_method "field_formatter_name_#{id}_status" do value = nil self.workflow_options[:statuses].each do |option| value = option[:label] if option[:id] == self.value end value || begin self.value.titleize rescue nil end end end def workflow_options if ::Workflow::Workflow.is_field_name_a_workflow?(self.field_name) annotated = self.annotation.annotated annotation_type = self.annotation.annotation_type ::Workflow::Workflow.options(annotated, annotation_type) end end def workflow_options_and_roles if ::Workflow::Workflow.is_field_name_a_workflow?(self.field_name) options_and_roles = {} self.workflow_options[:statuses].each do |option| options_and_roles[option[:id]] = option[:role] end options_and_roles.with_indifferent_access end end def workflow_options_from_key(key) statuses = self.workflow_options[:statuses] statuses.collect{ |s| s[:id] } if key == :any end protected def cant_change_status(user, options, from_status, to_status) !user.nil? && !options[to_status].blank? && !user.is_admin? && (!user.role?(options[to_status]) || !user.role?(options[from_status])) end def call_workflow_action(field_name, params) transition = (params.has_key?(:from) && params.has_key?(:to)) if self.field_name == field_name && params[:if].call && self.valid_workflow_transition?(transition, params[:from], params[:to]) self.send(params[:action]) end end def valid_workflow_transition?(transition, from, to) !transition || (self.previous_status.to_s != self.value.to_s && self.workflow_transition_applies?(from, to)) end def workflow_transition_applies?(from, to) from = self.workflow_options_from_key(from) to = self.workflow_options_from_key(to) to.include?(self.value.to_s) && from.include?(self.previous_status.to_s) end private def normalize_workflow_status if ::Workflow::Workflow.is_field_name_a_workflow?(self.field_name) self.value = self.value.tr(' ', '_').downcase unless self.value.blank? end end def workflow_status_is_valid if ::Workflow::Workflow.is_field_name_a_workflow?(self.field_name) options = self.workflow_options_and_roles value = self.value.to_s valid = options.keys.map(&:to_s) errors.add(:base, I18n.t(:workflow_status_is_not_valid, status: value, valid: valid.join(', '))) unless valid.include?(value) end end def can_set_workflow_status if ::Workflow::Workflow.is_field_name_a_workflow?(self.field_name) options = self.workflow_options_and_roles value = self.value&.to_sym old_value = self.previous_value&.to_sym self.previous_status = old_value user = User.current if self.cant_change_status(user, options, old_value, value) errors.add(:base, I18n.t(:workflow_status_permission_error)) end end end end # DynamicAnnotation::Field.class_eval end end end
# frozen_string_literal: true module RakutenWebService class Recipe < Resource def self.large_categories categories('large') end def self.medium_categories categories('medium') end def self.small_categories categories('small') end def self.categories(category_type) @categories ||= {} @categories[category_type] ||= Category.search(category_type: category_type).response['result'][category_type].map do |category| Category.new(category.merge(categoryType: category_type)) end end class << self protected :search end class Category < Resource endpoint 'https://app.rakuten.co.jp/services/api/Recipe/CategoryList/20170426' attribute :categoryId, :categoryName, :categoryUrl, :parentCategoryId, :categoryType def ranking Recipe.ranking(absolute_category_id) end def parent_category return nil if parent_category_type.nil? Recipe.categories(parent_category_type).find do |c| c.id.to_i == parent_category_id.to_i end end def absolute_category_id if parent_category [parent_category.absolute_category_id, id.to_s].join('-') else id.to_s end end private def parent_category_type case type when 'small' then 'medium' when 'medium' then 'large' end end end end end
module YelpAPI API_HOST = "https://api.yelp.com" SEARCH_PATH = "/v3/businesses/search" BUSINESS_PATH = "/v3/businesses/" # trailing / because we append the business id to the path TOKEN_PATH = "/oauth2/token" GRANT_TYPE = "client_credentials" SEARCH_LIMIT = 20 def self.test(location, term) url = "#{API_HOST}#{SEARCH_PATH}" params = set_params({term: term, location: location}) response = HTTP.auth(bearer_token).get(url, params: params) response.parse end def self.set_params(params) params = { term: params[:term], location: params[:location], limit: SEARCH_LIMIT, # The search return max is 50 } end def self.bearer_token url = "#{API_HOST}#{TOKEN_PATH}" params = { client_id: ENV["yelp_id"], client_secret: ENV["yelp_secret"], grant_type: GRANT_TYPE } response = HTTP.post(url, params: params) parsed = response.parse "#{parsed['token_type']} #{parsed['access_token']}" # byebug end end
# -*- encoding: utf-8 -*- $:.push File.expand_path("../lib", __FILE__) require "pebblebed/version" Gem::Specification.new do |s| s.name = "pebblebed" s.version = Pebblebed::VERSION s.authors = ["Katrina Owen", "Simen Svale Skogsrud"] s.email = ["katrina@bengler.no", "simen@bengler.no"] s.homepage = "" s.summary = %q{Development tools for working with Pebblebed} s.description = %q{Development tools for working with Pebblebed} s.rubyforge_project = "pebblebed" s.files = `git ls-files`.split("\n") s.test_files = `git ls-files -- {test,spec,features}/*`.split("\n") s.executables = `git ls-files -- bin/*`.split("\n").map{ |f| File.basename(f) } s.require_paths = ["lib"] # specify any dependencies here; for example: s.add_development_dependency "rspec", "~> 2.99" s.add_development_dependency "rake" s.add_development_dependency "simplecov" s.add_development_dependency "sinatra" # for testing purposes s.add_development_dependency "rack-test" # for testing purposes s.add_development_dependency "memcache_mock" s.add_development_dependency "webmock" s.add_runtime_dependency "deepstruct", ">= 0.0.4" s.add_runtime_dependency "excon", ">= 0.52.0" s.add_runtime_dependency "addressable" s.add_runtime_dependency "yajl-ruby" s.add_runtime_dependency "queryparams" s.add_runtime_dependency "futurevalue" s.add_runtime_dependency "pathbuilder" s.add_runtime_dependency "nokogiri" s.add_runtime_dependency 'activesupport' s.add_runtime_dependency 'bunny' s.add_runtime_dependency 'absolute_time' end
class PublisherAuthorizer < ApplicationAuthorizer # Users can view all publishers def self.readable_by?(user) true end # Users can create publishers if they are admins def self.creatable_by?(user) user.has_role? :admin end # Users can edit publishers if they are admins def self.updatable_by?(user) user.has_role? :admin end # Users can delete publishers if they are admins def self.deletable_by?(user) user.has_role? :admin end # Users cannot do anything else def self.default(able, user) false end end
class DropSuppliersTableIfExists < ActiveRecord::Migration def change drop_table :suppliers if table_exists? :suppliers end end
#! /usr/bin/env ruby # # Check Graphite Thresholds # === # # This is a Sensu plugin to check Graphite Thresholds. # # require 'rubygems' if RUBY_VERSION < '1.9.0' require 'sensu-plugin/check/cli' require 'sensu-plugin/utils' require 'json' require 'open-uri' require 'openssl' require 'cgi' class CheckGraphiteThresholds < Sensu::Plugin::Check::CLI include Sensu::Plugin::Utils COMPARISON_FUNCTIONS = { :greaterThan => lambda { |a, b| a > b }, :lowerThan => lambda { |a, b| a < b } } option :help, :description => 'Show this message', :short => '-h', :long => '--help' option :services, :short => '-c service1,service2,serviceN', :required => true def run if config[:help] puts opt_parser if config[:help] exit end unless settings['graphite_url'] puts "Graphite configuration is missing." exit end services = parse_services_argument config[:services] services_thresholds = services.map { |service| settings['thresholds'][service] } results = services_thresholds.map { |service_thresholds| check_service_thresholds service_thresholds }.flatten.compact.sort { |a, b| a[:severity] <=> b[:severity] } unless results.empty? global_severity = nil if results.any? { |result| result[:severity].eql?(:critical) } global_severity = :critical else global_severity = :warning end global_message = "#{results.length} Alerts: \n #{results.map { |result| "- #{result[:message]}" }.join(" \n ")}" send(global_severity, global_message) else ok("Everything is okay") end end private def parse_services_argument services_arg (services_arg && services_arg.split(',')) || [] end def check_service_thresholds service_thresholds service_thresholds.map { |threshold| check_threshold threshold }.flatten.compact end def check_threshold threshold graphite_values = retrieve_graphite_values threshold['target'] graphite_values.map { |graphite_value| datapoint = graphite_value[:datapoint] severity = check_datapoint_threshold datapoint, threshold { :severity => severity, :message => "#{severity.upcase}: '#{threshold['name']}' has reached #{severity} threshold (value=#{datapoint}, target=#{graphite_value[:target]})" } if severity }.compact end def check_datapoint_threshold datapoint, threshold if check_datapoint_threshold_by_severity datapoint, threshold, 'critical' :critical elsif check_datapoint_threshold_by_severity datapoint, threshold, 'warning' :warning end end def check_datapoint_threshold_by_severity datapoint, threshold, severity if threshold[severity] threshold[severity].each do |key, value| return true if COMPARISON_FUNCTIONS[key.to_sym][datapoint, value] end end false end def retrieve_graphite_values target begin url = "#{settings['graphite_url']}/render?format=json&target=#{CGI::escape(target)}&from=-5mins" raw_data = open(url, { ssl_verify_mode: OpenSSL::SSL::VERIFY_NONE }).gets if raw_data == '[]' unknown 'Empty data received from Graphite - metric probably doesn\'t exists.' else json_data = JSON.parse(raw_data) json_data.map { |raw| raw['datapoints'].delete_if { |v| v.first.nil? } next if raw['datapoints'].empty? { :target => raw['target'], :datapoint => raw['datapoints'].map(&:first).first, :start => raw['datapoints'].first.last, :end => raw['datapoints'].last.last } }.compact end rescue OpenURI::HTTPError => e unknown 'Failed to connect to graphite server' end end def build_url_opts url_opts = {} if config[:no_ssl_verify] url_opts[:ssl_verify_mode] = OpenSSL::SSL::VERIFY_NONE end url_opts end end
require 'scorched_earth/helpers' module ScorchedEarth module Services class Deform include Helpers attr_reader :array def initialize(array) @array = array end def call(center_x, radius, center_y = array[center_x]) new_array = array.dup circle(radius) do |offset_x, offset_y| x = center_x + offset_x y = array[x] next unless y z = offset_y * 2 q = center_y - offset_y q = y if q > y new_array[x] = [y - z, q, 0].max end new_array end end end end
# your code goes here # #begins_with_r # Return true if every element of the tools array starts with an "r" and false otherwise. (FAILED - 1) # should return false if there's an element that does not begin with r (FAILED - 2) def begins_with_r(tools) counter = 0 tools.each do |data| counter +=1 if data[0].downcase == 'r' end counter == tools.size ? true : false end # #contain_a # return all elements that contain the letter 'a' (FAILED - 3) def contain_a(array) has_a = [] array.each do |word| has_a << word if word.include?('a') end has_a end # #first_wa # Return the first element that begins with the letters 'wa' (FAILED - 4) def first_wa(array) array.each do |word| temp = word.to_s return temp if temp.start_with?("wa") end end # #remove_non_strings # remove anything that's not a string from an array (FAILED - 5) def remove_non_strings (array) temp = [] array.each do |data| if data.class == String temp << data end end temp end #count_elements # count how many times something appears in an array (FAILED - 1) def count_elements (array) result_array = [] array.each do |data| flag =0 result_array.each do |k| if k[:name] == data[:name] k[:count] +=1 flag =1 end end if(flag == 0) data[:count] = 1 result_array << data end end result_array end # keys = # [ # { # :first_name => "blake" # }, # { # :first_name => "ashley" # } # ] # # # data = # [ # { # "blake" => { # :awesomeness => 10, # :height => "74", # :last_name => "johnson" # }, # "ashley" => { # :awesomeness => 9, # :height => 60, # :last_name => "dubs" # } # } # ] # #merge_data # combines two nested data structures into one (FAILED - 2) def merge_data(k,v) merged = [] k.each do |name| v.each do |data| # puts "keys #{data.keys} + #{name[:first_name]}" # puts data[name[:first_name]] temp = data[name[:first_name]] merged << name.merge(temp) end #v end #k merged end # puts merge_data(keys,data) # #find_cool # find all cool hashes (FAILED - 3) def find_cool(cool) ans = [] cool.each do |data| ans << data if data[:temperature] == "cool" end ans end # #organize_schools # organizes the schools by location (FAILED - 4) def organize_schools (schools) ans = {} schools.each do |key,data| if ans.keys.include?(data[:location]) ans[data[:location]] << key else ans[data[:location]] = [] ans[data[:location]] << key end end #schools ans end
module ETL #:nodoc: module Processor #:nodoc: # Row-level processor that will convert a single row into multiple rows designed to be inserted # into a hierarchy bridge table. class HierarchyExploderProcessor < ETL::Processor::RowProcessor attr_accessor :id_field attr_accessor :parent_id_field # Initialize the processor # # Configuration options: # * <tt>:connection</tt>: The ActiveRecord adapter connection # * <tt>:id_field</tt>: The name of the id field (defaults to 'id') # * <tt>:parent_id_field</tt>: The name of the parent id field (defaults to 'parent_id') # # TODO: Allow resolver to be implemented in a customizable fashion, i.e. don't rely # on AR as the only resolution method. def initialize(control, configuration={}) @id_field = configuration[:id_field] || 'id' @parent_id_field = configuration[:parent_id_field] || 'parent_id' super end # Process the row expanding it into hierarchy values def process(row) return row unless row rows = [] target = configuration[:target] table = configuration[:table] conn = ETL::Engine.connection(target) build_rows([row[:id]], row[:id], row[:id], row[:parent_id].nil?, 0, rows, table, conn) rows end protected # Recursive function that will add a row for the current level and then call build_rows # for all of the children of the current level def build_rows(ids, parent_id, row_id, root, level, rows, table, conn) ids.each do |id| child_ids = conn.select_values("SELECT #{id_field} FROM #{table} WHERE #{parent_id_field} = #{id}") row = { :parent_id => row_id, :child_id => id, :num_levels_from_parent => level, :is_bottom => (child_ids.empty? ? 1 : 0), :is_top => (root ? 1 : 0), } rows << row build_rows(child_ids, id, row_id, false, level + 1, rows, table, conn) end end end end end
# frozen_string_literal: true require 'cinch' class JoinPart include Cinch::Plugin extend Usagi::Help info 'join', 'Join channel. join <channel>' info 'part', 'Leave channel. part [channel]' match /join (.+)/, method: :join match /part(?: (.+))?/, method: :part def initialize(*args) super @admins = [''] end def check_user(user) user.refresh # be sure to refresh the data, or someone could steal # the nick @admins.include?(user.authname) end def join(_m, channel) # return unless check_user(m.user) Channel(channel).join end def part(m, channel) # return unless check_user(m.user) channel ||= m.channel Channel(channel).part if channel end end
# frozen_string_literal: true class AddStatusDefaultToPets < ActiveRecord::Migration[5.1] def change change_column :pets, :status, :string, default: 'Adoptable' end end
require "rubygems" require "eventmachine" # From "An EventMachine Tutorial" # http://20bits.com/articles/an-eventmachine-tutorial/ # ハンドラー module EchoServer # connectionからデータを受け取った時に呼び出されるメソッド def receive_data(data) # receive_dataを呼び出したconnectionにデータを返す # receive_dataしたらsend_dataする send_data(data) end end # イベントループ開始 # EventMachine::stop_event_loopを呼び出すまで止まらない EventMachine::run do host = '0.0.0.0' port = 8080 # 3番目の引数はHandlerで、コールバック用の関数でグローバル変数を汚染しないために # moduleを定義することが多い。 EventMachine::start_server host,port,EchoServer puts "started EchoServer on #{host}:#{port}" end
module Socialable extend ActiveSupport::Concern included do has_many :social_media_accounts, as: :socialable, dependent: :destroy end def facebook_url return '' if self.is_a?(Beer) account = social_media_accounts.find_by(website: 'Facebook') account ? "http://www.facebook.com/#{account.handle}" : '' end def twitter_url return '' if self.is_a?(Beer) account = social_media_accounts.find_by(website: 'Twitter') account ? "http://twitter.com/#{account.handle}" : '' end def foursquare_url return '' if self.is_a?(Beer) account = social_media_accounts.find_by(website: 'Foursquare') account ? "http://foursquare.com/v/#{account.handle}" : '' end def untappd_url account = social_media_accounts.find_by(website: 'Untappd') account ? "http://untappd.com/#{self.class.to_s.downcase}/#{account.handle}" : '' end def ratebeer_url account = social_media_accounts.find_by(website: 'RateBeer') return '' unless account case self when Beer "http://www.ratebeer.com/beer/#{self.slug}/#{account.handle}" when Brewery "http://www.ratebeer.com/brewers/#{self.slug}/#{account.handle}/" end end def beeradvocate_url # No BeerAdvocate URLs for beers yet return '' if self.is_a?(Beer) account = social_media_accounts.where(website: 'BeerAdvocate').first account ? "http://www.beeradvocate.com/beer/profile/#{account.handle}" : '' end end
#!/usr/bin/env ruby require 'vanagon/logger' script = File.basename($0) VanagonLogger.info "#{script}: Warning: use of stand alone '#{script}' command is deprecated and may be removed. Use: 'vanagon #{script}' instead." exec "vanagon", script, *ARGV
require 'spec_helper' describe G5Authenticatable do it 'should have a version' do expect(G5Authenticatable::VERSION).to_not be_blank end end
class PendingRequest < ActiveRecord::Base belongs_to :household belongs_to :request before_create :assign_default_status def send_request_volunteered_email(users) for user in users PendingRequestMailer.deliver_request_volunteered_email(self, user) end end def send_volunteer_confirmed_email PendingRequestMailer.deliver_volunteer_confirmed_email(self) end protected def assign_default_status self.pending = "true" self.confirmed = "false" end end
require 'rails_helper' RSpec.describe Thing, type: :model do describe 'associations' do it { should belong_to(:user) } it { should belong_to(:borrower).class_name('User') } it { should have_db_index(:borrower_id) } it { should have_db_index(:user_id) } end describe 'validations' do it { should validate_presence_of(:name) } it { should validate_length_of(:name).is_at_most(255) } end end
class ProjectsController < ApplicationController def index projects = Project.all render json: projects.sort_by { |project| project.created_at } end def create project = Project.new(project_params) if project.save render json: project serialized_data= ActiveModelSerializers::Adapter::Json.new(ProjectSerializer.new(project)).serializable_hash ActionCable.server.broadcast 'projects_channel', serialized_data head :ok else render json: self.errors.full_messages end end def update project = Project.find(params[:id]) if project.update(body: params[:body]) render json: project serialized_data= ActiveModelSerializers::Adapter::Json.new(ProjectSerializer.new(project)).serializable_hash ActionCable.server.broadcast 'projects_channel', serialized_data head :ok else render json: self.errors.full_messages end end private def project_params params.require(:project).permit(:title, :body, :user_id) end end
# # Cookbook Name:: mariadb # Recipe:: _debian_server # # Copyright 2014, blablacar.com # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # if Chef::Config[:solo] Chef::Log.warn('This recipe uses search. Chef Solo does not support search.') else exist_data_bag_mariadb_root = begin search(:mariadb, 'id:user_root').first rescue Net::HTTPServerException, Chef::Exceptions::InvalidDataBagPath nil end unless exist_data_bag_mariadb_root.nil? data_bag_mariadb_root = data_bag_item('mariadb', 'user_root') node.override['mariadb']['server_root_password'] = data_bag_mariadb_root['password'] end exist_data_bag_mariadb_debian = begin search(:mariadb, 'id:user_debian').first rescue Net::HTTPServerException, Chef::Exceptions::InvalidDataBagPath nil end unless exist_data_bag_mariadb_debian.nil? data_bag_mariadb_debian = data_bag_item('mariadb', 'user_debian') node.override['mariadb']['debian']['password'] = data_bag_mariadb_debian['password'] end end # To be sure that debconf is installed package 'debconf-utils' do action :install end # Preseed Debian Package # (but test for resource, as it can be declared by apt recipe) begin resources(directory: '/var/cache/local/preseeding') rescue Chef::Exceptions::ResourceNotFound directory '/var/cache/local/preseeding' do owner 'root' group 'root' mode '0755' recursive true end end template '/var/cache/local/preseeding/mariadb-server.seed' do source 'mariadb-server.seed.erb' owner 'root' group 'root' mode '0600' variables(package_name: 'mariadb-server') notifies :run, 'execute[preseed mariadb-server]', :immediately sensitive true end execute 'preseed mariadb-server' do command '/usr/bin/debconf-set-selections ' \ '/var/cache/local/preseeding/mariadb-server.seed' action :nothing end package "mariadb-server-#{node['mariadb']['install']['version']}" do action :install end
class AddUserIdToPointOfInterest < ActiveRecord::Migration def change add_column :point_of_interests, :user_id, :integer add_index :point_of_interests, :user_id end end
class CreateAUsers < ActiveRecord::Migration def change create_table :a_users do |t| t.string :username, :limit => 100, null: false t.string :password, null: false t.string :encrypted_password, null: false t.string :nickname, :limit => 100, null: false t.string :fullname, null: false t.integer :gender , null: false, default: 0 t.date :birthdate t.timestamps end end end
require 'rails_helper' describe ComputeHistory, type: :model do it { is_expected.to be_mongoid_document } it { is_expected.to embed_many(:ips) } it { is_expected.to validate_presence_of(:computed_at) } end
module UseCase class Base def self.call(params:) new(params: params).call end def initialize(params:) @params = params end def call ActiveRecord::Base.transaction do persist.tap do rescue Exception => e Rails.logger.error( e.message + "\n" + e.backtrace[0, 10].join("\n\t") ) render json: {type: e.class, error: e.message}, status: :bad_request end end end private attr_reader :params end end
require 'rails_helper' describe EadIndexer::Behaviors do let(:behaviors){ Class.new{ extend EadIndexer::Behaviors } } describe "#repository_display" do subject { behaviors.repository_display } context "when EAD variable is a folder in the client application" do before { stub_const('ENV', {'EAD' => 'config/locales'}) } it { is_expected.to eql("locales") } end context "when EAD variable is a file in the client application" do before { stub_const('ENV', {'EAD' => 'config/locales/en.yml'}) } it { is_expected.to eql("locales")} end context "when there is no EAD variable" do before { stub_const('ENV', {'EAD' => nil}) } it { is_expected.to be_nil } end end describe "#get_language_from_code" do let(:language_code) { "eng" } subject { behaviors.get_language_from_code(language_code) } context "when language code is eng" do it { is_expected.to eql("English") } end context "when language code is ger" do let(:language_code) { "ger" } it { is_expected.to eql("German") } end end describe "#fix_subfield_demarcators" do let(:subfield) { "Long Island (N.Y.) |x History |y 17th century" } subject { behaviors.fix_subfield_demarcators(subfield) } context "when subfield is Long Island (N.Y.) |x History |y 17th century" do it { is_expected.to eql("Long Island (N.Y.) -- History -- 17th century")} end context "when subfield is Chemistry |w History |y 19th century" do let(:subfield) { "Chemistry |w History |y 19th century" } it { is_expected.to eql("Chemistry -- History -- 19th century")} end end end
class ChangeDataTypeForFieldname < ActiveRecord::Migration def up rename_column :emojis, :transaction, :transaction_id end def down end end
require "colored" require "forwardable" require "highline" require "hirb-colors" require "hirb" module TrelloFlow class Cli class << self extend Forwardable def_delegators :client, :table, :open_url, :say, :success, :ask, :title, :error, :run, :read attr_accessor :client end self.client = Cli.new def table(items) puts Hirb::Helpers::AutoTable.render(items, unicode: true) end def open_url(url) return title(url) if ENV['BROWSER'] == 'echo' `open \"#{url}\"` end def say(*args) highline.say(*args) end def success(message) highline.say(message.green.bold) end def ask(message, type = nil) highline.ask(message, type) end def title(message) highline.say(message.bold) end def error(message) say(message.red.bold) exit(false) end def run(command) title(command) system(command) || error("Error running: #{command}") end def read(command) `#{command}`.strip.presence end private def highline @_highline ||= HighLine.new end end end
class Step8Proc < ActiveRecord::Migration def up connection.execute(%q{ -- STEP 8 of process CREATE OR REPLACE FUNCTION public.proc_step_8(process_representative integer, experience_period_lower_date date, experience_period_upper_date date, current_payroll_period_lower_date date, current_payroll_period_upper_date date ) RETURNS void AS $BODY$ DECLARE run_date timestamp := LOCALTIMESTAMP; BEGIN -- STEP 8A -- CREATE FINAL POLICY PREMIUMS AND PROJECTIONS Insert into final_policy_group_rating_and_premium_projections ( representative_number, policy_number, policy_status, data_source, created_at, updated_at ) (Select representative_number, policy_number, policy_status, 'bwc' as data_source, run_date as created_at, run_date as updated_at FROM final_policy_experience_calculations WHERE representative_number = process_representative ); -- STEP 8B -- CREATE MANUAL LEVEL GROUP RATING AND PREMIUM CALCULATIONS INSERT INTO final_manual_class_group_rating_and_premium_projections ( representative_number, policy_number, manual_number, -- ADD ALL INDUSTRY_GROUP'S PAYROLL WITHIN A POLICY_NUMBER SURE TO UPDATE THIS AFTER GOING AF -- PAYROLL IS PREVIOUS EXPERIENCE YEARS PAYROLL FROM THE TRANSACTIONS TABLE 'July & January' manual_class_current_estimated_payroll, data_source, created_at, updated_at ) ( SELECT a.representative_number, a.policy_number, b.manual_number, round(sum(b.manual_class_payroll)::numeric,2) as manual_class_current_estimated_payroll, 'bwc' as data_source, run_date as created_at, run_date as updated_at FROM public.final_employer_demographics_informations a Inner Join public.process_payroll_all_transactions_breakdown_by_manual_classes b ON a.policy_number = b.policy_number WHERE (b.reporting_period_start_date >= current_payroll_period_lower_date) and a.representative_number = process_representative GROUP BY a.representative_number, a.policy_number, b.manual_number ); -- UPDATE THE Industry_group update public.final_manual_class_group_rating_and_premium_projections mcgr SET (manual_class_industry_group, updated_at) = (t1.manual_class_industry_group, t1.updated_at) FROM (SELECT a.policy_number as policy_number, a.manual_number as manual_number, c.industry_group as manual_class_industry_group, run_date as updated_at FROM public.final_manual_class_group_rating_and_premium_projections a LEFT JOIN public.bwc_codes_ncci_manual_classes c ON a.manual_number = c.ncci_manual_classification WHERE a.representative_number = process_representative ) t1 WHERE mcgr.policy_number = t1.policy_number and mcgr.manual_number = t1.manual_number ; -- Update base_rate of manual_cass update public.final_manual_class_group_rating_and_premium_projections mcgr SET (manual_class_base_rate, updated_at) = (t1.manual_class_base_rate, t1.updated_at) FROM (SELECT a.policy_number as policy_number, a.manual_number as manual_number, b.base_rate as manual_class_base_rate, run_date as updated_at FROM public.final_manual_class_group_rating_and_premium_projections a LEFT JOIN public.bwc_codes_base_rates_exp_loss_rates b ON a.manual_number = b.class_code WHERE a.representative_number = process_representative ) t1 WHERE mcgr.policy_number = t1.policy_number and mcgr.manual_number = t1.manual_number; update public.final_manual_class_group_rating_and_premium_projections mcgr SET (manual_class_standard_premium, updated_at) = (t1.manual_class_standard_premium, t1.updated_at) FROM (SELECT a.policy_number as policy_number, a.manual_number as manual_number, round((a.manual_class_base_rate * a.manual_class_current_estimated_payroll * pec.policy_individual_experience_modified_rate)::numeric,2) as manual_class_standard_premium, run_date as updated_at FROM public.final_manual_class_group_rating_and_premium_projections a LEFT JOIN public.final_policy_experience_calculations pec ON a.policy_number = pec.policy_number WHERE a.representative_number = process_representative ) t1 WHERE mcgr.policy_number = t1.policy_number and mcgr.manual_number = t1.manual_number; -- UPDATE manual_class industry_group PAYROLL totals update public.final_manual_class_group_rating_and_premium_projections mcgr SET (manual_class_industry_group_premium_total, updated_at) = (t1.manual_class_industry_group_premium_total, t1.updated_at) FROM ( SELECT a.policy_number as policy_number, a.manual_class_industry_group as manual_class_industry_group, round(sum(a.manual_class_standard_premium)::numeric,2) as manual_class_industry_group_premium_total, run_date as updated_at FROM public.final_manual_class_group_rating_and_premium_projections a WHERE a.representative_number = process_representative GROUP BY a.policy_number, a.manual_class_industry_group ) t1 WHERE mcgr.policy_number = t1.policy_number and mcgr.manual_class_industry_group = t1.manual_class_industry_group ; update public.final_policy_group_rating_and_premium_projections pgr SET (policy_total_standard_premium, updated_at) = (t1.policy_total_standard_premium, t1.updated_at) FROM (SELECT a.policy_number as policy_number, sum(a.manual_class_standard_premium) as policy_total_standard_premium, run_date as updated_at FROM public.final_manual_class_group_rating_and_premium_projections a WHERE a.representative_number = process_representative GROUP BY a.policy_number ) t1 WHERE pgr.policy_number = t1.policy_number; update public.final_policy_group_rating_and_premium_projections pgr SET (policy_total_current_payroll, updated_at) = (t1.policy_total_current_payroll, t1.updated_at) FROM (SELECT a.policy_number as policy_number, sum(a.manual_class_current_estimated_payroll) as policy_total_current_payroll, run_date as updated_at FROM public.final_manual_class_group_rating_and_premium_projections a WHERE a.representative_number = process_representative GROUP BY a.policy_number ) t1 WHERE pgr.policy_number = t1.policy_number; -- -- -- -- UPDATE manual_class_industry_group_payroll_percentage update public.final_manual_class_group_rating_and_premium_projections mcgr SET (manual_class_industry_group_premium_percentage, updated_at) = (t1.manual_class_industry_group_premium_percentage, t1.updated_at) FROM (SELECT mc.policy_number, mc.manual_number, round((CASE WHEN (p.policy_total_standard_premium is null) or (p.policy_total_standard_premium = '0') or (mc.manual_class_industry_group_premium_total = '0') or (mc.manual_class_industry_group_premium_total is null) THEN '0' ELSE ( mc.manual_class_industry_group_premium_total / p.policy_total_standard_premium) END )::numeric,3) as manual_class_industry_group_premium_percentage, run_date as updated_at FROM public.final_manual_class_group_rating_and_premium_projections mc RIGHT JOIN public.final_policy_group_rating_and_premium_projections p ON mc.policy_number = p.policy_number WHERE p.representative_number = process_representative ) t1 WHERE mcgr.policy_number = t1.policy_number and mcgr.manual_number = t1.manual_number; -- UPDATE modification rate update public.final_manual_class_group_rating_and_premium_projections mcgr SET (manual_class_modification_rate, updated_at) = (t1.manual_class_modification_rate, t1.updated_at) FROM ( SELECT a.policy_number as policy_number, a.manual_number as manual_number, round((a.manual_class_base_rate * plec.policy_individual_experience_modified_rate)::numeric,4) as manual_class_modification_rate, run_date as updated_at FROM public.final_manual_class_group_rating_and_premium_projections a LEFT JOIN public.final_policy_experience_calculations plec ON a.policy_number = plec.policy_number WHERE a.representative_number = process_representative ) t1 WHERE mcgr.policy_number = t1.policy_number and mcgr.manual_number = t1.manual_number; -- update Individual Total Rate UPDATE public.final_manual_class_group_rating_and_premium_projections mcgr SET (manual_class_individual_total_rate) = (round((manual_class_modification_rate * (1 + (SELECT rate from public.bwc_codes_constant_values where name = 'administrative_rate' and completed_date is null)))::numeric,6)); -- ADDED Logic to find industry_group by using the Homogeneity File update public.final_policy_group_rating_and_premium_projections c SET (policy_industry_group, updated_at) = (t1.manual_class, t1.updated_at) FROM (SELECT a.policy_number as policy_number, (SELECT cast_to_int(b.industry_code) FROM public.phmgn_detail_records b WHERE b.policy_number = a.policy_number and cast_to_int(b.industry_code) != 0 ORDER BY premium_percentage DESC NULLS LAST LIMIT 1) as manual_class, run_date as updated_at FROM final_policy_group_rating_and_premium_projections a ) t1 WHERE c.policy_number = t1.policy_number; -- Update policy industry group based on highest payroll percentage by industry group of all manual classes. -- Adds up like manual classes if different manual classes for a policy belong to the same policy. update public.final_policy_group_rating_and_premium_projections c SET (policy_industry_group, updated_at) = (t1.manual_class, t1.updated_at) FROM (SELECT a.policy_number as policy_number, (SELECT b.manual_class_industry_group FROM final_manual_class_group_rating_and_premium_projections b WHERE b.policy_number = a.policy_number ORDER BY manual_class_industry_group_premium_percentage DESC NULLS LAST LIMIT 1) as manual_class, run_date as updated_at FROM final_policy_group_rating_and_premium_projections a WHERE a.representative_number = process_representative ) t1 WHERE c.policy_number = t1.policy_number and c.policy_industry_group is null; -- ADD logic to update a new industry_group when the industry_group is 10. -- LOGIC: query to find the policy_numbers that have an industry_group of 10 and a experience ratio between .05 and .86 -- THEN find a manual_class within for a policy_number within that list that has a 20% or above premium for the policy_number UPDATE public.final_policy_group_rating_and_premium_projections c SET (policy_industry_group, updated_at) = (t1.manual_class_industry_group, t1.updated_at) FROM (SELECT l.policy_number, l.manual_class_industry_group, run_date as updated_at FROM public.final_manual_class_group_rating_and_premium_projections l WHERE policy_number in (SELECT fp.policy_number FROM public.final_policy_group_rating_and_premium_projections fp WHERE fp.policy_industry_group = '10' and fp.representative_number = process_representative) and policy_number in (SELECT fpe.policy_number FROM final_policy_experience_calculations fpe where fpe.policy_group_ratio between '.05' and '.86') and manual_class_industry_group != '10' and manual_class_industry_group_premium_percentage > '.2' and representative_number = process_representative GROUP BY representative_number, policy_number, manual_class_industry_group, manual_class_industry_group_premium_percentage ORDER BY manual_class_industry_group_premium_percentage ) t1 WHERE c.policy_number = t1.policy_number; -- 06/06/2016 ADDED condition for creating group_rating_tier only when the policy_status is Active, ReInsured, or Lapse -- update group_rating_tier -- update public.final_policy_group_rating_and_premium_projections c SET -- (group_rating_tier, updated_at) = (t1.group_rating_tier, t1.updated_at) -- FROM -- (SELECT -- a.policy_number, -- (SELECT (CASE WHEN (a.policy_group_ratio = '0') THEN '-.53' -- ELSE min(market_rate) -- END) as group_rating_tier -- FROM public.bwc_codes_industry_group_savings_ratio_criteria -- WHERE (a.policy_group_ratio /ratio_criteria <= 1) and (industry_group = b.policy_industry_group)), -- run_date as updated_at -- FROM public.final_policy_experience_calculations a -- LEFT JOIN final_policy_group_rating_and_premium_projections b -- ON a.policy_number = b.policy_number -- WHERE a.representative_number = process_representative and a.policy_group_ratio is not null -- GROUP BY a.policy_number, a.policy_group_ratio, a.policy_status, b.policy_industry_group -- ) t1 -- WHERE c.policy_number = t1.policy_number; -- UPDATE public.final_manual_class_group_rating_and_premium_projections mcgr SET -- (manual_class_group_total_rate, updated_at) = (t1.manual_class_group_total_rate, t1.updated_at) -- FROM -- ( -- SELECT a.policy_number as policy_number, -- a.manual_number as manual_number, -- ((1+ b.group_rating_tier) * a.manual_class_base_rate * (1 + (SELECT rate from public.bwc_codes_constant_values -- where name = 'administrative_rate' and completed_date is null))) as manual_class_group_total_rate, -- run_date as updated_at -- FROM public.final_manual_class_group_rating_and_premium_projections a -- Left Join public.final_policy_group_rating_and_premium_projections b -- ON a.policy_number = b.policy_number -- WHERE a.representative_number = process_representative -- ) t1 -- WHERE mcgr.policy_number = t1.policy_number and mcgr.manual_number = t1.manual_number; --Update Premium Values UPDATE public.final_manual_class_group_rating_and_premium_projections mcgr SET ( manual_class_estimated_group_premium, manual_class_estimated_individual_premium) = ( manual_class_current_estimated_payroll * manual_class_group_total_rate , manual_class_current_estimated_payroll * manual_class_individual_total_rate ); UPDATE public.final_policy_group_rating_and_premium_projections pgr SET (policy_total_individual_premium, updated_at) = (t1.policy_total_individual_premium, t1.updated_at) FROM (SELECT a.policy_number, round(SUM(a.manual_class_estimated_individual_premium)::numeric,2) as policy_total_individual_premium, run_date as updated_at FROM public.final_manual_class_group_rating_and_premium_projections a WHERE a.representative_number = process_representative Group BY a.policy_number ) t1 WHERE pgr.policy_number = t1.policy_number; -- Update policy_total_group_savings -- UPDATE public.final_policy_group_rating_and_premium_projections pgr SET (policy_total_group_savings, updated_at) = -- (t1.policy_total_group_savings, t1.updated_at) -- FROM -- (SELECT a.policy_number, -- round((a.policy_total_individual_premium - a.policy_total_group_premium)::numeric,2) as policy_total_group_savings, -- run_date as updated_at -- FROM final_policy_group_rating_and_premium_projections a -- WHERE a.representative_number = process_representative --) t1 --WHERE pgr.policy_number = t1.policy_number; DELETE FROM process_policy_experience_period_peos WHERE id IN (SELECT id FROM (SELECT id, ROW_NUMBER() OVER (partition BY representative_number, policy_number, manual_class_sf_peo_lease_effective_date, manual_class_sf_peo_lease_termination_date, manual_class_si_peo_lease_effective_date, manual_class_si_peo_lease_termination_date, data_source ORDER BY id) AS rnum FROM process_policy_experience_period_peos) t WHERE t.rnum > 1); end; $BODY$ LANGUAGE plpgsql; }) end def down connection.execute(%q{ DROP FUNCTION public.proc_step_8(integer, date, date, date); }) end end
require 'spec_helper' describe Contact do it "has a valid factory" do expect(build(:contact)).to be_valid end it { should validate_presence_of :first_name } it { should validate_presence_of :last_name } it { should validate_presence_of :email } it { should validate_uniqueness_of(:email) } it "returns a contact's full name as a string" do contact = build_stubbed(:contact, first_name: "Jane", last_name: "Doe") expect(contact.name).to eq "Jane Doe" end describe "filter last name by letter" do let(:smith) { create(:contact, last_name: 'Smith', email: 'jsmith@example.com') } let(:jones) { create(:contact, last_name: 'Jones', email: 'tjones@example.com') } let(:johnson) { create(:contact, last_name: 'Johnson', email: 'jjohnson@example.com') } context "matching letters" do it "returns a sorted array of results that match" do expect(Contact.by_letter("J")).to eq [johnson, jones] end end context "non-matching letters" do it "returns a sorted array of results that match" do expect(Contact.by_letter("J")).to_not include smith end end end end
class RemoveCreateYearFromEvaluation < ActiveRecord::Migration[5.0] def change remove_column :evaluations, :create_year, :string end end
class Message < ActiveRecord::Base belongs_to :project belongs_to :sender, :class_name => 'User' belongs_to :receiver, :class_name => 'User' validates :subject, :body, :project_id, presence: true end
class Home attr_reader(:name, :city, :capacity, :price) def initialize(name, city, capacity, price) @name = name @city = city @capacity = capacity @price = price end end homes = [ Home.new("Nizar's place", "San Juan", 2, 42), Home.new("Fernando's place", "Seville", 5, 47), Home.new("Josh's place", "Pittsburgh", 3, 41), Home.new("Gonzalo's place", "Málaga", 2, 45), Home.new("Ariel's place", "San Juan", 4, 49) ] # for pos in 0..100 # puts homes[pos].name # end # homes.each do |hm| # puts hm.name # end #same code with curly braces # homes.each { |hm| # puts hm.name # } # hm = Home.new("Nizar's place", "San Juan", 2, 42) # puts hm.name def print_homes (array) array.each do |hm| puts "Name: #{hm.name} in #{hm.city}" puts "Price: #{hm.price} a night" end end print_homes(homes) cities = homes.map do |hm| hm.city end puts cities puts homes prices = homes.map do |hm| hm.price end puts prices def averagePrice (array) sum = 0 array.each do |price| sum += price end sum/array.length end puts averagePrice(prices) total_prices = homes.reduce(0.0) do |sum, hm| sum + hm.price end puts "The average price is" puts total_prices / prices.length total_capacities = 0.0 homes.each do |hm| total_capacities = total_capacities + hm.capacity end puts "The average capacity is:" puts total_capacities / homes.length #better way to do this: total_capacities = homes.reduce(0.0) do |sum, hm| sum + hm.capacity end puts "The average capacity is:" puts total_capacities/homes.length homes.each_with_index do |hm, index| puts "Home Number #{index + 1}: #{hm.name}" end #Homes is San Juan san_juan_homes = homes.select do |hm| hm.city == "San Juan" end high_capacity_homes = homes.select do |hm| hm.capacity>=4 end home_41_dollars = homes.find do |hm| hm.price ==41 end puts "The first home that costs $41 is:" puts home.home_41_dollars.name sorted = homes.sort do |home1, home2| home1.capacity <=> home2.capacity end rng = 1..42 rng.each do |number| puts "The next number in the range is #{number}" end double = rng.map do |number| number*2 end puts double hellos = { :english => "Hello", :spanish => "Hola", :french => "Bonjour" } hellos.each do |language, word| puts "The word for Hello in #{language} is #{word}" end }
module Kubik class MetaTagDefaultsController < ApplicationController layout :resolve_layout def edit; end def update @meta_tag_defaults = Kubik::MetaTagDefaultsForm.new(meta_tag_defaults_params) if @meta_tag_defaults.save flash.now[:notice] = t('kubik_metatagable.defaults_saved') render :edit else flash.now[:alert] = t('kubik_metatagable.defaults_not_saved') render :edit, status: :unprocessable_entity end end private def meta_tag_defaults_params params.require(:meta_tag_defaults).permit(Kubik::MetaTagDefaults::TAGS) end def resolve_layout kubik_metatagable_layout end end end
require_relative '../schema/permutation' module Services class PermutationMaker def initialize(collection, value, options = {}) @collection = collection @value = value @options = options end def make {}.tap do |hash| @collection.each do |member| dividend = @value / member remainder = @value % member hash[member] = Schema::Permutation.new( value: member, dividend: dividend, remainder: remainder, permutations: remainder.zero? ? [] : Services::PermutationMaker.new(possible_permutations(member), @value - (member * dividend)).make ) end end end private def possible_permutations(value) @collection.reject{ |x| x >= value } end end end
=begin * **************************************************************************** * BRSE-SCHOOL * HELPER - RegisstAdvisoriesHelper * * 処理概要 : * 作成日 : 2017/09/15 * 作成者 : havv – havv@ans-asia.com * * 更新日 : * 更新者 : * 更新内容 : * * @package : HELPER * @copyright : Copyright (c) ANS-ASIA * @version : 1.0.0 * **************************************************************************** =end module Admin module RegistadvisoriesHelper class RegistAdvisoriesHlp include ApplicationHelper #app/helpers/application_helper.rb ### # get data of table register_advisories with search condition # ----------------------------------------------- # @author : havv - 2017/09/18 - create # @param : search - Hash - search condition # @return : null # @access : public # @see : remark ### def self.getListRegists(search) result = Hash.new result['status'] = true lang = Helper.getLang sql_joins = 'LEFT JOIN libraries AS lib_edu_level ' + 'ON (lib_edu_level.library_id = 6 AND lib_edu_level.number = register_advisories.education_level AND lib_edu_level.lang = \'' + lang + '\')' + 'LEFT JOIN libraries AS lib_course_type ' + 'ON (lib_course_type.library_id = 2 AND lib_course_type.number = register_advisories.course_type AND lib_course_type.lang = \'' + lang + '\')' sql_select = 'register_advisories.id, '+ 'register_advisories.name, '+ 'register_advisories.address, '+ 'register_advisories.email, '+ 'register_advisories.phone, '+ 'register_advisories.message, '+ 'register_advisories.status, '+ 'register_advisories.education_level, '+ 'lib_edu_level.name AS education_level_nm, '+ 'register_advisories.course_type, '+ 'lib_course_type.name AS course_type_nm, '+ 'register_advisories.created_at' begin search_result = RegisterAdvisory.joins(sql_joins).where(deleted_at: nil) # search follow name if search[:name].present? search[:name] = Helper.sqlEscapeString(search[:name]) list_name = search[:name].split(' ') sql = 'register_advisories.name LIKE \'%' + list_name[0] + '%\'' list_name.drop(1).each do |item| sql += ' OR register_advisories.name LIKE \'%' + item +'%\'' end search_result = search_result.where(sql) end # search follow education_level if search[:education_level].present? && search[:education_level].to_i > -1 search_result = search_result.where(education_level: search[:education_level]) end # search follow course_type if search[:course_type].present? && search[:course_type].to_i > -1 search_result = search_result.where(course_type: search[:course_type]) end # search follow status if search[:status].present? && search[:status].to_i > -1 search_result = search_result.where(status: search[:status]) end result['data'] = search_result.select(sql_select) rescue # catch result['status'] = false result['error'] = "#{$!}" ensure # finally return result end end ### # update a field of register_advisories follow id # ----------------------------------------------- # @author : havv - 2017/09/18 - create # @param : params - Hash # @return : null # @access : public # @see : remark ### def self.updateStatus(params) result = Hash.new result['status'] = true begin # try ActiveRecord::Base.transaction do result['status'] = RegisterAdvisory.where(id: params[:id], deleted_at: nil) .update_all( status: params[:status], updated_by: $user_id, updated_at: Time.now ) end rescue # catch result['status'] = false result['error'] = "#{$!}" # Roll back raise ActiveRecord::Rollback ensure # finally return result end end ### # delete a regist by id # ----------------------------------------------- # @author : havv - 2017/09/18 - create # @param : id - int - id of regist need to del # @param : remove - boolean - if it is true then remove regist - default: false # @return : null # @access : public # @see : remark ### def self.delete(id, remove = false) result = Hash.new result['status'] = true begin ActiveRecord::Base.transaction do if remove # delete physical result['status'] = RegisterAdvisory.where(id: id, deleted_at: nil).delete_all else # delete logic result['status'] = RegisterAdvisory.where(id: id, deleted_at: nil) .update_all( deleted_at: Time.now, deleted_by: $user_id ) end end rescue # catch result['status'] = false result['error'] = "#{$!}" # Roll back raise ActiveRecord::Rollback ensure # finally return result end end end end end
require "spec_helper" describe MatchDay do it { should have_many(:matches) } describe '.next' do subject { MatchDay.next } context 'with several futur match_days' do let!(:match_day_0) { create :match_day, :finished } let!(:match_day_1) { create :match_day, start_date: 1.days.ago, end_date: 1.days.from_now } let!(:match_day_2) { create :match_day, start_date: 6.days.from_now, end_date: 7.days.from_now } let!(:match_day_3) { create :match_day, start_date: 8.days.from_now, end_date: 9.days.from_now } it { should eq match_day_1} end end describe '.previous' do subject { MatchDay.previous } context 'with several previous match_days' do let!(:match_day_0) { create :match_day, :futur } let!(:match_day_1) { create :match_day, start_date: 1.days.ago, end_date: 1.days.from_now } let!(:match_day_2) { create :match_day, start_date: 8.days.ago, end_date: 7.days.ago } let!(:match_day_3) { create :match_day, start_date: 10.days.ago, end_date: 9.days.ago } it { should eq match_day_1} end end describe '.selected_players' do let(:match_day) { create :match_day } let!(:match_1) { create :match, match_day: match_day } let!(:match_2) { create :match, match_day: match_day } let!(:user_1) { create :user } let!(:user_2) { create :user } let!(:user_3) { create :user } let!(:user_4) { create :user } before do match_1.selection.users << [user_1, user_3] match_2.selection.users << [user_2, user_3] end subject { match_day.selected_players } its(:count) { should eq 3 } it { (subject - [user_1, user_2, user_3]).should eq []} end end
class DataController < ApplicationController layout false before_action :check_minimum_files_required, only: :csv def csv files = Uploads.get_uploaded(params[:csv][:files]) concern = params[:csv][:concern] csv_merged = CsvMerger.merge(*files) models = DiscrepancyCsvParser.parse(csv_merged) @discrepancies = DiscrepancyDetector.new(models).detect(concern: concern).discrepancies end private def check_minimum_files_required unless csv_params.permitted? raise ActionController::ParameterMissing end unless params[:csv][:files].length > 1 raise NotEnoutFilesSubmitted end end def csv_params params.require(:csv).permit(:concern, :files => []) end end
# encoding: utf-8 control "V-92689" do title "The Apache web server must generate a session ID using as much of the character set as possible to reduce the risk of brute force." desc "Generating a session identifier (ID) that is not easily guessed through brute force is essential to deter several types of session attacks. By knowing the session ID, an attacker can hijack a user session that has already been user-authenticated by the hosted application. The attacker does not need to guess user identifiers and passwords or have a secure token since the user session has already been authenticated. By generating session IDs that contain as much of the character set as possible, i.e., A-Z, a-z, and 0-9, the session ID becomes exponentially harder to guess. " impact 0.5 tag "check": "Determine the location of the 'HTTPD_ROOT' directory and the 'httpd.conf' file: # httpd -V | egrep -i 'httpd_root|server_config_file' -D HTTPD_ROOT='/etc/httpd' -D SERVER_CONFIG_FILE='conf/httpd.conf' Verify the 'unique_id_module' is loaded: run httpd -M | grep unique_id If no unique_id is returned, open finding. " tag "fix": "Determine the location of the 'HTTPD_ROOT' directory and the 'httpd.conf' file: # httpd -V | egrep -i 'httpd_root|server_config_file' -D HTTPD_ROOT='/etc/httpd' -D SERVER_CONFIG_FILE='conf/httpd.conf' Load the 'unique_id_module'. Example: LoadModule unique_id_module modules/mod_unique_id.so Restart Apache: apachectl restart" # Write Check Logic Here describe command('httpd -M | grep -i "unique_id_module"') do its('stdout') { should eq ' unique_id_module (shared)' } end end
require 'deep_thought/deployer/deployer' module DeepThought module Deployer class Shell < DeepThought::Deployer::Deployer def execute?(deploy, config) environment = deploy.environment || "development" root = config['root'] || "script/deploy" command = "#{root} #{environment} deploy" if deploy.actions actions = YAML.load(deploy.actions) actions.each do |action| command += ":#{action}" end end command += " branch=#{deploy.branch}" command += " box=#{deploy.box}" if deploy.box if deploy.variables variables = YAML.load(deploy.variables) variables.each do |k, v| command += " #{k}=#{v}" end end commands = [] commands << "cd ./.projects/#{deploy.project.name}" commands << "#{command} 2>&1" executable = commands.join(" && ") log = `#{executable}` deploy.log = log $?.success? end end end end
# Copyright (c) 2016 Nathan Currier # This Source Code File is subject to the terms of the Mozilla Public # License, v. 2.0. If a copy of the MPL was not distributed with this # file, You can obtain one at http://mozilla.org/MPL/2.0/. module Rideliner VERSION = '0.3.6'.freeze end
Factory.define :response, :class => Noodall::FormResponse do |response| response.name "A User" response.email "user@example.com" response.ip "127.0.0.1" response.created_at Time.zone.now response.referrer "http://rac.local/the-college" end
source "https://rubygems.org" git_source(:github) { |repo| "https://github.com/#{repo}.git" } ruby "3.0.1" gem "rails", "~> 6.1.4" gem 'hotwire-rails' # Use postgresql as the database for Active Record gem "pg", ">= 0.18", "< 2.0" # Use Puma as the app server gem "puma", "~> 4.3.5" # Transpile app-like JavaScript. Read more: https://github.com/rails/webpacker # gem 'webpacker', git: 'https://github.com/rails/webpacker.git' gem "webpacker", github: "rails/webpacker" # Build JSON APIs with ease. Read more: https://github.com/rails/jbuilder gem "jbuilder", "~> 2.5" # Use Redis adapter to run Action Cable in production gem "redis", "~> 4.0" # Use ActiveModel has_secure_password # gem 'bcrypt', '~> 3.1.7' # Reduces boot times through caching; required in config/boot.rb gem "bootsnap", ">= 1.4.3", require: false # gem 'actiontext', github: 'rails/actiontext', require: 'action_text' gem "image_processing", "~> 1.2" # for Active Storage variants gem "sassc-rails" gem "haml-rails" gem "coffee-script" gem "json", ">= 2.3.0" gem "active_model_serializers" gem "activerecord-import" # gem 'administrate', '~> 0.8.1' gem "geocoder" gem "pagy" gem "ldap_lookup" gem "mini_magick" gem 'ransack', github: 'activerecord-hackery/ransack' gem "sidekiq", "~> 6.0" gem "uglifier" gem "foreman" gem "draper" gem "listen" gem "pundit" gem 'devise', github: 'heartcombo/devise' # gem 'gravatar_image_tag', github: 'mdeering/gravatar_image_tag' # gem 'omniauth-facebook', '~> 4.0' # gem 'omniauth-twitter', '~> 1.4' # gem 'omniauth-github', '~> 1.3' gem "omniauth-google-oauth2" gem "flamegraph" gem "stackprof" gem 'rack-mini-profiler' 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 "factory_bot_rails" gem "rspec-rails" gem "rubocop-performance" gem "standard" end group :development do gem "annotate", "~> 2.7" gem "bullet" gem 'memory_profiler' gem "capistrano", require: false gem "capistrano-bundler", require: false gem "capistrano-postgresql" gem "capistrano-rails", require: false gem "capistrano-rbenv", require: false gem "capistrano3-puma", "~> 4.0", require: false gem "erb2haml" gem "guard-bundler", require: false gem "guard-rails", require: false gem "guard-rspec", require: false gem "pry" gem "pry-rails" gem "terminal-notifier-guard", require: false # Spring speeds up development by keeping your application running in the background. Read more: https://github.com/rails/spring gem "spring" gem "spring-watcher-listen" # Access an interactive console on exception pages or by calling 'console' anywhere in the code. gem "web-console", ">= 3.3.0" end group :test do # Adds support for Capybara system testing and selenium driver gem "capybara" gem "webdrivers" gem "shoulda-matchers" gem "ffaker" gem "database_cleaner" end # Windows does not include zoneinfo files, so bundle the tzinfo-data gem gem "tzinfo-data", platforms: [:mingw, :mswin, :x64_mingw, :jruby] gem 'jsonapi-serializer'
class Constructor < ActiveRecord::Base has_many :drivers def pick_driver(driver) drivers << driver end def increase_techfactor(tech_points) self.tech_factor += tech_points end def after_driver_selection drivers.each do |d| Constructor.budget -= d.price end Constructor.budget end end
# puts 'I am a fortune-teller. Tell me your name: ' # name = gets.chomp # if name == 'Chris' #puts 'I see great things in your future. ' #else # puts 'Your future is... oh my! Look at the time!' # puts 'I really have to go, sorry!' #end #puts 'Hello and welcome to seventh grade English. ' #puts 'My name is Mrs. Gabbard. And your name is ...?' #name = gets.chomp #if name == name.capitalize #puts 'Please take a seat,' + name + '.' #else #puts name + '? You mean ' + name.capitalize + ', right?' #puts 'Don\'t you even know how to spell your name??' #reply = gets.chomp #if reply.downcase == 'yes' #puts 'Hmmph! Well, sit down!' #else #puts 'GET OUT!!' #end #end =begin while true puts 'What would you like to ask C to do?' request = gets.chomp puts 'You say, "C, please ' + request + '"' puts 'C\'s response:' puts '"C ' + request + '."' puts '"Papa ' + request + ', too."' puts '"Mama ' + request + ', too."' puts '"Ruby ' + request + ', too."' puts '"Nono ' + request + ', too."' puts '"Emma ' + request + ', too."' puts if request == 'stop' break end end =end =begin num_at_start = 5 num_now = num_at_start while num_now > 2 puts num_now.to_s + ' bottles of beer on the wall, ' + num_now.to_s + 'bottles of bear on the wall!' num_now = num_now - 1 puts 'Take one down, pass it around, ' + num_now.to_s + 'bottles of beer on the wall!' end puts "2 bottles of beer on the wall, 2 bottles of beer!" puts "Take one down, pass it around, 1 bottle of beer on the wall!" puts "1 bottle of beer on the wall, 1 bottle of beer!" puts "Take one down, pass it around, no more bottles of beer on the wall!" =end puts 'HET THERE, SONNY! GIVE GRANDMA A KISS!' while true said = gets.chomp if said == "BYE" puts 'BYE SWEETIE!' break end if said != said.upcase puts 'HUH?! SPEAK UP, SONNY!' else random_year = 1930 + rand(21) puts 'NO, NOT SINCE ' + random_year.to_s + '!' end end
# frozen_string_literal: true class RenamePostUserIdToBooks < ActiveRecord::Migration[6.0] def change rename_column :books, :post_user_id, :user_id end end
class EducationalRelationship < ApplicationRecord belongs_to :education_program belongs_to :educational, polymorphic: true end
class User include Mongoid::Document has_many :sources has_many :posts def self.find_or_create_by_hash(auth_hash) @user = nil @source = Source.where(:provider => auth_hash["provider"], :identifier => auth_hash["uid"]) if @source.first #assert only one source @user = @source.first.user else if @user = User.create @source = @user.sources.new( provider: auth_hash["provider"], identifier: auth_hash["username"], token: auth_hash["credentials"]["token"], secret: auth_hash["credentials"]["secret"], expire_time: auth_hash["credentials"]["expires_at"] ) @source.user = @user if @source.save @user else @user.destroy #error saving source end end #couldnt create user, error end end @user end end
# encoding: utf-8 require 'spec_helper' describe "mail encoding" do it "should allow you to assign a mail wide charset" do mail = Mail.new mail.charset = 'utf-8' expect(mail.charset).to eq 'utf-8' end describe "using default encoding" do it "should allow you to send in unencoded strings to fields and encode them" do mail = Mail.new mail.charset = 'utf-8' mail.subject = "This is あ string" result = "Subject: =?UTF-8?Q?This_is_=E3=81=82_string?=\r\n" expect(mail[:subject].encoded).to eq result end it "should allow you to send in unencoded strings to address fields and encode them" do mail = Mail.new mail.charset = 'utf-8' mail.to = "Mikel Lindsああr <mikel@test.lindsaar.net>" result = "To: Mikel =?UTF-8?B?TGluZHPjgYLjgYJy?= <mikel@test.lindsaar.net>\r\n" expect(mail[:to].encoded).to eq result end it "should allow you to send in unencoded strings to address fields and encode them" do mail = Mail.new mail.charset = 'utf-8' mail.to = "あdあ <ada@test.lindsaar.net>" result = "To: =?UTF-8?B?44GCZOOBgg==?= <ada@test.lindsaar.net>\r\n" expect(mail[:to].encoded).to eq result end it "should allow you to send in multiple unencoded strings to address fields and encode them" do mail = Mail.new mail.charset = 'utf-8' mail.to = ["Mikel Lindsああr <mikel@test.lindsaar.net>", "あdあ <ada@test.lindsaar.net>"] result = "To: Mikel =?UTF-8?B?TGluZHPjgYLjgYJy?= <mikel@test.lindsaar.net>, \r\n\s=?UTF-8?B?44GCZOOBgg==?= <ada@test.lindsaar.net>\r\n" expect(mail[:to].encoded).to eq result end it "should allow you to send unquoted non us-ascii strings, with spaces in them" do mail = Mail.new mail.charset = 'utf-8' mail.to = ["Foo áëô îü <extended@example.net>"] result = "To: Foo =?UTF-8?B?w6HDq8O0?= =?UTF-8?B?IMOuw7w=?= <extended@example.net>\r\n" expect(mail[:to].encoded).to eq result end it "should allow you to send in multiple unencoded strings to any address field" do mail = Mail.new mail.charset = 'utf-8' ['To', 'From', 'Cc', 'Reply-To'].each do |field| mail.send("#{field.downcase.gsub("-", '_')}=", ["Mikel Lindsああr <mikel@test.lindsaar.net>", "あdあ <ada@test.lindsaar.net>"]) result = "#{field}: Mikel =?UTF-8?B?TGluZHPjgYLjgYJy?= <mikel@test.lindsaar.net>, \r\n\s=?UTF-8?B?44GCZOOBgg==?= <ada@test.lindsaar.net>\r\n" expect(mail[field].encoded).to eq result end end it "should handle groups" do mail = Mail.new mail.charset = 'utf-8' mail.to = "test1@lindsaar.net, group: test2@lindsaar.net, me@lindsaar.net;" result = "To: test1@lindsaar.net, \r\n\sgroup: test2@lindsaar.net, \r\n\sme@lindsaar.net;\r\n" expect(mail[:to].encoded).to eq result end it "should handle groups with funky characters" do mail = Mail.new mail.charset = 'utf-8' mail.to = '"Mikel Lindsああr" <test1@lindsaar.net>, group: "あdあ" <test2@lindsaar.net>, me@lindsaar.net;' result = "To: =?UTF-8?B?TWlrZWwgTGluZHPjgYLjgYJy?= <test1@lindsaar.net>, \r\n\sgroup: =?UTF-8?B?44GCZOOBgg==?= <test2@lindsaar.net>, \r\n\sme@lindsaar.net;\r\n" expect(mail[:to].encoded).to eq result end describe "quoting token safe chars" do it "should not quote the display name if unquoted" do mail = Mail.new mail.charset = 'utf-8' mail.to = 'Mikel Lindsaar <mikel@test.lindsaar.net>' expect(mail[:to].encoded).to eq %{To: Mikel Lindsaar <mikel@test.lindsaar.net>\r\n} end it "should not quote the display name if already quoted" do mail = Mail.new mail.charset = 'utf-8' mail.to = '"Mikel Lindsaar" <mikel@test.lindsaar.net>' expect(mail[:to].encoded).to eq %{To: Mikel Lindsaar <mikel@test.lindsaar.net>\r\n} end end describe "quoting token unsafe chars" do it "should quote the display name" do mail = Mail.new mail.charset = 'utf-8' mail.to = "Mikel @ me Lindsaar <mikel@test.lindsaar.net>" expect(mail[:to].encoded).to eq %{To: "Mikel @ me Lindsaar" <mikel@test.lindsaar.net>\r\n} end it "should preserve quotes needed from the user and not double quote" do mail = Mail.new mail.charset = 'utf-8' mail.to = %{"Mikel @ me Lindsaar" <mikel@test.lindsaar.net>} expect(mail[:to].encoded).to eq %{To: "Mikel @ me Lindsaar" <mikel@test.lindsaar.net>\r\n} end end end describe "specifying an email wide encoding" do it "should allow you to send in unencoded strings to fields and encode them" do mail = Mail.new mail.charset = 'ISO-8859-1' subject = "This is あ string" subject.force_encoding('ISO8859-1') if RUBY_VERSION > '1.9' mail.subject = subject result = mail[:subject].encoded string = "Subject: =?ISO-8859-1?Q?This_is_=E3=81=82_string?=\r\n" if RUBY_VERSION > '1.9' string.force_encoding('ISO8859-1') result.force_encoding('ISO8859-1') end expect(result).to eq string end it "should allow you to send in unencoded strings to address fields and encode them" do mail = Mail.new mail.charset = 'ISO-8859-1' string = "Mikel Lindsああr <mikel@test.lindsaar.net>" string.force_encoding('ISO8859-1') if RUBY_VERSION > '1.9' mail.to = string result = mail[:to].encoded string = "To: Mikel =?ISO-8859-1?B?TGluZHPjgYLjgYJy?= <mikel@test.lindsaar.net>\r\n" if RUBY_VERSION > '1.9' string.force_encoding('ISO8859-1') result.force_encoding('ISO8859-1') end expect(result).to eq string end it "should allow you to send in multiple unencoded strings to address fields and encode them" do mail = Mail.new mail.charset = 'ISO-8859-1' array = ["Mikel Lindsああr <mikel@test.lindsaar.net>", "あdあ <ada@test.lindsaar.net>"] array.map! { |a| a.force_encoding('ISO8859-1') } if RUBY_VERSION > '1.9' mail.to = array result = mail[:to].encoded string = "To: Mikel =?ISO-8859-1?B?TGluZHPjgYLjgYJy?= <mikel@test.lindsaar.net>, \r\n\s=?ISO-8859-1?B?44GCZOOBgg==?= <ada@test.lindsaar.net>\r\n" if RUBY_VERSION > '1.9' string.force_encoding('ISO8859-1') result.force_encoding('ISO8859-1') end expect(result).to eq string end it "should allow you to send in multiple unencoded strings to any address field" do mail = Mail.new array = ["Mikel Lindsああr <mikel@test.lindsaar.net>", "あdあ <ada@test.lindsaar.net>"] array.map! { |a| a.force_encoding('ISO8859-1') } if RUBY_VERSION > '1.9' mail.charset = 'ISO-8859-1' ['To', 'From', 'Cc', 'Reply-To'].each do |field| mail.send("#{field.downcase.gsub("-", '_')}=", array) string = "#{field}: Mikel =?ISO-8859-1?B?TGluZHPjgYLjgYJy?= <mikel@test.lindsaar.net>, \r\n\s=?ISO-8859-1?B?44GCZOOBgg==?= <ada@test.lindsaar.net>\r\n" result = mail[field].encoded if RUBY_VERSION > '1.9' string.force_encoding('ISO8859-1') result.force_encoding('ISO8859-1') end expect(result).to eq string end end end it "should let you define a charset per part" do mail = Mail.new part = Mail::Part.new part.content_type = "text/html" part.charset = "ISO-8859-1" part.body = "blah" mail.add_part(part) expect(mail.parts[0].content_type).to eq "text/html; charset=ISO-8859-1" end it "should skip invalid characters" do m = Mail.new m['Subject'] = Mail::SubjectField.new("=?utf-8?Q?Hello_=96_World?=") if RUBY_VERSION > '1.9' expect { expect(m.subject).to be_valid_encoding }.not_to raise_error else expect(m.subject).to eq "Hello World" end end if RUBY_VERSION > '1.9' describe "#pick_encoding" do it "picks binary for nil" do expect { ::Encoding.find(nil) }.to raise_error(TypeError) expect(Mail::Ruby19.pick_encoding(nil)).to eq(Encoding::BINARY) end { "latin2" => Encoding::ISO_8859_2, "ISO_8859-1" => Encoding::ISO_8859_1, "cp-850" => Encoding::CP850, "" => Encoding::BINARY }.each do |from, to| it "should support #{from}" do expect { ::Encoding.find(from) }.to raise_error(ArgumentError) expect(Mail::Ruby19.pick_encoding(from)).to eq(to) end end end end end
class Customer < ApplicationRecord validates_presence_of :name, :email, :address, :city, :country, :creditcard end
module WizardOfAwes def self.frameworks frameworks = ['rails'] frameworks end def self.load_framework! show_warning if frameworks.empty? frameworks.each do |framework| begin require framework rescue NameError => e raise "Failed to load framework #{framework.inspect}. Have you added it to Gemfile?" end end end def self.show_warning $stderr.puts <<-EOC warning: no framework detected. would you check out if your Gemfile appropriately configured? ---- e.g. ---- when Rails: gem 'rails' gem 'wizard_of_awes' EOC end def self.load_wizard_of_awes! require "wizard_of_awes/version" require 'wizard_of_awes/configuration' require 'wizard_of_awes/helper_auth' require 'wizard_of_awes/view_helpers' end def self.hook! load_framework! load_wizard_of_awes! if rails? require 'wizard_of_awes/railtie' require 'wizard_of_awes/engine' end end def self.load! hook! end private def self.rails? defined?(::Rails) end end WizardOfAwes.load!
# frozen_string_literal: true class UsersController < ApplicationController before_action :authenticate_user! before_action :find_user, only: :show def index @orders = Order.active.sort_created_at @customers = User.active.customer @leeds = Leed.sort_created_at @recents = @customers.sort_created_at.limit(10) end def show @pets = @user.pets.sort_created_at @orders = @user.orders.sort_created_at end def destroy; end private def find_user @user = User.find_by!(id: current_user.id) end end
class AuditsController < ApplicationController before_filter :authenticate_user! before_filter :find_audit, except: [:clone, :create, :deleted, :index] helper_method :current_audit def index respond_to do |format| format.html do @audits = current_user.available_audits .active .includes(:audit_type, :audit_structure, :user) .order(performed_on: :desc) end format.json do @audits = current_user.audits.active render json: @audits end end end def clone source_audit = current_user.available_audits.active.find(params[:source_audit_id]) new_audit_params = params.require(:audit).permit(:name, :performed_on) AuditCloneService.execute!(params: new_audit_params, source_audit: source_audit) redirect_to audits_path end def create respond_to do |format| format.html do AuditCreator.execute!(params: params, user: current_user) redirect_to audits_path end format.json do process_audit end end end def deleted @audits = current_user.available_audits.destroyed end def immediate_delete AuditDestroyer.execute(audit: @audit) flash[:notice] = "Permanently deleted audit '#{@audit.name}'" redirect_to deleted_audits_path end def update respond_to do |format| format.html do end format.json do process_audit end end end def show @substructure = AuditStructure.new(parent_structure: @audit.audit_structure) @sample_group = SampleGroup.new(parent_structure: @audit.audit_structure) end def destroy head 401 if mobile_device? if @audit.is_locked? flash[:error] = "'#{@audit.name}' cannot be deleted, it is locked by #{@audit.locked_by_user.full_name}" redirect_to audits_path else @audit.update_attribute(:destroy_attempt_on, Time.current) flash[:notice] = "'#{@audit.name}' has been marked for deletion" redirect_to audits_path end end def lock if @audit.is_locked? && @audit.locked_by_user != current_user render json: @audit, status: :unauthorized else @audit.locked_by_user = current_user @audit.save! render json: @audit, status: :ok end end def undelete @audit.update_attribute(:destroy_attempt_on, nil) redirect_to deleted_audits_path end def unlock if @audit.is_locked? && @audit.locked_by_user != current_user render json: @audit, status: :unauthorized else @audit.update_attribute(:locked_by, nil) render json: @audit, status: :ok end end private def audit_params params.require(:audit) .permit(:id, :name, :is_archived, :performed_on, :user_id, :audit_structure_id, :upload_attempt_on, :successful_upload_on, :audit_type_id, :created_at, :updated_at, :locked_by, :organization_id) end def audit_strc_type @audit_strc_type ||= AuditStrcType.find_by(name: 'Audit') end def process_audit find_or_create @audit.assign_attributes(audit_params) @audit.locked_by = nil if save_audit render json: @audit, status: :ok else render json: @audit.errors, status: :bad_request end end def save_audit if @audit.save @audit.update_attribute(:successful_upload_on, @audit.upload_attempt_on) return true end false end def find_or_create @audit = Audit.where(id: params[:id]).first return if @audit @audit = Audit.new @audit.id = params[:id] end def find_audit @audit = current_user.available_audits.find_by_id(params[:id]) head :not_found unless @audit end def current_audit return nil unless params[:id] @audit ||= current_user.available_audits.find(params[:id]) end end
class Product < ActiveRecord::Base has_many :reviews validates :name, :presence => true validates :cost, :presence => true, numericality: true # validates :country, :presence => true scope :sort_date, -> {order(created_at: :desc).limit(3)} scope :sort_cost, -> {order(cost: :asc).limit(5)} end
require 'test_helper' class ProfissionalsControllerTest < ActionDispatch::IntegrationTest setup do @profissional = profissionals(:one) end test "should get index" do get profissionals_url assert_response :success end test "should get new" do get new_profissional_url assert_response :success end test "should create profissional" do assert_difference('Profissional.count') do post profissionals_url, params: { profissional: { } } end assert_redirected_to profissional_url(Profissional.last) end test "should show profissional" do get profissional_url(@profissional) assert_response :success end test "should get edit" do get edit_profissional_url(@profissional) assert_response :success end test "should update profissional" do patch profissional_url(@profissional), params: { profissional: { } } assert_redirected_to profissional_url(@profissional) end test "should destroy profissional" do assert_difference('Profissional.count', -1) do delete profissional_url(@profissional) end assert_redirected_to profissionals_url end end
class AddView3AttribsToApps < ActiveRecord::Migration[5.2] def change add_column :apps, :available_since, :date add_column :apps, :mydata_membership, :string add_column :apps, :license, :string add_column :apps, :user_id, :integer end end
class UserStatistic < ApplicationRecord belongs_to :user def total_questions self.right_questions + self.wrong_questions end end
# frozen_string_literal: true namespace :dev do desc "Configure development environment" task setup: :environment do unless Rails.env.production? # show_spinner("Migrating DB...") { %x(rails db:migrate) } # show_spinner("Creating Default User...") { %x(rails dev:add_users) } show_spinner("Creating Collected Coins Trophies...") { %x(rails dev:add_collected_coints_trophies) } show_spinner("Creating Killed Monsters Trophies...") { %x(rails dev:add_killed_monsters_trophies) } show_spinner("Creating Times of Death Trophies...") { %x(rails dev:add_times_of_death_trophies) } else puts "You are not in development environment." end end desc "Creating Users" task add_users: :environment do User.create( email: "user@user.com", password: "user123", password_confirmation: "user123" ) end desc "Creating Collected Coins Trophies" task add_collected_coints_trophies: :environment do [1, 100, 1000, 10_000, 100_000].each do |value| Trophy.find_or_create_by!(trophy_category: 0, value: value) end end desc "Creating Killed Monsters Trophies" task add_killed_monsters_trophies: :environment do [1, 100, 1000, 10_000, 100_000].each do |value| Trophy.find_or_create_by!(trophy_category: 1, value: value) end end desc "Creating Times of Death Trophies" task add_times_of_death_trophies: :environment do [1, 10, 25, 50, 100].each do |value| Trophy.find_or_create_by!(trophy_category: 2, value: value) end end desc "Creating Turtle Trophies" task add_bowser_trophies: :environment do [1, 100, 1000, 10_000, 100_000].each do |value| Trophy.find_or_create_by!(trophy_category: 3, value: value) end end desc "Creating Bowser Trophies" task add_bowser_trophies: :environment do [1, 100, 1000, 10_000, 100_000].each do |value| Trophy.find_or_create_by!(trophy_category: 4, value: value) end end private def show_spinner(msg_start, msg_end = "Concluído!") spinner = TTY::Spinner.new("[:spinner] #{msg_start}") spinner.auto_spin yield spinner.success("(#{msg_end})") end end
# Write a method that takes a block and calls it once for # each hour that has passed today. # Hint: You can use Time.new.hour to get the current hour. # However, this returns a number between 0 and 23, so you # will have to alter those numbers in order to get ordinary # clock-face numbers (1 to 12). def grandfather_clock &block hours_passed = Time.new.hour%12 hours_passed.times do block.call end end grandfather_clock {puts 'DONG!'}
class Role include Mongoid::Document field :name, type: String belongs_to :app belongs_to :permissions has_many :assignments end
require File.expand_path("../../Abstract/abstract-php-phar", __FILE__) class Climb < AbstractPhpPhar init desc "Composer version manager tool" homepage "https://github.com/vinkla/climb" url "https://github.com/vinkla/climb/releases/download/0.8.0/climb.phar" sha256 "72c7dfa15d86b8c09bd0628bc11bed79ce00c9c03ce77fbbfed8f347cb6d96d9" bottle do cellar :any_skip_relocation sha256 "e712bee279c51ebea7cac962e5a61bb3dc6986424a54ed528be694d325406eef" => :el_capitan sha256 "cc6ded14b67effe3bd916b9037be10198fb30fb843076d6598b7d24cbc0765ef" => :yosemite sha256 "a5646d7ae4751c0097162197901486c9ad6460f4054f5f29158c307e4713d13f" => :mavericks end test do system "climb", "--version" end end
class Ball @@image = Rubygame::Surface.load_image("resources/ball.png") def initialize(x, y, moving_left, moving_up, min_x, max_x, min_y, max_y) @step = 12 @x = x @y = y @x_start = x @y_start = y @moving_left = moving_left @moving_up = moving_up @min_x = min_x @max_x = max_x @min_y = min_y @max_y = max_y end attr_reader :x, :y def update update_x_y update_directions end def update_x_y if @moving_left @x -= @step else @x += @step end if @moving_up @y -= @step else @y += @step end end # x axis 0 --> max # y axis 0 # | # --> max def update_directions if @x <= @min_x @moving_left = false elsif @x >= (@max_x - width) @moving_left = true end if @y <= @min_y @moving_up = false elsif @y >= (@max_y - height) @moving_up = true end end def blit(surface) @@image.blit(surface,[@x,@y]) end def collide(x, y) # Is the point within the ball? result_x = ( (x >= @x) and (x <= (@x + width)) ) result_y = ( ( y >= @y) and (y <= (@y + height)) ) result_x and result_y end def width @@image.width end def height @@image.height end def switch_x @moving_left = !@moving_left end def switch_y @moving_up = !@moving_up end end
Rails.application.routes.draw do resources :candidate_profile, only: [:new, :create] devise_for :users namespace :admin do resources :candidate_profiles, only: [:index, :show] root 'candidate_profiles#index' end get '/guides' => 'guides#index' root 'home#index' end
class MealsController < ApplicationController before_action :set_meal, only: [:show, :edit, :update, :destroy] def index @meals = Meal.all end def show end def new @meal = Meal.new end def create @meal = Meal.new(meals_params) if @meal.save redirect_to meals_path, notice: 'Your meal was created' else render :new end end def edit end def update if @meal.update(meals_params) redirect_to meal_path(@meal) else render :edit end end def destroy @meal.destroy redirect_to meals_path, notice: 'This meal was destroyed' end private def set_meal @meal = Meal.find(params[:id]) end def meals_params params.require(:meal).permit! end end
# $LICENSE # Copyright 2013-2014 Spotify AB. All rights reserved. # # The contents of this file are licensed under the Apache License, Version 2.0 # (the "License"); you may not use this file except in compliance with the # License. You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, WITHOUT # WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the # License for the specific language governing permissions and limitations under # the License. require_relative 'serializer/protocol0' module FFWD::Plugin::Protobuf::Serializer VERSIONS = { 0 => Protocol0 } LATEST_VERSION = 0 def self.dump_frame string [LATEST_VERSION, string.length + 8].pack("NN") + string end def self.load_frame string if string.length < 8 raise "Frame too small, expected at least 8 bytes but got #{string.length}" end version = string[0..3].unpack("N")[0] length = string[4..7].unpack("N")[0] unless impl = VERSIONS[version] raise "Unsupported protocol version #{version}, latest is #{LATEST_VERSION}" end if length != string.length raise "Message length invalid, expected #{length} but got #{string.length}" end [impl, string[8..length]] end def self.dump_event event unless impl = VERSIONS[LATEST_VERSION] raise "No implementation for latest version: #{LATEST_VERSION}" end dump_frame impl.dump_event event end def self.dump_metric metric unless impl = VERSIONS[LATEST_VERSION] raise "No implementation for latest version: #{LATEST_VERSION}" end dump_frame impl.dump_metric metric end def self.load string impl, string = load_frame string impl.load string do |type, data| yield type, data end end end
require_relative './node' require_relative './doubly_linked_list_errors' class DoublyLinkedList include DoublyLinkedListErrors attr_reader :head, :tail, :length def initialize @head = nil @tail = nil @length = 0 end def insert(data) # O(1) node = Node.new(data) if @head node.prev = @tail @tail.next = node else @head = node end @tail = node @length += 1 node end def delete(node) # Ordinarily an O(1) operation, but the need to verify that the node is part # of the list makes it an O(n) operation raise NodeNotFound unless find { |existing_node| existing_node == node } node == @head ? delete_head : delete_from_body(node) @length -= 1 rescue NodeNotFound => message puts message end private def delete_head if @head.next @head = @head.next else @head = @tail = nil end end private def delete_from_body(node) preceding_node = node.prev next_node = node.next preceding_node.next = next_node next_node.prev = preceding_node if next_node end def concat(list) # O(1) unless list.is_a?(DoublyLinkedList) raise ArgumentError.new("Expected a linked list, received #{list.class.name}") end @tail.next = list.head list.head.prev = @tail @tail = list.tail @length += list.length end def clear # O(n) while @length > 0 delete(head) end end def find(&predicate) # O(n) current = @head while current return current if yield(current) current = current.next end end def find_last(&predicate) # O(n) current = @tail while current return current if yield(current) current = current.prev end end def each(&block) # O(n) current = @head while current yield(current) current = current.next end self end def reverse_each(&block) # O(n) current = @tail while current yield(current) current = current.prev end self end def to_a # O(n) array = [] each { |node| array << node.data } array end def map(reverse: false, &block) # O(n) mapped = DoublyLinkedList.new mapper = Proc.new do |node| value = block_given? ? yield(node.data) : node.data mapped.insert(value) end reverse ? reverse_each(&mapper) : each(&mapper) mapped end end
Rails.application.routes.draw do devise_for :installs devise_for :users, controllers: {sessions: 'sessions'} root 'pages#home', id: 'home' # Other Pages get '/list', to: 'pages#list' get '/terms', to: 'boilerplate#terms' get '/home', to: redirect('/') get '/admin', to: 'admin#index' get '/users/:id/edit', to: redirect('/users') get "/health_check", to: 'system_monitoring#health_check' resources :deployment_info, :only => [:index] scope :admin do resources :users, :states, :groupings, :notices, :regions, :institutions end # Catch-all, redirect to root get '*path', :to => redirect(path: '/', status: 302) end
class Station attr_reader :name, :trains def initialize(name) @name = name @trains= [] end #Принимает поезда def take_train(train) @trains << train end #Отправляет поезда def send_train(train) @trains.delete(train) train.stations = nil end #Возращает список грузовых и пассажирских поездов def list_trains_type (type) @trains.each { |train| puts train if train.type == type} end end class Route attr_reader :start_station, :end_station, :stations def initialize (start_station, end_station) @start_station = start_station @end_station = end_station @stations = [start_station, end_station] end #Добавляет промежуточную станцию def add_station (station) @stations.insert(1, station) end #Удаляет промежуточную станцию def delete_station(station) @stations.delete(station) end end class Train TYPE = [:passenger, :cargo] attr_reader :speed, :quantity_car, :type, :route, :number_train def initialize(number_train, type, quantity_car) @number_train = number_train @type = type @quantity_car = quantity_car @speed = 0 end #Возвращает текущую скорость def current_speed @speed end #Тормозит def stop @speed = 0 end #Прицепляет вагоны def add_car if @speed == 0 @quantity_car +=1 end end #Отцепляет вагоны def delete_car if @speed == 0 @quantity_car -=1 end end #Принимает маршрут следования и поезд автоматически помещается на первую станцию def train_route=(route) route.stations.first.take_train(self) @route = route @index_stations = 0 end #Поезд движется на одну станцию вперед def move_forward @index_stations += 1 if @index_stations != route.stations.length - 1 route.stations[@index_stations].name end #Поезд движется на одну станцию назад def move_back @index_stations -= 1 if @index_stations != 0 route.stations[@index_stations].name end #текущую def current_station current_station = route.stations[@index_stations] current_station.name end #следующую def next_station route.stations[@index_stations + 1].name if @index_stations != route.stations.length - 1 end #Возвращает предыдущую станцию def previous_station route.stations[@index_stations - 1].name if @index_stations != 0 end end station = Station.new("Саранск") station_1 = Station.new("Москва") station_2 = Station.new("Калининград") station_3 = Station.new("Прекрасноедалеко") station_4 = Station.new("Казань") station_5 = Station.new("Саров") route_1 = Route.new(station_1, station_3) route_1.add_station(station_2) route_1.add_station(station_4) route_1.add_station(station_5) route_1.stations route_1.delete_station(station_4) route_1.stations train = Train.new(154, "passenger", 15) train_1 = Train.new(2, "passenger", 5) train_2 = Train.new(158, "cargo", 65) train_3 = Train.new(10, "cargo", 7) p train.add_car p train.delete_car train.train_route=(route_1) station_2.trains station_3.trains station_3.trains station_2.take_train(train_1) station_2.take_train(train_2) station_2.take_train(train_3) station_2.trains p train.current_station p train.move_forward p train.move_forward p train.move_forward p train.move_back p train.move_back p train.move_back
puts "Hello! What is your name?" user_name = gets.chomp again = "yes" while again != "no" puts "Welcome to the Love Letter Mad Lib " + user_name + "!" puts " " puts "Tell me a name:" name_1 = gets.chomp puts "Tell me an adjective:" adjective_1 = gets.chomp puts "Tell me a verb:" verb_1 = gets.chomp puts "Tell me a body part:" bodypart_1 = gets.chomp puts "Tell me a number:" number_1 = gets.chomp puts "Tell me a noun:" noun_1 = gets.chomp puts "Tell me an adverb:" adverb_1 = gets.chomp puts "Tell me a verb:" verb_1 = gets.chomp puts "Tell me a plural pronoun:" plural_pronoun = gets.chomp puts "Tell me a name:" name_2 = gets.chomp puts " " puts "Thanks" + user_name + "! Here is your own Love Letter Mad Lib..." puts " " puts "Dear " + name_1 + "," puts " " puts "You are extremely " + adjective_1 + " and I " + verb_1 + " you!" puts "I want to kiss your " + bodypart_1 + " " + number_1 + " times." puts "You make my " + noun_1 + " burn with desire. When I first saw you, I " + adverb_1 + " stared at you and fell in love. Will you " + verb_1 + " out with me? Do not let your parents discourage you, " + plural_pronoun + " are just jealous." puts " " puts "Yours forever, " puts " " puts + name_2 puts " " puts "That was great, wasn't it? Would you like to play again?" again = gets.chomp end
class LostsController < ApplicationController load_and_authorize_resource before_action :set_lost, only: [:show, :edit, :update, :destroy] respond_to :html, :js # GET /losts def index if params[:name] @losts = Lost.search("%#{params[:name]}%") flash[:notice] = "No search result found".html_safe if @losts.empty? elsif params[:category_id] @losts = Lost.where(:category_id => params[:category_id]).paginate(:page => params[:page], :per_page => 3).order('id DESC') flash[:notice] = "No ad posted in this category".html_safe if @losts.empty? else @losts = Lost.paginate(:page => params[:page], :per_page => 3).order('id DESC') end if request.xhr? render :js, :partial => "index" end end # GET /losts/1 def show @commentable = @lost @comments = @commentable.comments @comment = Comment.new end # GET /losts/new def new @lost = Lost.new end # GET /losts/1/edit def edit end # POST /losts def create @lost = Lost.new(lost_params) respond_to do |format| if @lost.save format.html { redirect_to @lost, notice: 'Lost was successfully created.' } else format.html { render :new } end end end # PATCH/PUT /losts/1 def update respond_to do |format| if @lost.update(lost_params) format.html { redirect_to @lost, notice: 'Lost was successfully updated.' } else format.html { render :edit } end end end # DELETE /losts/1 def destroy @lost.destroy respond_to do |format| format.html { redirect_to losts_url, notice: 'Lost was successfully destroyed.' } end end private # Use callbacks to share common setup or constraints between actions. def set_lost @lost = Lost.find(params[:id]) end # Never trust parameters from the scary internet, only allow the white list through. def lost_params params.require(:lost).permit(:lost_img, :title, :lost_date, :location, :description, :reward, :user_id, :contact_info, :category_id, comments_attributes: :content) end end
=begin @File Name : galleries_controller.rb @Company Name : Mindfire Solutions Private Limited @Creator Name : Vikram Kumar Mishra @Date Created : 2013-03-03 @Date Modified : @Last Modification Details : @Purpose : To handle communication between gallery's data layer and presentation layer =end class GalleriesController < ApplicationController before_filter :authenticate_user! before_filter :fetch_user, :load_assets # GET /galleries # GET /galleries.json def index @galleries = @user.galleries respond_to do |format| format.html # index.html.erb format.json { render json: @galleries } end end # GET /galleries/1 # GET /galleries/1.json def show @gallery = @user.galleries.find(params[:id]) respond_to do |format| format.html # show.html.erb format.json { render json: @gallery } end end # GET /galleries/new # GET /galleries/new.json def new @gallery = @user.galleries.build respond_to do |format| format.html # new.html.erb format.json { render json: @gallery } end end # GET /galleries/1/edit def edit @gallery = @user.galleries.find(params[:id]) end # POST /galleries # POST /galleries.json def create @gallery = @user.galleries.build(params[:gallery]) respond_to do |format| if @gallery.save format.html { redirect_to user_galleries_path(current_user), notice: 'Gallery was successfully created.' } format.json { render json: @gallery, status: :created, location: @user.galleries } else format.html { render action: "new" } format.json { render json: @gallery.errors, status: :unprocessable_entity } end end end # PUT /galleries/1 # PUT /galleries/1.json def update @gallery = @user.galleries.find(params[:id]) respond_to do |format| if @gallery.update_attributes(params[:gallery]) format.html { redirect_to user_galleries_path(current_user), notice: 'Gallery was successfully updated.' } format.json { head :no_content } else format.html { render action: "edit" } format.json { render json: @gallery.errors, status: :unprocessable_entity } end end end # DELETE /galleries/1 # DELETE /galleries/1.json def destroy @gallery = @user.galleries.find(params[:id]) @gallery.destroy respond_to do |format| format.html { redirect_to user_galleries_path(current_user) } format.json { head :no_content } end end private def fetch_user @user = User.find(params[:user_id]) end def load_assets #AssetManager.include_local_library [:application] AssetManager.include_css [:galleries] end end
require 'rubygems' require 'rake' require 'echoe' require './lib/syslog_logger.rb' Echoe.new('SyslogLogger', SyslogLogger::VERSION) do |p| p.author = 'Eric Hodel; Chris Powell' p.email = 'drbrain@segment7.net; cpowell@prylis.com' p.description = "An improved Logger replacement that logs to syslog. It is almost drop-in with a few caveats." p.url = "http://github.com/cpowell/sysloglogger" p.ignore_pattern = ["tmp/*", "script/*"] p.development_dependencies = [] end Dir["#{File.dirname(__FILE__)}/tasks/*.rake"].sort.each { |ext| load ext }
# class for table departments class StoreDepartment < ApplicationRecord include Stats::Efficiency include Defaults include CommercialCalendar::Period PERIODS = Settings.productivity_periods_keys WEEK_PERIODS = Settings.productivity_week_periods_keys belongs_to :store, dependent: :destroy belongs_to :department, dependent: :destroy belongs_to :world, dependent: :destroy has_many :achievements has_many :real_staffs has_many :plan_staffs has_many :real_sales has_many :user_shifts has_many :users has_many :employees, class_name: 'Employee' has_many :cashiers, -> { joins(:roles).where(roles: { name: 'cashier' }) }, class_name: 'Employee' has_many :sales_assistants, -> { joins(:roles).where(roles: { name: 'sales_assistant' }) }, class_name: 'Employee' has_many :sellers, -> { joins(:roles).where(roles: { name: 'seller' }) }, class_name: 'Employee' has_many :target_productivities, dependent: :destroy has_many :optimized_productivities, dependent: :destroy has_many :target_sales, dependent: :destroy has_and_belongs_to_many :categories, association_foreign_key: 'category_cod', dependent: :destroy enum staff: { asisted: 1, selfasisted: 2, personalized: 3 } def categories_plan_sales_between_dates(period) categories.joins(:sales_plans).merge(CategorySalesPlan.between(period, store.id)) end def year_month_target_productivity(period = default_period) year = year_by_date(period[:start]) month = month_by_date(period[:start]) target_productivities = self.target_productivities. where(year: year, month: month).pluck(:amount) target_productivities.sum / target_productivities.size end def categories_sales(period = default_period) categories.joins(:sales). where('category_sales.date between ? AND ?', period[:start], period[:end]). where('category_sales.store_id = ?', store.id).sum('category_sales.amount') end def categories_rate_sales(period = default_period) old_period = old_period(period) sales = categories_sales_by_dates(old_period) sales.each_with_object({}) do |(date, value), hash| month_period = month_period(year_by_date(date), month_by_date(date)) date = equivalent_date_next_year(date) month_sales = sales.select do |key, _| (month_period[:start]..month_period[:end]).to_a.include? key end.values.sum hash[date] = value / month_sales end end def categories_sales_by_dates(period = default_period) categories.joins(:sales).order('category_sales.date'). where('category_sales.date between ? AND ?', period[:start], period[:end]). where('category_sales.store_id = ?', store.id). group(:date).sum('category_sales.amount') end def categories_sales_plan_by_dates(period = default_period) daily_sales_plan = categories_plan_sales_between_dates(period). pluck('category_sales_plans.daily') (period[:start]..period[:end]).each_with_object({}) do |date, hash| hash[date] = daily_sales_plan.map { |sales_plan| sales_plan[date.to_s].to_i }.sum end end def categories_plan_sales(period = default_period) categories_plan_sales_between_dates(period). group(:year, :month).sum('category_sales_plans.monthly') end def categories_sales_by_date_hour(date) hourly_sales = categories.joins(:sales).where(category_sales: { store_id: store, date: date }). pluck('category_sales.hourly') PERIODS.each_with_object({}) do |key, hash| hash[key] = hourly_sales.map { |sale| sale[key].to_i }.sum end end def hourly_planned_staff_by_date(period) (period[:start]..period[:end]).each_with_object({}) do |date, hash| employees = self.employees.count_planned_employees_by_hour(date) hash[date] = employees.values.sum end end def categories_sales_plan_by_date_hour(period) sales_plan = categories.joins(:sales_plans).merge(CategorySalesPlan.between(period, store)). pluck('category_sales_plans.daily') sales_plans_by_date = sales_plan.each_with_object({}) do |daily_sale, hash| (period[:start]..period[:end]).each do |date| hash[date] ||= 0 hash[date] += daily_sale[date.to_s].to_i end end (period[:start]..period[:end]).each_with_object({}).each do |date, hash| past_sale = categories_sales_by_date_hour(equivalent_date_past_year(date)) employees = self.employees.working_on_date(date).count_employees_by_hour(date) day_past_sale = past_sale.values.sum hash[date] = PERIODS.each_with_object({}) do |hour, h| h[hour] = sales_plans_by_date[date] * (past_sale[hour].to_f / day_past_sale) / (employees[hour] || 1) end end end def efficiency(period = default_period) efficiencies = efficiency_by_date(period) efficiencies.values.sum / efficiencies.size end def productivity(period = default_period) productivities = productivity_by_date_hour(period).values.flat_map { |k, _| k.values } return 0 unless productivities.size.positive? productivities.sum / productivities.size end def efficiency_by_date(period = default_period) prods = productivity_by_date_hour(period) targets = target_productivities.by_date_hour(period) (period[:start]..period[:end]).each_with_object({}) do |date, hash| abs_desviation = abs_desviation(prods[date], targets[date]) hash[date] = day_efficiency(abs_desviation, targets[date]) end end def hour_analysis_by_date(period = default_period) prods = productivity_by_date_hour(period) targets = target_productivities.by_date_hour(period) (period[:start]..period[:end]).each_with_object({}) do |date, hash| hash[date] = hours_excess_and_deficit(prods[date], targets[date]) end end def plan_hour_analysis_by_date(period = default_period) prods = productivity_plan_by_date_hour(period) targets = target_productivities.by_date_hour(period) (period[:start]..period[:end]).each_with_object({}) do |date, hash| hash[date] = hours_excess_and_deficit(prods[date], targets[date]) end end def productivity_by_date_hour(period = default_period) (period[:start]..period[:end]).each_with_object({}) do |date, hash| employees = self.employees.working_on_date(date).count_employees_by_hour(date) sales = categories_sales_by_date_hour(date) productivity = employees.keys.map { |hour| (sales[hour] / employees[hour].to_f).round(2) } hash[date] = employees.keys.zip(productivity).to_h end end def productivity_plan_by_date_hour(period = default_period) (period[:start]..period[:end]).each_with_object({}) do |date, hash| employees = self.employees.count_planned_employees_by_hour(date) sales = categories_sales_by_date_hour(date) productivity = employees.keys.map { |hour| (sales[hour] / employees[hour].to_f).round(2) } hash[date] = employees.keys.zip(productivity).to_h end end def productivity_by_date(period = default_period) productivity_by_date_hour(period).each_with_object({}) do |(k, v), hash| hash[k] = v.values.sum / v.values.size end end def optimized_productivity_by_date(period = default_period) optimized_productivities.by_date_hour(period) end def no_optimized_productivity_by_date(period = default_period) categories_sales_plan_by_date_hour(period).each_with_object({}) do |(date, periods), hash| hash[date] = periods.values.sum / periods.values.count end end def target_productivity_by_date(period = default_period) productivities = target_productivities.by_date_hour(period) productivity_filter_week_periods(productivities) end private def productivity_filter_week_periods(productivities) productivities.keys.each_with_object({}) do |date, hash| WEEK_PERIODS.keys.each do |p| hash[date] ||= 0 productivity = productivities[date] period_productivity = if date_included_on_productivity_period?(p, date) period = productivity.slice(*WEEK_PERIODS[p]).values weight = (WEEK_PERIODS[p].size / productivity.size.to_f) period.present? ? (period.sum / period.size) * weight : 0 else 0 end hash[date] += period_productivity end end end end
class TagsController < ApplicationController def index render json: ActsAsTaggableOn::Tag.where('taggings_count > 0').pluck(:name).to_json end end