Home

Managing Conditional Statements

 

Exiting a Procedure or a Loop

 

Exiting a Procedure

In the conditional statements and loops we have created so far, we assumed that the whole condition would be processed. Here is an example:

Private Sub cmdCondition_Click()
    Dim Number As Integer

    For Number = 1 To 6
        MsgBox Number
    Next
End Sub
 

Practical LearningPractical Learning: Exiting a Procedure

  1. Start Microsoft Access
  2. From the resources that accompany these lessons, open the Bethesda Car Rental2 database
  3. In the Navigation Pane, right-click New ExistingRentalOrder and click Design View
  4. On the form, double-click the Mileage End text box
  5. In the Properties window, click Event and double-click On Lost Focus
  6. Click its ellipsis button and implement the event as follows:
     
    Private Sub txtMileageEnd_LostFocus()
        If IsNull(txtMileageEnd) Then
            MsgBox "You must enter the ending mileage."
            Exit Sub
        Else
            txtTotalMileage = Nz(txtMileageEnd) - Nz(txtMileageStart)
        End If
    End Sub
  7. In the Object combo box, select txtEndDate
  8. In the Procedure combo box, select LostFocus and implement the event as follows:
     
    Private Sub txtEndDate_LostFocus()
        If IsNull(txtEndDate) Then
            MsgBox "You must enter the ending date."
            Exit Sub
        Else
            txtTotalDays = DateDiff("d", CDate(txtStartDate), CDate(txtEndDate))
        End If
    End Sub
  9. In the Object combo box, select txtRateApplied
  10. In the Procedure combo box, select LostFocus and implement the event as follows:
     
    Private Sub txtRateApplied_LostFocus()
        If IsNull(txtRateApplied) Then
            MsgBox "You must enter the rate applied."
            Exit Sub
        Else
            txtSubTotal = Nz([txtRateApplied]) * Nz([txtTotalDays])
        End If
    End Sub
  11. In the Object combo box, select txtTaxRate
  12. In the Procedure combo box, select LostFocus and implement the event as follows:
     
    Private Sub txtTaxRate_LostFocus()
        If IsNull(txtTaxRate) Then
            MsgBox "You must enter the tax rate."
            Exit Sub
        Else
            txtTaxAmount = CLng(Nz([txtSubTotal]) * Nz([txtTaxRate]) * 100) / 100
            txtRentTotal = Nz([txtSubTotal]) + Nz([txtTaxAmount])
        End If
    End Sub
  13. Return to Microsoft Access
  14. Close the form
  15. When asked whether you want to save, click Yes

Exiting a Procedure

In some cases, you may want to exit a conditional statement or a loop before its end. To assist with with this, the Visual Basic language provides the Exit keyword. This keyword works like an operator. It can be applied to a procedure or a For loop. Consider the following procedure:

Private Sub cmdCondition_Click()
    MsgBox "Patricia Katts"
    MsgBox "Gertrude Monay"
    MsgBox "Hermine Nkolo"
    MsgBox "Paul Bertrand Yamaguchi"
End Sub

When the procedure is called, it displays four message boxes that each shows a name. Imagine that at some point you want to ask the interpreter to stop in the middle of a procedure. To do this, in the section where you want to stop the flow of a procedure, type Exit Sub. Here is an example:

Private Sub cmdCondition_Click()
    MsgBox "Patricia Katts"
    MsgBox "Gertrude Monay"
    Exit Sub
    MsgBox "Hermine Nkolo"
    MsgBox "Paul Bertrand Yamaguchi"
End Sub

This time, when the program runs, the procedure would be accessed and would start displaying the message boxes. After displaying two, the Exit Sub would ask the interpreter to stop and get out of the procedure.

Because a function is just a type of procedure that is meant to return a value, you can use the Exit keyword to get out of a function before the End Function line. To do this, in the section where you want to stop the flow of the function, type Exit Function.

