Skip to main content

How To Think Like a Computer Scientist C++ Edition The Pretext Interactive Version

Section 4.2 Conditional Execution

In order to write useful programs, we almost always need the ability to check certain conditions and change the behavior of the program accordingly. Conditional statements give us this ability. The simplest form is the if statement:
if (x > 0) {
  cout << "x is positive" << endl;
}
The expression in parentheses is called the condition. If it is true, then the statements in brackets get executed. If the condition is not true, nothing happens.
The condition can contain any of the comparison operators:
x == y               // x equals y
x != y               // x is not equal to y
x > y                // x is greater than y
x < y                // x is less than y
x >= y               // x is greater than or equal to y
x <= y               // x is less than or equal to y
Although these operations are probably familiar to you, the syntax C++ uses is a little different from mathematical symbols like =, , and . A common error is to use a single = instead of a double ==. Remember that = is the assignment operator, and == is a comparison operator. Also, there is no such thing as =< or =>.
Observe the conditional statement below.
Listing 4.2.1. This program performs a calculation involving variables and assigns the result to a variable.
Listing 4.2.2. This program shows how you can use conditional statements to assess true/false situations.

Checkpoint 4.2.1.

Observe the code above. “Bigger” doesn’t print! How can you modify this so that all of the statements print?
  • Change the value of x to be anything less than 6.
  • While "Bigger" would now print, the other two statements would not!
  • Change the value of x to 13.
  • Now, none of the statements would print!
  • Change the sign of the last conditional statement to x > 6.
  • Now, all of the statements would print.
  • Change the value of the return from 0 to "Bigger!"
  • main returns an int, so trying to make it return a string will cause an error.

Checkpoint 4.2.2.

Checkpoint 4.2.3.

You have attempted 1 of 6 activities on this page.