Short for add 1 or take away 1 from chosen variable.
# NOTE: Operand must be a scalar variable, not just an expression.
# So, ++16 won't work
# ++($a+$b) won't either
# sidenote - autoinc and autodec also work on floating-point values
# Simple autoincrement as a PREFIX
$a += 1; # adds 1 to $a
++$a; # adds 1 to $a
$d = 17;
$e = ++$d; # $e and $d are both 18 now
# Simple autoincrement as a SUFFIX
$c = 17;
$d = $c++; # $d is 17, but $c is 18 now
# the result of the expression is the old value of the variable, before it was incremented
# Autodecrement - the same but with -- instead of ++
$x = 12;
--$x; # $x is now 11
$y = $x-- # $y is 11, but $x is now 10