Practical LearningPractical Learning: Exiting a Procedure

  1. In the Navigation Pane, right-click New NewRentalOrder and click Design View
  2. On the form, right-click the Submit button and click Build Event...
  3. Change the code of the event as follows:
     
    Private Sub cmdSubmit_Click()
        Dim curDatabase As Object
        Dim rstRentalOrders As Object
    
        If IsNull(txtEmployeeNumber) Then
            MsgBox "To process a rental order, you must enter an " & _
                   "employee number, the employee processing the order."
            Exit Sub
        End If
    
        If IsNull(txtDriversLicenseNumber) Then
            MsgBox "To process a rental order, you must enter the " & _
                   "driver's license number of the customer."
            Exit Sub
        End If
        
        If IsNull(txtTagNumber) Then
            MsgBox "To process a rental order, you must enter the " & _
                   "tag/license place number of the car being rented."
            Exit Sub
        End If
        
        If IsNull(txtMileageStart) Then
            MsgBox "You must specify the starting mileage."
            Exit Sub
        End If
        
        If IsNull(txtStartDate) Then
            MsgBox "You must specify the starting date."
            Exit Sub
        End If
        
        Set curDatabase = CurrentDb
        Set rstRentalOrders = curDatabase.OpenRecordset("RentalOrders")
        
        rstRentalOrders.AddNew
        rstRentalOrders("EmployeeNumber").Value = Me.txtEmployeeNumber
        rstRentalOrders("DrvLicNumber").Value = Me.txtDriversLicenseNumber
        rstRentalOrders("TagNumber").Value = Me.txtTagNumber
        rstRentalOrders("CarCondition").Value = Me.txtCondition
        rstRentalOrders("MileageStart").Value = Me.txtMileageStart
        rstRentalOrders("MileageEnd").Value = Me.txtMileageEnd
        rstRentalOrders("TotalMileage").Value = Me.txtTotalMileage
        rstRentalOrders("StartDate").Value = Me.txtStartDate
        rstRentalOrders("EndDate").Value = Me.txtEndDate
        rstRentalOrders("TotalDays").Value = Me.txtTotalDays
        rstRentalOrders("RateApplied").Value = Me.txtRateApplied
        rstRentalOrders("TaxRate").Value = Me.txtTaxRate
        rstRentalOrders("OrderStatus").Value = Me.cbxOrderStatus
        rstRentalOrders("Notes").Value = Me.txtNotes
        rstRentalOrders.Update
        
        Set rstRentalOrders = Nothing
        Set curDatabase = Nothing
        
        MsgBox "A new rental order has been created."
        cmdReset_Click
        cbxOrderStatus.SetFocus
    End Sub
  4. Return to Microsoft Access
  5. Close the form
  6. When asked whether you want to save, click Yes

Exiting a For Loop

You can also exit a For loop. To do this, in the section where you want to stop, type Exit For. Here is an example to stop a continuing For loop:

Private Sub cmdCondition_Click()
    Dim Number As Integer

    For Number = 1 To 12
        MsgBox Number

        If Number = 4 Then
            Exit For
        End If
    Next
End Sub

When this program executes, it is supposed to display numbers from 1 to 12, but an If...Then condition states that if it gets to the point where the number is 4, it should stop. If you use an Exit For statement, the interpreter would stop the flow of For and continue with code after the Next keyword.

