Course Content
C++ Introduction
C++ Introduction
Ternary Operator
The ternary operator offers a concise alternative to the if...else
statement, with a notable distinction. It consists of three key elements:
- Boolean expression;
- Instructions for the
true
case; - Instructions for the
false
case.
Such an operator is convenient to use, for example, when comparing two numbers:
main
#include <iostream> int main() { int var1 = 50; int var2 = 9; int result = (var1 > var2) ? var1 : var2; std::cout << result << std::endl; }
In this case, the outcome of the ternary operation has been assigned to the result
variable.
When the comparison returns a true result, the value of var1
will be stored in the result
variable.
Conversely, if the comparison result is false, to the result
variable will be assigned the value of the var2
variable.
Note
Observe data type compatibility!
How it would look like using if...else
:
main
#include<iostream> int main() { int var1 = 50; int var2 = 9; int result; if (var1 > var2) { result = var1; } else { result = var2; } std::cout << result << " > " << var2 << std::endl; }
Thanks for your feedback!