||(_:_:)
Performs a logical OR operation on two Boolean values.
static func || (lhs: Bool, rhs: @autoclosure () throws -> Bool) rethrows -> Bool
Parameters
The logical OR operator (||
) combines two Boolean values and returns true
if at least one of the values is true
. If both values are false
, the operator returns false
.
This operator uses short-circuit evaluation: The left-hand side (lhs
) is evaluated first, and the right-hand side (rhs
) is evaluated only if lhs
evaluates to false
. For example:
let majorErrors: Set = ["No first name", "No last name", ...]
let error = ""
if error.isEmpty || !majorErrors.contains(error) {
print("No major errors detected")
} else {
print("Major error: \(error)")
}
// Prints "No major errors detected"
In this example, lhs
tests whether error
is an empty string. Evaluation of the ||
operator is one of the following:
When
error
is an empty string,lhs
evaluates totrue
andrhs
is not evaluated, skipping the call tomajorErrors.contains(_:)
. The result of the operation istrue
.When
error
is not an empty string,lhs
evaluates tofalse
andrhs
is evaluated. The result of evaluatingrhs
is the result of the||
operation.