Practical LearningPractical Learning: Exiting a For Loop

  1. In the Navigation Pane, right-click the ExistingRentalOrder form and click Design View
  2. On the form, right-click the Open Rental Order button and click Build Event...
  3. In the Choose Builder dialog box, double-click Code Builder and implement the event as follows:
     
    Private Sub cmdOpenRentalOrder_Click()
        Dim curDatabase As Object
        Dim rstRentalOrders As Object
        Dim fldRentalOrder As Object
        Dim fldEmployee As Object
        Dim fldCustomer As Object
        Dim fldCar As Object
        Dim RentalOrderExists As Boolean
    
        If IsNull(txtReceiptNumber) Then
            MsgBox "To open a rental order, enter a receipt number " & _
                   "and click the button."
            Exit Sub
        End If
        
        RentalOrderExists = False
        Set curDatabase = CurrentDb
        Set rstRentalOrders = curDatabase.OpenRecordset("RentalOrders")
        
        With rstRentalOrders
            Do Until .EOF
                For Each fldRentalOrder In .Fields
                    If fldRentalOrder.Name = "RentalOrderID" Then
                        If fldRentalOrder.Value = CLng(txtReceiptNumber) Then
                            RentalOrderExists = True
                                
                            txtEmployeeNumber = .Fields("EmployeeNumber").Value
                            txtDriversLicenseNumber = .Fields("DrvLicNumber").Value
                            txtTagNumber = .Fields("TagNumber").Value
                            cbxConditions = .Fields("CarCondition").Value
                            txtMileageStart = .Fields("MileageStart").Value
                            txtMileageEnd = .Fields("MileageEnd").Value
                            txtTotalMileage = .Fields("TotalMileage").Value
                            txtStartDate = .Fields("StartDate").Value
                            txtEndDate = .Fields("EndDate").Value
                            txtTotalDays = .Fields("TotalDays").Value
                            txtRateApplied = .Fields("RateApplied").Value
                            txtTaxRate = .Fields("TaxRate").Value
                            cbxOrderStatus = .Fields("OrderStatus").Value
                            txtNotes = .Fields("Notes").Value
                              
                            Set rstRentalOrders = _
    				curDatabase.OpenRecordset("Employees")
            
                            With rstRentalOrders
                                Do While Not .EOF
                                    For Each fldEmployee In .Fields
                                        If fldEmployee.Name = "EmployeeNumber" Then
                                            If fldEmployee.Value = _
    						txtEmployeeNumber Then
                                    txtEmployeeName = .Fields("LastName").Value & _
                                                  ", " & .Fields("FirstName").Value
                                            End If
                                        End If
                                    Next
                                    .MoveNext
                                Loop
                            End With
            
                            Set rstRentalOrders = _
    				curDatabase.OpenRecordset("Customers")
        
                            With rstRentalOrders
                                Do
                                    For Each fldCustomer In .Fields
                                        If fldCustomer.Name = "DrvLicNumber" Then
                                            If fldCustomer.Value = _
    						txtDriversLicenseNumber Then
                                      txtCustomerName = .Fields("FullName").Value
                                              txtAddress = .Fields("Address").Value
                                                txtCity = .Fields("City").Value
                                                txtState = .Fields("State").Value
                                              txtZIPCode = .Fields("ZIPCode").Value
                                            End If
                                        End If
                                    Next
                                    .MoveNext
                                Loop While Not .EOF
                            End With
        
                            Set rstRentalOrders = curDatabase.OpenRecordset("Cars")
            
                            With rstRentalOrders
                                Do Until .EOF
                                    For Each fldCar In .Fields
                                        If fldCar.Name = "TagNumber" Then
                                            If fldCar.Value = txtTagNumber Then
                                                txtMake = .Fields("Make").Value
                                                txtModel = .Fields("Model").Value
                                              txtCarYear = .Fields("CarYear").Value
                                            End If
                                        End If
                                    Next
                                    .MoveNext
                                Loop
                            End With
        
                            Exit For
                        End If
                    End If
                Next
                .MoveNext
            Loop
        End With
        
        If RentalOrderExists = False Then
            MsgBox "There is no rental order with that receipt number."
        End If
        
        Set rstRentalOrders = Nothing
        Set curDatabase = Nothing
    End Sub
  4. Return to Microsoft Access and switch the form to Form View
  5. Enter a rental order in the Receipt # text box and click the Open Rental Order button
  6. Close the form
  7. When asked whether you want to save, click Yes

Exiting a Do Loop

You can also use the Exit operator to get out of a Do loop. To do this, inside of a Do loop where you want to stop, type Exit Do.

Logical Conjunction

 

Introduction

As mentioned already, you can nest one conditional statement inside of another. To illustrate, imagine you create a workbook that would be used by a real estate company that sells houses. You may face a customer who wants to purchase a house but the house should not cost more than $550,001. To implement this scenario, you can first write a procedure that asks the user to specify a type of house and then a conditional statement would check it. Here is an example:

Private Sub cmdCondition_Click()
    Dim TypeOfHouse As String
    Dim Choice As Integer
    Dim Value As Double
        
    TypeOfHouse = "Unknown"

    Choice = CInt(InputBox("Enter the type of house you want to purchase" _
          & vbCrLf & _
                  "1. Single Family" & vbCrLf & _
                  "2. Townhouse" & vbCrLf & _
                  "3. Condominium" & vbCrLf & vbCrLf & _
                  "You Choice? "))
    Value = CDbl(InputBox("Up to how much can you afford?"))

    TypeOfHouse = Choose(Choice, "Single Family", _
                                 "Townhouse", _
                                 "Condominium")
End Sub

If the user selects a single family, you can then write code inside the conditional statement of the single family. Here is an example:

