Colon operator in C/C++

1.9k Views Asked by At

I'm trying to implement a decoder for a codec, and while reading the whitepaper I stumbled across this

Variable > 96000 ? 4 : 2;

what does the question mark ? and the colon : between those two numbers do?

I've never seen this before (although I am a noob), and google isn't much help.

5

There are 5 best solutions below

0
On

This is ternary operator, this works like if else condition.

Variable > 96000 ? 4 : 2;

In this line if Variable > 96000 is true it will return 4 else it will return 2

A traditional if-else construct in C

if (a > b) {
    result = x;
} else {
    result = y;
}

This can be rewritten as the following statement:

result = a > b ? x : y;
2
On
1
On
return ( Variable > 96000 ) ? 4 : 2; 

translates to

if(Variable > 96000){

    return 4;
}else {
    return 2;
}

you are probably missing a return in the front of your statement.

0
On

This is basically an equivalence statement in C , the following example will elaborate its use. In the example below, two numbers are compared and the larger number is returned.

#include <stdio.h>

static int get_larger(int a, int b)
{
return (a > b) ? a : b; // if a is greater than b, return a, else return b
}

int main ()
{
  int a = 100;
  int b = 101;
  printf("Larger Number = %d\n", get_larger(a,b));
  return 0;
}
0
On

Its ternary operator that is equivalent to If else condition in C/C++.

NOTE:

Its recommended to use parenthesis while using this operator to avoid side-effects of operator precedence problems as mentioned in Unexpected Result, Ternary Operator in Gnu C