Ternary conditional operator
In computer programming, ?:
is a ternary operator that is part of the syntax for a basic conditional expression in several programming languages. It is commonly referred to as the conditional operator or inline if (iif).
It originally comes from CPL, in which equivalent syntax for e1 ? e2 : e3
was e1 → e2, e3
.[1][2]
Conditional assignment
?:
is used as follows:
condition ? value_if_true : value_if_false
The condition is evaluated true or false as a Boolean expression. On the basis of the evaluation of the Boolean condition, the entire expression returns value_if_true if condition is true, but value_if_false otherwise. Usually the two sub-expressions value_if_true and value_if_false must have the same type, which determines the type of the whole expression. The importance of this type-checking lies in the operator's most common use—in conditional assignment statements. In this usage it appears as an expression on the right side of an assignment statement, as follows:
variable = condition ? value_if_true : value_if_false
The ?: operator is similar to the way conditional expressions (if-then-else constructs) work in functional programming languages, like Scheme, ML, and Haskell, since if-then-else forms an expression instead of a statement in those languages.
Usage
The conditional operator's most common usage is to make a terse simple conditional assignment statement. For example, if we wish to implement some C code to change a shop's opening hours from 12 o'clock during weekdays to 9 o'clock on weekends, we may use
int opening_time = (day == WEEKEND) ? 9 : 12;
instead of the more verbose
int opening_time;
if (day == WEEKEND)
opening_time = 9;
else
opening_time = 12;
The two forms are nearly equivalent. Keep in mind that the ?: is an expression and if-then-else is a statement. Note that neither value if true nor value if false expressions can be omitted from the conditional operator without an error report upon parsing. This contrasts with if..else statements, where the else clause can be omitted.
Most of the languages emphasizing functional programming don't need such an operator as their regular conditional expression(s) is an expression in the first place e.g. the Scheme expression (if (> a b) a b)
is equivalent in semantics to the C expression (a > b) ? a : b
. This is also the case in many imperative languages, starting with ALGOL where it is possible to write result := if a > b then a else b
, or Smalltalk (result := (a > b) ifTrue: [ a ] ifFalse: [ b ]
) or Ruby (result = if a > b then a else b end
, although result = a > b ? a : b
works as well).
Actionscript 3
condition ? value_if_true : value_if_false
ALGOL 68
Both ALGOL 68's choice clauses (if and the case clauses) provide the coder with a choice of either the "bold" syntax or the "brief" form.
- Single if choice clause:
if condition then statements [ else statements ] fi "brief" form: ( condition | statements | statements )
- Chained if choice clause:
if condition1 then statements elif condition2 then statements [ else statements ] fi "brief" form: ( condition1 | statements |: condition2 | statements | statements )
C
A traditional if-else construct in C, Java and JavaScript is written:[3]
if (a > b) {
result = x;
} else {
result = y;
}
This can be rewritten as the following statement:
result = a > b ? x : y;
A GNU extension to C allows omitting the second operand, and using implicitly the first operand as the second also:
a = x ? : y;
The expression is equivalent to
a = x ? x : y;
except that if x is an expression, it is evaluated only once. The difference is significant if evaluating the expression has side effects.
C# and Perl provide similar functionality with their null coalescing operator.
a = x ?? y;
(Unlike the above usage of "x ?: y", ?? will only test if x is non-null, as opposed to non-false.)
C++
In C++ there are conditional assignment situations where use of the if-else statement is impossible, since this language explicitly distinguishes between initialization and assignment. In such case it is always possible to use a function call, but this can be cumbersome and inelegant. For example, to pass conditionally different values as an argument for a constructor of a field or a base class, it is impossible to use a plain if-else statement; in this case we can use a conditional assignment expression, or a function call. Mind also that some types allow initialization, but do not allow assignment, or even the assignment operator does totally different things than the constructor. The latter is true for reference types, for example:
#include <iostream>
#include <fstream>
#include <string>
int main(int argc, char *argv[])
{
std::string name;
std::ofstream fout;
if (argc > 1 && argv[1])
{
name = argv[1];
fout.open(name.c_str(), std::ios::out | std::ios::app);
}
std::ostream &sout = name.empty() ? cout : fout;
}
In this case there's no possibility to replace the use of ?: operator with if-else statement. (Although, we can replace the use of ?: with a function call, inside of which can be an if-else statement.)
Furthermore, the conditional operator can yield an lvalue, i.e. a value to which another value can be assigned. Consider the following example:
#include <iostream>
int main ()
{
int a=0, b=0;
const bool cond = ...;
(cond ? a : b) = 1;
std::cout << "a=" << a << ','
<< "b=" << b << '\n';
}
In this example, if the boolean variable cond yields the value true in line 5, the value 1 is assigned to the variable a, otherwise, it is assigned to b.
C#
In C#, if condition is true, first expression is evaluated and becomes the result; if false, the second expression is evaluated and becomes the result. Only one of two expressions is ever evaluated.
//condition ? first_expression : second_expression;
static double sinc(double x)
{
return x != 0.0 ? Math.Sin(x)/x : 1.0;
}
ColdFusion Markup Language
A ColdFusion Markup Language (CFML) example, for the Railo compiler:
<cfscript>
/** EXAMPLE 1 **/
arg = "T";
vehicle = ( ( arg == 'B' ) ? 'bus' :
( arg == 'A' ) ? 'airplane' :
( arg == 'T' ) ? 'train' :
( arg == 'C' ) ? 'car' :
( arg == 'H' ) ? 'horse' :
'feet' );
writeOutput(vehicle);
// outputs 'train'
/** EXAMPLE 2 **/
price = 1000;
hasPrice = ( price > 0 ) ? true : false;
// returns true
</cfscript>
Common Lisp
Assignment using a ternary expression in Common Lisp:
(setf result (if (> a b) x y))
Imperative form:
(if (> a b)
(setf result x)
(setf result y))
Java
In Java this expression evaluates to:
if foo is selected assign selected foo to bar else assign selected baz to bar.
Object bar = foo.isSelected() ? getSelected(foo) : getSelected(baz);
JavaScript
The conditional operator in JavaScript has the same syntax and precedence structure as in the other BCPL-derived variants, but a significant difference exists in the semantics: it returns an l-value. (This situation apparently was improperly specified in the original JavaScript specification,[4] but has been clarified in the December 2009 ECMA-262 specification.[5])
var fooNotNull = (foo !== null) ? true : false;
Lua
Lua doesn't have a traditional ternary operator. However, the short-circuit behaviour of its "and" and "or" operators allows the emulation of this behaviour:
-- equivalent to var = cond ? a : b;
var = cond and a or b
This will succeed unless "a" is logically false (false or nil); in this case, the expression will always result in b. This can result in some surprising behaviour if ignored.
MySQL
This syntax is not SQL standard; it is MySQL specific.
IF(cond,a,b);
Oracle SQL
While Oracle doesn't provide an explicit conditional operator, it does have a variadic functional counterpart which operates similarly to a switch statement and can be used to emulate the conditional operator when testing for equality (more complicated logic can be encapsulated in a switch statement).
-- General syntax takes case-result pairs, comparing against an expression, followed by a fall-back result:
DECODE(expression, case1, result1,
...
caseN, resultN,
resultElse)
-- We can emulate the conditional operator by just selecting one case:
DECODE(expression, condition, true, false)
The decode
function is, today, depreciated in favour of Oracle's full switch statement, case
. This can be used in both Oracle SQL queries as well as PL/SQL blocks, whereas decode
can only be used in the former.
Perl
A traditional if-else construct in Perl or PHP is written:
if ($a > $b) {
$result = $x;
} else {
$result = $y;
}
Rewritten to use the ternary operator:
$result = ($a > $b) ? $x : $y;
Another example of using this operator on Perl:
$secondVar = ($firstVar == 0) ? 0 : @array[0];
Perl 6
Uses double "?" symbols and double "!" instead of ":" [6]:
$result = ($a > $b) ?? $x !! $y;
PHP
A simple PHP implementation is this:
<?php
$valueOne = (5 > 1) ? true : false;
?>
<?php
$arg = "T";
$vehicle = ( ( $arg == 'B' ) ? 'bus' :
( $arg == 'A' ) ? 'airplane' :
( $arg == 'T' ) ? 'train' :
( $arg == 'C' ) ? 'car' :
( $arg == 'H' ) ? 'horse' :
'feet' );
echo $vehicle;
?>
Due to an unfortunate error in the language grammar, the implementation of ?: in PHP uses the incorrect associativity when compared to other languages, and given a value of T for arg, the PHP code in the above example would yield the value horse instead of train as one might expect.[7] The reason is that nesting two such ternary operators produces an oversized condition with the last two options as its branches: c1 ? o1 : c2 ? o2 : o3 is really ((c1 ? o1 : c2) ? o2 : o3). This is acknowledged[8] and would probably not change.[9] To avoid this, nested parenthesis are needed, as in this example:
<?php
$arg = "T";
$vehicle = ($arg == 'B') ? 'bus' :
(($arg == 'A') ? 'airplane' :
(($arg == 'T') ? 'train' :
(($arg == 'C') ? 'car' :
(($arg == 'H') ? 'horse' :
'feet'))));
echo $vehicle;
?>
This will produce the correct result of train being printed to the output.
PHP 5.3
A second ternary operator (Elvis operator) in PHP 5.3 and higher
$a = $b ?: new B();
If $b is not null, then $a is equal to $b, otherwise $a is equal to a new instance of B. This is equivalent to the older style
if( !is_null( $b ) ){
$a = $b;
}else{
$a = new B();
}
Since PHP 5.3 there is a short-form of the conditional operator:
$c = $a ?: $b; // equivalent to $c = $a ? $a : $b;
Python
Python uses a different syntax for this operator:
variable = value_when_true if condition else value_when_false
This feature is not available for Python versions before 2.5, however. The Python programming FAQ mentions several possible workarounds for these versions.
Python
Though it had been delayed for several years by disagreements over syntax, a ternary operator for a conditional expression in Python was approved as Python Enhancement Proposal 308 and was added to the 2.5 release in September 2006. Python's ternary operator for a conditional expression differs from the common ?:
operator in the order of its operands. The general form is:
result = x if a > b else y
This form invites considering x
as the normal value and y
as an exceptional case. One can use the syntax
(lambda:y, lambda:x)[a > b]()
as a workaround for code that also needs to run under Python versions before 2.5. Note that operands are lazily evaluated, it is possible to remove the lambdas and function calls but the operands will be eagerly evaluated which isn't consistent with other languages' ternary operators, e.g. by indexing a tuple,
result = (y, x)[a > b]
or using an explicitly constructed dictionary:
result = {True: x, False: y}[a > b]
A less reliable but simpler to read alternative is to abuse the and
and or
operators and write
result = (a > b) and x or y
but this code would break if x
could be a "falsy" value (None
, False
, 0
, an empty sequence or collection, …) as the expression would return y
(whether it was truthy or falsy) instead of the (falsy) x
.
A possible workaround is to make x
and y
lists or tuples, so they are never falsy, and then grab the first element of the resulting sequence as in the following
result = ((a > b) and [x] or [y])[0]
or
result = ((a > b) and (x,) or (y,))[0]
NB when wrapping the python ternary construct into a utility function, the unalterably eager nature of the more intuitive language construct for side-effect functions
func = lambda b,a1,a2 : (a1,a2)[not b]
def true():
print "true"
return "truly"
def false():
print "false"
return "falsely"
func(True, true(), false())
true
false
'truly'
func(False, true(), false())
true
false
'falsely'
similar results from
func = lambda b,a1,a2: a1 if b else a2
func = lambda b,a1,a2: (b and [a1] or [a2])[0]
func = lambda b,a1,a2: (lambda:a1, lambda:a2)[not b]()
as the correct call would be
func(True, true, false)()
true
'truly'
func(False, true, false)()
false
'falsely'
however the python 2.5 construct is safer; calling the construct directly works more intuitively
true() if True else false()
true
'truly'
true() if False else false()
false
'falsely'
clearly the reason being that in the case of
func(True, true(), false())
the functions are called when sent as parameters rather than when returned from func()
Ruby
Example of using this operator in Ruby:
1 == 2 ? "true value" : "false value"
Returns "false value".
Ruby
A traditional if-else construct in Ruby is written:[10]
if a > b
result = x
else
result = y
end
This could also be written as:
result = if a > b
x
else
y
end
These can be rewritten as the following ternary statement:
result = a > b ? x : y
PL/SQL
A specific ternary operator for PL/SQL is not available, but a special case of the CASE
expression works exactly as a ternary operator:
SELECT (CASE WHEN a > b THEN x ELSE y END) AS "Ternary_Example"
FROM DUAL;
TestStand
In a National Instruments TestStand expression, if condition is true, the first expression is evaluated and becomes the output of the ternary operation; if false, the second expression is evaluated and becomes the result. Only one of two expressions is ever evaluated.
condition ? first_expression : second_expression
For example:
RunState.Root.Parameters.TestSocket.Index == 3 ? Locals.UUTIndex = 3 : Locals.UUTIndex = 0
Sets the UUTIndex local variable to 3 if TestSocket.Index is 3, otherwise it sets UUTIndex to 0.
Similar to other languages, first_expression and second_expression do not need to be autonomous expressions, allowing the operator to be used for variable assignment:
Locals.UUTIndex = ( RunState.Root.Parameters.TestSocket.Index == 3 ? 3 : 0 )
Visual Basic
Visual Basic doesn't use ?:
per se, but has a very similar implementation of this shorthand if...else
statement. Using the first example provided in this article, it can do:
' variable = IIf(condition, value_if_true, value_if_false)
Dim opening_time As Integer = IIf((day = WEEKEND), 12, 9)
In the above example, IIf
is a ternary function, but not a ternary operator. As a function, the values of all three portions are evaluated before the function call occurs. This imposed limitations, and in Visual Basic .Net 9.0, released with Visual Studio 2008, an actual conditional operator was introduced, using the If
keyword instead of IIf
. This allows the following example code to work:
Dim name As String = If(person Is Nothing, "", person.Name)
Using IIf
, person.Name
would be evaluated even if person is null
(Nothing), causing an exception. With a true short-circuiting conditional operator, person.Name
is not evaluated unless person is not null
.
Visual Basic Version 9 has added a ternary operator, If()
, in addition to the existing IIf()
function that existed previously. As a true operator, it does not have the side effects and potential inefficiencies of the IIf()
function.
The syntaxes of the tokens are similar: If([condition], op1, op2)
vs IIf(condition, op1, op2)
. As mentioned above, the function call has significant disadvantages, because the sub-expressions must all be evaluated, according to Visual Basic's evaluation strategy for function calls and the result will always be of type variant (VB) or object (VB.NET). The If()
operator however does not suffer from these problems as it supports conditional evaluation and determines the type of the expression based on the types of its operands.
Result type
Clearly the type of the result of the ?:
operator must be in some sense the type unification of the types of its second and third operands. In C this is accomplished for numeric types by arithmetic promotion; since C does not have a type hierarchy for pointer types, pointer operands may only be used if they are of the same type (ignoring type qualifiers) or one is void or NULL. It is undefined behaviour to mix pointer and integral or incompatible pointer types; thus
number = spell_out_numbers ? "forty-two" : 42;
will result in a compile-time error in most compilers.
?: in style guidelines
Some corporate programming guidelines list the use of the conditional operator as bad practice because it can harm readability and long-term maintainability.[citation needed] Conditional operators are widely used and can be useful in certain circumstances to avoid the use of an if
statement, either because the extra verbiage would be too lengthy or because the syntactic context does not permit a statement. For example:
#define MAX(a, b) (((a)>(b)) ? (a) : (b))
or
for (i = 0; i < MAX_PATTERNS; i++)
c_patterns[i].ShowWindow(m_data.fOn[i] ? SW_SHOW : SW_HIDE);
(The latter example uses the Microsoft Foundation Classes Framework for Win32.)
When properly formatted, the conditional operator can be used to write simple and coherent case selectors. For example:
vehicle = arg == 'B' ? bus :
arg == 'A' ? airplane :
arg == 'T' ? train :
arg == 'C' ? car :
arg == 'H' ? horse :
feet;
Appropriate use of the conditional operator in a variable assignment context reduces the probability of a bug from a faulty assignment as the assigned variable is stated just once as opposed to multiple times.
Programming languages without the conditional operator
The following are examples of notable general-purpose programming languages that don't provide a conditional operator:
See also
- IIf, inline if function
- Null coalescing operator, ?? operator
References
- ^ Strachey, Christopher (2000). "Fundamental Concepts in Programming Languages". Higher-Order and Symbolic Computation. 13: 11–49. doi:10.1023/A:1010000313106.
- ^ "BCPL Ternary operator (page 15)" (PDF). BCPL Reference Manual.
- ^ Learning GNU C: The Conditional Operator
- ^ Eich, Brendan (1996-11-18). "Conditional Operator (section 4.14)". JavaScript Language Specification. Retrieved 2010-08-29.
{{cite web}}
: Unknown parameter|coauthors=
ignored (|author=
suggested) (help) - ^ "Conditional Operator (section 11.12, page 93)" (PDF). ECMAScript Language Specification. 2009-12. Archived from the original (PDF) on 16 August 2010. Retrieved 2010-08-29.
{{cite web}}
: Check date values in:|date=
(help); Unknown parameter|deadurl=
ignored (|url-status=
suggested) (help) - ^ "Perl6 Operators". Larry Wall. Retrieved 2010-05-18.
- ^ [1]
- ^ Comparison Operators, Example #3 Non-obvious Ternary Behaviour on the PHP.net Website
- ^ "can't fix this without breaking code" answer on Bug #61915: incorrect associativity of ternary operator
- ^ Programming Ruby: Conditional Execution
- ^ "Does Go have the ?: operator?". The Go Programming Language FAQ. Retrieved 2012-08-05.
External links
- Description of Ternary Operator in C#
- Description of If operator in Visual Basic
- Description of Ternary Conditional Expression in Python (PEP 308)
- Alternative workaround for ternary conditional expression in Python
- Description in the Java Language Specification
- Description in the PHP Language Documentation
- Visual Basic 9.0 Language Specification