Private Sub cmdCondition_Click()
    Dim TypeOfHouse As String
    Dim Choice As Integer
    Dim Value As Double
        
    TypeOfHouse = "Unknown"

    Choice = CInt(InputBox("Enter the type of house you want to purchase" _
		  & vbCrLf & _
                  "1. Single Family" & vbCrLf & _
                  "2. Townhouse" & vbCrLf & _
                  "3. Condominium" & vbCrLf & vbCrLf & _
                  "You Choice? "))
    Value = CDbl(InputBox("Up to how much can you afford?"))

    TypeOfHouse = Choose(Choice, "Single Family", _
                                 "Townhouse", _
                                 "Condominium")

    If Choice = 1 Then
        MsgBox "Desired House Type:      " & vbTab & TypeOfHouse & vbCrLf & _
               "Maximum value afforded:  " & vbTab & FormatCurrency(Value)
    End If
End Sub

Here is an example of running the program:

Logical Conjunction

Logical Conjunction

Logical Conjunction

In that section, you can then write code that would request and check the value the user entered. If that value is valid, you can take necessary action. Here is an example:

Private Sub cmdCondition_Click()
    Dim TypeOfHouse As String
    Dim Choice As Integer
    Dim Value As Double
        
    TypeOfHouse = "Unknown"

    Choice = CInt(InputBox("Enter the type of house you want to purchase" _
          & vbCrLf & _
                  "1. Single Family" & vbCrLf & _
                  "2. Townhouse" & vbCrLf & _
                  "3. Condominium" & vbCrLf & vbCrLf & _
                  "You Choice? "))
    Value = CDbl(InputBox("Up to how much can you afford?"))

    TypeOfHouse = Choose(Choice, "Single Family", _
                                 "Townhouse", _
                                 "Condominium")
                                 
    If Choice = 1 Then
        MsgBox ("Desired House Type:      " & vbTab & TypeOfHouse & vbCrLf & _
                "Maximum value afforded:  " & vbTab & FormatCurrency(Value))
            
        If Value <= 550000 Then
            MsgBox "Desired House Matched"
        Else
            MsgBox "The House Doesn't Match the Desired Criteria"
        End If
    End If
End Sub

A Conditional Conjunction

Using conditional nesting, we have seen how you can write one conditional statement that depends on another. But you must write one first condition, check it, then nest the other condition. This works fine and there is nothing against it.

To provide you with an alternative, you can use what is referred to as a logical conjunction. It consists of writing one If...Then expression that checks two conditions at the same time. To illustrate, once again consider a customer who wants to purchase a single family home that is less than $550,000. You can consider two statements as follows:

  1. The house is single family
  2. The house costs less than $550,000

To implement it, you would need to write an If...Then condition as:

If The house is single family AND The house costs less than $550,000 Then

    Validate

End If

In the Visual Basic language, the operator used to perform a logical conjunction is And. Here is an example of using it:

Private Sub cmdCondition_Click()
    Dim TypeOfHouse As String
    Dim Choice As Integer
    Dim Value As Double

    TypeOfHouse = "Unknown"

    Choice = _
	  CInt(InputBox("Enter the type of house you want to purchase" & vbCrLf & _
                        "1. Single Family" & vbCrLf & _
                        "2. Townhouse" & vbCrLf & _
                        "3. Condominium" & vbCrLf & vbCrLf & _
                        "You Choice? "))
    Value = CDbl(InputBox("Up to how much can you afford?"))

    TypeOfHouse = Choose(Choice, "Single Family", _
                                 "Townhouse", _
                                 "Condominium")

    If TypeOfHouse = "Single Family" And Value <= 550000 Then
        MsgBox "Desired House Type:      " & vbTab & TypeOfHouse & vbCrLf & _
               "Maximum value afforded:  " & vbTab & FormatCurrency(Value)
        MsgBox "Desired House Matched"
    Else
        MsgBox "The House Doesn't Match the Desired Criteria"
    End If
End Sub

Here is an example of running the program:

Logical Conjunction

Logical Conjunction

Logical Conjunction

By definition, a logical conjunction combines two conditions. To make the program easier to read, each side of the conditions can be included in parentheses. Here is an example:

Private Sub cmdCondition_Click()
    . . . No Change

    If (TypeOfHouse = "Single Family") And (Value <= 550000) Then
        MsgBox "Desired House Type:      " & vbTab & TypeOfHouse & vbCrLf & _
               "Maximum value afforded:  " & vbTab & FormatCurrency(Value)
        MsgBox "Desired House Matched"
    Else
        MsgBox "The House Doesn't Match the Desired Criteria"
    End If
End Sub

To understand how logical conjunction works, from a list of real estate properties, after selecting the house type, if you find a house that is a single family home, you put it in the list of considered properties:

Type of House House
The house is single family True

Logical Conjunction

