Search code examples
rubycommand-linethor

Thor Reading config yaml file to override options


I am trying to create a executable ruby script using Thor.

I have defined the options for my task. So far I have something like this

class Command < Thor

  desc "csv2strings CSV_FILENAME", "convert CSV file to '.strings' file"
  method_option :langs, :type => :hash, :required => true, :aliases => "-L", :desc => "languages to convert"
  ...
  def csv2strings(filename)
    ...
  end

  ...
  def config
    args = options.dup
    args[:file] ||= '.csvconverter.yaml'

    config = YAML::load File.open(args[:file], 'r')
  end
end

When csv2strings is called without arguments, I would like the config task to be invoked, which would set the option :langs.

I haven't yet found a good way to do it.

Any help will be appreciated.


Solution

  • I think you are looking for a way to set configuration options via the command line and via a configuration file.

    Here is an example from the foreman gem.

      def options
        original_options = super
        return original_options unless File.exists?(".foreman")
        defaults = ::YAML::load_file(".foreman") || {}
        Thor::CoreExt::HashWithIndifferentAccess.new(defaults.merge(original_options))
      end
    

    It overrides the options method and merges values from a configuration file into the original options hash.

    In your case, the following might work:

    def csv2strings(name)
      # do something with options
    end
    
    private
      def options
        original_options = super
        filename = original_options[:file] || '.csvconverter.yaml'
        return original_options unless File.exists?(filename)
        defaults = ::YAML::load_file(filename) || {}
        defaults.merge(original_options)
        # alternatively, set original_options[:langs] and then return it
      end
    

    (I recently wrote a post about Foreman on my blog that explains this in more detail.)