Ruby expression with matching

Is there a way to use the operator casewith whole comparisons in ruby? I found many examples comparing strings, but below is an example casebelow with syntax errors.

def get_price_rank(price)
    case price
    when <= 40
        return 'Cheap!'
    when 41..50 
        return 'Sorta cheap'
    when 50..60
        return 'Reasonable'
    when 60..70
        return 'Not cheap'
    when 70..80
        return 'Spendy'
    when 80..90
        return 'Expensive!'
    when >= 90
        return 'Rich!'
    end
end
+4
source share
2 answers

In a block, case..whenyou cannot perform comparisons except ===. Therefore, I will write your code as shown below:

def get_price_rank(price)
    case price
    when 41..50 
        'Sorta cheap'
    when 50..60
        'Reasonable'
    when 60..70
        'Not cheap'
    when 70..80
        'Spendy'
    when 80..90
        'Expensive!'
    else
        if price >= 90
         'Rich!'
        elsif price <= 40
         'Cheap!'
        end
    end
end

return implicitly, so no need to mention.

+13
source

Rewrite your case as follows:

case price
when 0..40 then
    return 'Cheap!'
when 41..50 then 
    return 'Sorta cheap'
when 50..60 then
    return 'Reasonable'
when 60..70 then
    return 'Not cheap'
when 70..80 then
    return 'Spendy'
when 80..90 then
    return 'Expensive!'
else 
    return 'Rich!'
end
0
source

Source: https://habr.com/ru/post/1533806/


All Articles