If you find a house that is less than or equal to $550,000, you retain it:

Price Range Value
$550,000 True

For the current customer, you want a house to meet BOTH criteria. If the house is a town house, based on the request of our customer, its conditional value is false. If the house is less than $550,000, such as $485,000, the value of the Boolean Value is true:

Logical Conjunction

AND

If the house is a town house, based on the request of our customer, its conditional value is false. If the house is more than $550,000, the value of the Boolean Value is true. In logical conjunction, if one of the conditions is false, the result if false also. This can be illustrated as follows:

Type of House House Value Result
Town House $625,000 Town House AND $625,000
False False False

Suppose we find a single family home. The first condition is true for our customer. With the AND Boolean operator, if the first condition is true, then we consider the second criterion. Suppose that the house we are considering costs $750,500: the price is out of the customer's range. Therefore, the second condition is false. In the AND Boolean algebra, if the second condition is false, even if the first is true, the whole condition is false. This would produce the following table:

Type of House House Value Result
Single Family $750,500 Single Family AND $750,500
True False False

Suppose we find a townhouse that costs $420,000. Although the second condition is true, the first is false. In Boolean algebra, an AND operation is false if either condition is false:

Type of House House Value Result
Town House $420,000 Town House AND $420,000
False True False

If we find a single family home that costs $345,000, both conditions are true. In Boolean algebra, an AND operation is true if BOTH conditions are true. This can be illustrated as follows:

Type of House House Value Result
Single Family $345,000 Single Family AND $345,000
True True True

These four tables can be resumed as follows:

If Condition1 is If Condition2 is Condition1
AND
Condition2
False False False
False True False
True False False
True True True

As you can see, a logical conjunction is true only of BOTH conditions are true.

Combining Conjunctions

As seen above, the logical conjunction operator is used to combine two conditions. In some cases, you will need to combine more than two conditions. Imagine a customer wants to purchase a single family house that costs up to $450,000 with an indoor garage. This means that the house must fulfill these three requirements:

  1. The house is a single family home
  2. The house costs less than $450,001
  3. The house has an indoor garage

Here is the program that could be used to check these conditions:

Private Sub cmdCondition_Click()
    Dim TypeOfHouse As String
    Dim Choice As Integer
    Dim Value As Double
    Dim IndoorGarageAnswer As Integer
    Dim Answer As String

    TypeOfHouse = "Unknown"

    Choice = _
        CInt(InputBox("Enter the type of house you want to purchase" _
             & vbCrLf & _
                  "1. Single Family" & vbCrLf & _
                  "2. Townhouse" & vbCrLf & _
                  "3. Condominium" & vbCrLf & vbCrLf & _
                  "You Choice? "))
    Value = CDbl(InputBox("Up to how much can you afford?"))

    TypeOfHouse = Choose(Choice, "Single Family", _
                        "Townhouse", _
                        "Condominium")

    IndoorGarageAnswer = _
            MsgBox("Does the house have an indoor garage (1=Yes/0=No)?", _
                   vbQuestion Or vbYesNo, _
                   "Real Estate")
    Answer = IIf(IndoorGarageAnswer = vbYes, "Yes", "No")

    If (TypeOfHouse = "Single Family") And _
       (Value <= 550000) And _
       (IndoorGarageAnswer = vbYes) Then
        MsgBox "Desired House Type:      " & vbTab & TypeOfHouse & vbCrLf & _
               "Maximum value afforded:  " & vbTab & _
               FormatCurrency(Value) & vbCrLf & _
               "House has indoor garage: " & vbTab & Answer
        MsgBox "Desired House Matched"
    Else
        MsgBox "The House Doesn't Match the Desired Criteria"
    End If
End Sub

We saw that when two conditions are combined, the interpreter first checks the first condition, followed by the second. In the same way, if three conditions need to be considered, the interpreter evaluates the truthfulness of the first condition:

Type of House
A
Town House
False

If the first condition (or any condition) is false, the whole condition is false, regardless of the outcome of the other(s). If the first condition is true, then the second condition is evaluated for its truthfulness:

Type of House Property Value
A B
Single Family $655,000
True False

If the second condition is false, the whole combination is considered false:

A B A && B
True False False

When evaluating three conditions, if either the first or the second is false, since the whole condition would become false, there is no reason to evaluate the third. If both the first and the second conditions are false, there is also no reason to evaluate the third condition. Only if the first two conditions are true will the third condition be evaluated whether it is true:

