Alcune lingue lo offrono - fino a un certo punto.
Forse non come esempio specifico , ma prendi ad esempio una linea Python:
def minmax(min, max):
def answer(value):
return max > value > min
return answer
inbounds = minmax(5, 15)
inbounds(7) ##returns True
inbounds(3) ##returns False
inbounds(18) ##returns False
Quindi, alcune lingue vanno bene con confronti multipli, purché tu lo esprima correttamente.
Sfortunatamente, non funziona come ci si aspetterebbe per un confronto.
>>> def foo(a, b):
... def answer(value):
... return value == a or b
... return answer
...
>>> tester = foo(2, 4)
>>> tester(3)
4
>>> tester(2)
True
>>> tester(4)
4
>>>
"Cosa vuoi dire con restituisce True o 4?" - il noleggio dopo di te
Una soluzione in questo caso, almeno con Python, è usarla in modo leggermente diverso:
>>> def bar(a, b):
... def ans(val):
... return val == a or val == b
... return ans
...
>>> this = bar(4, 10)
>>> this(5)
False
>>> this(4)
True
>>> this(10)
True
>>> this(9)
False
>>>
EDIT: Quanto segue farebbe anche qualcosa di simile, sempre in Python ...
>>> def bar(a, b):
... def answer(val):
... return val in (a, b)
... return answer
...
>>> this = bar(3, 5)
>>> this(3)
True
>>> this(4)
False
>>> this(5)
True
>>>
Quindi, qualunque sia la lingua che stai usando, potrebbe non essere che non puoi farlo, solo che devi prima dare un'occhiata più da vicino a come funziona effettivamente la logica. In genere si tratta solo di sapere cosa stai "chiedendo" alla lingua.