Reputation: 13634
I really like this:
var value = maxValue > minValue ? minValue : maxValue;
Is there something equally concise in Coffescript?
Upvotes: 78
Views: 51906
Reputation: 369
value = maxValue > minValue && minValue || maxValue
This is actually not correct, check the comments.
Upvotes: -1
Reputation: 1120
As Răzvan Panda points out, my comment may actually one of the better answers:
value = `maxValue > minValue ? minValue : maxValue`
Upvotes: 12
Reputation: 35253
There is a more concise option in both javascript and coffeescript :)
value = Math.min(minValue, maxValue)
Upvotes: 20
Reputation: 18064
In the documentation, there's a section titled "Conditionals, Ternaries, and Conditional Assignment". This leads one to believe that coffeescript supports
condition ? when-true : when-false
but in fact it does not.
Here's the patch (and it's pushed to coffeescript.org):
http://github.com/jashkenas/coffee-script/commit/ec2d358ae3c82e9888c60695d7cce05edde0c55a
mood = greatlyImproved if singing
if happy and knowsIt
clapsHands()
chaChaCha()
else
showIt()
date = if friday then sue else jill
options or= defaults
Upvotes: 3
Reputation: 48147
This is a case where it feels like CoffeeScript has competing philosophies:
Since all operations return a result, the if/then/else way of doing things gives you what you need. Adding the ?/: operator is redundant.
This is where I wish they'd give us the ?/: ternary operator even though it is redundant... it simply reads better than the if/then/else variant.
Just my 2c.
Upvotes: 10
Reputation: 1425
You can write it like this:
value = if maxValue > minValue then minValue else maxValue
It will compile like your code.
Upvotes: 3