Type of House Property Value Indoor Garage
A B C
Single Family $425,650 None
True True False

The combination of these conditions in a logical conjunction can be written as A && B && C. If the third condition is false, the whole combination is considered false:

A B A && B C A && B && C
True True True False False

From our discussion so far, the truth table of the combinations can be illustrated as follows:

A B C A && B && C
False Don't Care Don't Care False
True False Don't Care False
True True False False

The whole combination is true only if all three conditions are true. This can be illustrated as follows:

A B C A && B && C
False False False False
False False True False
True False False False
True False True False
False True False False
False True True False
True True False False
True True True True

 

 
 

 

 
 

Logical Disjunction: OR

 

Introduction

Our real estate company has single family homes, townhouses, and condominiums. All of the condos have only one level, also referred to as a story. Some of the single family homes have one story, some have two and some others have three levels. All townhouses have three levels.

Another customer wants to buy a home. The customer says that he primarily wants a condo, but if our real estate company doesn't have a condominium, that is, if the company has only houses, whatever it is, whether a house or a condo, it must have only one level (story) (due to an illness, the customer would not climb the stairs). When considering the properties of our company, we would proceed with these statements:

  1. The property is a condominium
  2. The property has one story

If we find a condo, since all of our condos have only one level, the criterion set by the customer is true. Even if we were considering another (type of) property, it wouldn't matter. This can be resumed in the following table:

Type of House House
Condominium True

The other properties would not be considered, especially if they have more than one story:

Number of Stories Value
3 False

We can show this operation as follows:

Condominium One Story Condominium or 1 Story
True False True

Creating a Logical Disjunction

To support "either or" conditions in the Visual Basic language, you use the Or operator. Here is an example:

Private Sub cmdCondition_Click()
    Dim TypeOfHouse As String
    Dim Choice As Integer
    Dim Stories As Integer
        
    TypeOfHouse = "Unknown"

    Choice = _
	  CInt(InputBox("Enter the type of house you want to purchase" & vbCrLf & _
                  "1. Single Family" & vbCrLf & _
                  "2. Townhouse" & vbCrLf & _
                  "3. Condominium" & vbCrLf & vbCrLf & _
                  "You Choice? ", "Real Estate", 1))

    TypeOfHouse = Choose(Choice, "Single Family", _
                                 "Townhouse", _
                                 "Condominium")
    Stories = CInt(InputBox("How many stories?", "Real Estate", 1))

    If Choice = 1 Or Stories = 1 Then
        MsgBox "Desired House Type:" & vbTab & TypeOfHouse & vbCrLf & _
               "Number of Stories:" & vbTab & vbTab & Stories
        MsgBox "Desired House Matched"
    Else
        MsgBox "The House Doesn't Match the Desired Criteria"
    End If
End Sub

Here is an example of running the program:

Logical Disjunction

Logical Disjunction

Logical Disjunction

Logical Disjunction

As done for the And operator, to make a logical disjunction easy to read, you can include each statement in parentheses:

Private Sub cmdCondition_Click()
        . . . No Change

    If (Choice = 1) Or (Stories = 1) Then
        MsgBox "Desired House Type:" & vbTab & TypeOfHouse & vbCrLf & _
               "Number of Stories:" & vbTab & vbTab & Stories
        MsgBox "Desired House Matched"
    Else
        MsgBox "The House Doesn't Match the Desired Criteria"
    End If

End Sub

Suppose that, among the properties our real estate company has available, there is no condominium. In this case, we would then consider the other properties:

Type of House House
Single Family False

If we have a few single family homes, we would look for one that has only one story. Once we find one, our second criterion becomes true:

Type of House One Story Condominium OR 1 Story
False True True

If we find a condo and it is one story, both criteria are true. This can be illustrated in the following table:

Type of House One Story Condominium OR 1 Story
False True True
True True True

The following run of the program demonstrates this:

Or

Or

Or

A Boolean OR operation produces a false result only if BOTH conditions ARE FALSE:

If Condition1 is If Condition2 is Condition1 OR Condition2
False True True
True False True
True True True
False False False

Here is another example of running the program:

Or

Or

Or

Combinations of Disjunctions

As opposed to evaluating only two conditions, you may face a situation that presents three of them and must consider a combination of more than two conditions. You would apply the same logical approach we reviewed for the logical conjunction, except that, in a group of logical disjunctions, if one of them is true, the whole statement becomes true.

 
 
   
 

Previous Copyright © 2008-2016, FunctionX, Inc. Next