// Define integer variables for some calcultaions |
int variable_1 = 5; |
int variable_2 = 7; |
int result = 0; |
  |
void setup() { |
  |
} |
  |
void loop() { |
  // initialize the variable |
  result = 0; |
  |
  // --------------------------------------- |
  // Ways to add values to a variable |
  // --------------------------------------- |
  |
  // Add variable_1 to result |
  result = result + variable_1;  // result is now 5 |
  |
  // Add variable_2 to result |
  result = result + variable_2;  // result is now 12 |
  |
  // Add a fixed value to result |
  result = result + 9;           // result is now 21 |
  |
  // Short verion of adding a fixed vaule to a variable |
  result += 11;                  // result is now 32 |
  |
  // Short verion of adding two variables |
  result += variable_2;          // result is now 39 |
  |
  // Short version of adding "1" to a variable |
  result++;                      // result is now 40 |
  |
  // --------------------------------------- |
  // Ways to subtract values from a variable |
  // --------------------------------------- |
  |
  // Subtract variable_1 from result |
  result = result - variable_1;  // result is now 35 |
  |
  // Subtract variable_2 from result |
  result = result - variable_2;  // result is now 28 |
  |
  // Subtract a fixed value from result |
  result = result - 9;           // result is now 19 |
  |
  // Short verion of subtracting variable_2 |
  result -= variable_2;          // result is now 12 |
  |
  // Short verion of subtracting a fixed vaule from a variable |
  result -= 11;                  // result is now 1 |
  |
  // Short version of subtracting "1" from a variable |
  result--;                      // result is now 0 |
  |
  // --------------------------------------------- |
  // What is the result of the calculations below? |
  // --------------------------------------------- |
  |
  variable_2 += variable_1; |
  |
  result = variable_1 - variable_2; |
  result += 13 + 12; |
  result--; |
  result -= variable_1 + variable_2 + 33 - 5; |
} |