Peter Penzov
Peter Penzov

Reputation: 1754

Check command line argument in Ruby code is present

I want to execute Ruby code if command line argument is present:

ruby sanity_checks.rb --trx-request -e staging_psp -g all

Ruby code:

def execute
    command_options = CommandOptionsProcessor.parse_command_options
    request_type    = command_options[:env]
    tested_env      = command_options[:trx-request]   // check here if flag is present
    tested_gateways = gateway_names(env: tested_env, gateway_list: command_options[:gateways])
    error_logs      = []

   if(request_type.nil?)
    tested_gateways.each do |gateway|
      ........
    end
   end

    raise error_logs.join("\n") if error_logs.any?
  end

How I can get the argument --trx-request and check is it present?

EDIT:

Command parser:

class CommandOptionsProcessor

  def self.parse_command_options
    command_options = {}
    opt_parser = OptionParser.new do |opt|
      opt.banner = 'Usage: ruby sanity_checks.rb [OPTIONS]'
      opt.separator  "Options:"

      opt.on('-e TEST_ENV', '--env TEST_ENV','Set tested environment (underscored).') do |setting|
        command_options[:env] = setting
      end

      opt.on('-g X,Y,Z', '--gateways X,Y,Z', Array, 'Set tested gateways (comma separated, no spaces).') do |setting|
        command_options[:gateways] = setting
      end
    end

    opt_parser.parse!(ARGV)

    command_options
  end
end

Can you advice?

Upvotes: 0

Views: 280

Answers (1)

engineersmnky
engineersmnky

Reputation: 29598

You will need to add a boolean switch option to your OptionParser like so

opt.on('-t','--[no-]trx-request','Signifies a TRX Request') do |v|
  # note we used an underscore rather than a hyphen to make this symbol 
  # easier to access
  command_options[:trx_request] = v 
end

Then in your execute method you can access this as

command_options[:trx_request]

If you need to have a default value you can add one in the parse_command_options method by setting it outside the OptionParser as command_options[:trx_request] = false

Upvotes: 2

Related Questions