2018-09-30 23:01:58 +01:00
---
id: 587d7b7e367417b2b2512b24
title: Use the Conditional (Ternary) Operator
challengeType: 1
2019-08-05 09:17:33 -07:00
forumTopicId: 301181
2021-01-13 03:31:00 +01:00
dashedName: use-the-conditional-ternary-operator
2018-09-30 23:01:58 +01:00
---
2020-11-27 19:02:05 +01:00
# --description--
2018-09-30 23:01:58 +01:00
The < dfn > conditional operator< / dfn > , also called the < dfn > ternary operator< / dfn > , can be used as a one line if-else expression.
2020-11-27 19:02:05 +01:00
2018-09-30 23:01:58 +01:00
The syntax is:
2020-11-27 19:02:05 +01:00
`condition ? expression-if-true : expression-if-false;`
2018-09-30 23:01:58 +01:00
The following function uses an if-else statement to check a condition:
2019-05-17 06:20:30 -07:00
```js
function findGreater(a, b) {
if(a > b) {
return "a is greater";
}
else {
return "b is greater";
}
}
```
2020-11-27 19:02:05 +01:00
This can be re-written using the `conditional operator` :
2019-05-17 06:20:30 -07:00
```js
function findGreater(a, b) {
return a > b ? "a is greater" : "b is greater";
}
```
2020-11-27 19:02:05 +01:00
# --instructions--
Use the `conditional operator` in the `checkEqual` function to check if two numbers are equal or not. The function should return either "Equal" or "Not Equal".
# --hints--
`checkEqual` should use the `conditional operator`
```js
assert(/.+?\s*?\?\s*?.+?\s*?:\s*?.+?/.test(code));
2018-09-30 23:01:58 +01:00
```
2020-11-27 19:02:05 +01:00
`checkEqual(1, 2)` should return "Not Equal"
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
```js
assert(checkEqual(1, 2) === 'Not Equal');
```
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
`checkEqual(1, 1)` should return "Equal"
2018-09-30 23:01:58 +01:00
```js
2020-11-27 19:02:05 +01:00
assert(checkEqual(1, 1) === 'Equal');
```
2018-10-08 01:01:53 +01:00
2020-11-27 19:02:05 +01:00
`checkEqual(1, -1)` should return "Not Equal"
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
```js
assert(checkEqual(1, -1) === 'Not Equal');
2018-09-30 23:01:58 +01:00
```
2020-11-27 19:02:05 +01:00
# --seed--
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
## --seed-contents--
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
```js
function checkEqual(a, b) {
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
}
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
checkEqual(1, 2);
```
# --solutions--
2018-09-30 23:01:58 +01:00
```js
2018-10-16 05:11:38 +05:30
function checkEqual(a, b) {
2018-12-03 08:49:57 +00:00
return a === b ? "Equal" : "Not Equal";
2018-10-16 05:11:38 +05:30
}
2018-09-30 23:01:58 +01:00
```