class SimpleValidator

Public Instance Methods

check_hash(hash, constraints, cast=false) click to toggle source
# File lib/simple_validator.rb, line 2
def check_hash(hash, constraints, cast=false)
  raise ArgumentError unless hash.is_a?(Hash)
  check_hash_constraints(constraints)

  unknown = []
  missing = []
  invalid = []

  constraints[:required].each do |constraint|
    if hash.has_key?(constraint[:key])
      if cast
        if check_cast(hash[constraint[:key]], constraint[:type])
          invalid << constraint[:key]
        end
      elsif !hash[constraint[:key]].is_a?(constraint[:type])
        invalid << constraint[:key]
      end
    else
      missing << constraint[:key]
    end
  end

  hash.each_key do |key|
    required = constraints[:required].any? { |constraint| key.to_sym == constraint[:key] }
    optional = constraints[:optional].any? { |constraint| key.to_sym == constraint[:key] }

    if !required && !optional
      unknown << key
    end
  end

  case
  when !invalid.empty? && !unknown.empty? && !missing.empty?
    { :invalid => invalid, :unknown => unknown, :missing => missing }
  when !invalid.empty? && !unknown.empty?
    { :invalid => invalid, :unknown => unknown }
  when !invalid.empty? && !missing.empty?
    { :invalid => invalid, :missing => missing }
  when !unknown.empty? && !missing.empty?
    { :unknown => unknown, :missing => missing }
  when !unknown.empty?
    { :unknown => unknown }
  when !missing.empty?
    { :missing => missing }
  when !invalid.empty?
    { :invalid => invalid }
  end
end

Private Instance Methods

check_cast(value, type) click to toggle source
# File lib/simple_validator.rb, line 76
def check_cast(value, type)
  if !value.is_a?(type)
    case
    when type == Date
      begin
        !Date.parse(value)
      rescue
        return true
      end
    when type == Integer
      !value.to_i
    when type == String
      !value.to_s
    else
      raise ArgumentError
    end
  end
end
check_hash_constraints(constraints) click to toggle source
# File lib/simple_validator.rb, line 52
def check_hash_constraints(constraints)
  raise ArgumentError unless constraints.is_a?(Hash)

  allowed = [:required, :optional]

  constraints.each_key do |key|
    raise ArgumentError unless allowed.include?(key)
    raise TypeError unless constraints[key].is_a?(Array)

    constraints[key].each do |constraint|
      raise ArgumentError unless constraint.has_key?(:key) && constraint.has_key?(:type)
      raise TypeError unless constraint[:key].is_a?(Symbol)
      raise TypeError unless constraint[:type].is_a?(Class)
    end
  end

  allowed.each do |constraint|
    if !constraints.has_key?(constraint)
      constraints[constraint] = []
    end
  end
end