L5 Flashcards
What are relational operators in C#?
Relational operators are used to compare values. Examples:
== (Equal to)
!= (Not equal to)
> (Greater than)
< (Less than)
> = (Greater than or equal to)
<= (Less than or equal to)
What are logical operators in C#?
Logical operators are used to combine multiple conditions. Examples:
&& (AND): Both conditions must be true.
|| (OR): At least one condition must be true.
! (NOT): Reverses the condition.
What is the structure of an if statement?
The if statement checks a condition and executes code if the condition is true:
if (condition) {
// Code to execute if condition is true
}
How does an if-else statement work?
The if-else statement executes one block of code if the condition is true, and another block if it is false:
if (condition) {
// Code if true
} else {
// Code if false
}
What is an else if statement used for?
The else if statement checks additional conditions when the first if condition is false:
if (condition1) {
// Code for condition1
} else if (condition2) {
// Code for condition2
} else {
// Code if none are true
}
What are nested if statements?
An if statement inside another if statement is called a nested if:
if (outerCondition) {
if (innerCondition) {
// Code to execute
}
}
What is a switch statement in C#?
The switch statement evaluates a variable and executes code based on its value:
switch (variable) {
case value1:
// Code for value1
break;
case value2:
// Code for value2
break;
default:
// Code for no match
break;
}
What are best practices for a switch statement?
Always include a default case for unexpected inputs.
Use break to avoid fall-through behavior.
Arrange case values in ascending order for readability.
What is the difference between while, do-while, and for loops?
while: Executes as long as the condition is true.
do-while: Executes at least once, then checks the condition.
for: Executes a set number of times.
What does the break statement do in loops?
The break statement exits the loop immediately.
What does the continue statement do in loops?
The continue statement skips the current iteration and continues with the next one.
Example: How do you skip an iteration in a loop?
Use the continue statement:
for (int i = 1; i <= 5; i++) {
if (i == 3) continue; // Skips iteration when i == 3
Console.WriteLine(i);
}