--- id: 587d7b7e367417b2b2512b21 title: Use Multiple Conditional (Ternary) Operators challengeType: 1 --- ## Description
In the previous challenge, you used a single conditional operator. You can also chain them together to check for multiple conditions. The following function uses if, else if, and else statements to check multiple conditions:
function findGreaterOrEqual(a, b) {
  if(a === b) {
    return "a and b are equal";
  }
  else if(a > b) {
    return "a is greater";
  }
  else {
    return "b is greater";
  }
}
The above function can be re-written using multiple conditional operators:
function findGreaterOrEqual(a, b) {
  return (a === b) ? "a and b are equal" : (a > b) ? "a is greater" : "b is greater";
}
## Instructions
Use multiple conditional operators in the checkSign function to check if a number is positive, negative or zero.
## Tests
```yml tests: - text: checkSign should use multiple conditional operators testString: 'assert(/.+?\s*?\?\s*?.+?\s*?:\s*?.+?\s*?\?\s*?.+?\s*?:\s*?.+?/gi.test(code), "checkSign should use multiple conditional operators");' - text: checkSign(10) should return "positive". Note that capitalization matters testString: 'assert(checkSign(10) === "positive", "checkSign(10) should return "positive". Note that capitalization matters");' - text: checkSign(-12) should return "negative". Note that capitalization matters testString: 'assert(checkSign(-12) === "negative", "checkSign(-12) should return "negative". Note that capitalization matters");' - text: checkSign(0) should return "zero". Note that capitalization matters testString: 'assert(checkSign(0) === "zero", "checkSign(0) should return "zero". Note that capitalization matters");' ```
## Challenge Seed
```js function checkSign(num) { } checkSign(10); ```
## Solution
```js // solution required ```