C# Unary Operators

Definition:
Unary Operators are the operators that are performed on a single operand.

  1. Unary Minus Operator: Negative operator means the value of the variable is less than zero.
  2. + Unary Plus Operator: Positive operator is not required for positive numbers as positive operator is implicitly (system given) given to numbers.
  3. – – Unary DecrementOperator: Decrements a value by 1
  4. ++ Unary Increment Operator: Increments a value by 1

Syntax:
Let’s look at the syntax of the Unary Operators.

int a = -100;
bool isPositive = a > 0;  // verify if a is positive
bool isNegative = a < 0;  // verify if a is negative

Console.WriteLine(a + " is positive number: " + isPositive);
// Output: -100 is positive number: false

Console.WriteLine(a + " is negative number: " + isNegative);
// Output: -100 is negative number: true


int b =  -100 - 20; // operation: -100 -20 = -120
Console.WriteLine(b);
// Output: -120


// Please see some more examples below:
int c = 10 - -20;  // returns a positive value of 30
// operation: 10 + 20 = 30

int d = -10 * 4; // d = -40
int e = 10 * -4; // e = -40
int f = -10 * -4;// f = 40

int x = 100;
++x; // increases the value by 1,  100 + 1 = 101
Console.WriteLine(x);
//by placing ++ before variable 'x' we will get number 101

int y = 100;
--y; // decreases the value by 1, 100 -1 = 99;
Console.WriteLine(y);
// operation: by placing -- before variable 'y' we will get number 99

int z = 100;
Console.WriteLine( --z ); // 99

int x2 =  100;
Console.WriteLine( ++x2 ); // 101

int a2 = 100;
Console.WriteLine(a2++); // 100
Console.WriteLine( a2 );

int b2 = 100;
Console.WriteLine(  b2-- ); // 100
Console.WriteLine(b2); // 99
C#

Learn the following topics before learning Unary Operators.