C++ logical operators
Created By: chatGPT
In C++, logical operators are used to perform logical operations on boolean values. There are three main logical operators: AND (&&), OR (||), and NOT (!). These operators are essential for control flow in programming, allowing us to make decisions based on conditions.
// Example of logical operators in C++
#include <iostream>
int main() {
bool a = true;
bool b = false;
// AND operator
if (a && b) {
std::cout << "Both a and b are true." << std::endl;
} else {
std::cout << "At least one of a or b is false." << std::endl;
}
// OR operator
if (a || b) {
std::cout << "At least one of a or b is true." << std::endl;
}
// NOT operator
if (!b) {
std::cout << "b is false." << std::endl;
}
return 0;
}
The AND (&&) operator returns
true
if both operands are true
. If either or both are false
, it returns false
. The OR (||) operator returns true
if at least one operand is true
. The NOT (!) operator inverts the truth value of its operand.// Further examples
#include <iostream>
int main() {
bool x = true;
bool y = false;
bool z = false;
// AND operator
std::cout << "x && y: " << (x && y) << std::endl; // Outputs 0 (false)
// OR operator
std::cout << "x || y: " << (x || y) << std::endl; // Outputs 1 (true)
// NOT operator
std::cout << "!y: " << (!y) << std::endl; // Outputs 1 (true)
std::cout << "!z: " << (!z) << std::endl; // Outputs 1 (true)
return 0;
}
These operators can also be used in complex expressions. For example, they can combine multiple conditions using parentheses to control evaluation order, which is vital for correct logical reasoning in more demanding applications.
// Complex expressions with logical operators
#include <iostream>
int main() {
int age = 25;
bool hasLicense = true;
// Checking multiple conditions
if (age >= 18 && hasLicense) {
std::cout << "Can drive." << std::endl;
} else {
std::cout << "Cannot drive." << std::endl;
}
return 0;
}