Conditional statements in C++ are used to perform different actions based on whether certain conditions are true or false. They help control the flow of the program by executing different blocks of code based on these conditions.
The most common conditional statement is the "if" statement. It tests a condition, and if the condition evaluates to true, the code within the "if" block is executed. If the condition evaluates to false, the program skips to the next statement or checks for another condition using "else if" or "else."
In our C++ example, multiple conditions are checked using chains of "if", "else if", and "else" blocks:
if (dept == 5 && price >= 100)
: Checks if department equals 5 and price is 100 or more, then executes the code block to assign a discount of 20%.
else if (dept != 5 && price >= 100)
: Checks if department is not 5 and price is 100 or more, then assigns a discount of 15%.
else if (dept == 5 && price < 100)
: Checks if department equals 5 and price is less than 100, then assigns a discount of 10%.
else
: Handles all other conditions, assigning a 5% discount.
By structuring the conditions in this order, we ensure the appropriate discount is applied for different scenarios.