If-Else Statement in C
In this tutorial, we will learn about if-else statements in C. We will cover the basics of conditional execution using if-else statements.
What is an If-Else statement
An if-else statement is a conditional statement that executes one block of code if a specified condition is true, and another block of code if the condition is false.
Syntax
The syntax for the if-else statement in C is:
if (condition) {
// Code block to execute if condition is true
} else {
// Code block to execute if condition is false
}
The if-else statement evaluates the specified condition. If the condition is true, the code block inside the if statement is executed; otherwise, the code block inside the else statement is executed.
Example 1: Checking if a Number is Even or Odd
- Declare an integer variable
num
. - Assign a value to
num
. - Use an if-else statement to check if
num
is even or odd. - Print a message indicating whether
num
is even or odd.
C Program
#include <stdio.h>
int main() {
int num = 10;
if (num % 2 == 0) {
printf("%d is even.", num);
} else {
printf("%d is odd.", num);
}
return 0;
}
Output
10 is even.
Example 2: Checking if a String Starts with a Specific Value
- Declare a character array
str
. - Assign a value to
str
. - Use an if-else statement to check if
str
starts with a specific value. - Print a message indicating the result of the check.
C Program
#include <stdio.h>
#include <string.h>
int main() {
char str[] = "Hello, world!";
if (strncmp(str, "Hello", 5) == 0) {
printf("String starts with 'Hello'.");
} else {
printf("String does not start with 'Hello'.");
}
return 0;
}
Output
String starts with 'Hello'.
Example 3: Checking if a Number is Positive or Negative
- Declare an integer variable
num
. - Assign a value to
num
. - Use an if-else statement to check if
num
is positive or negative. - Print a message indicating whether
num
is positive or negative.
C Program
#include <stdio.h>
int main() {
int num = -5;
if (num > 0) {
printf("%d is positive.", num);
} else {
printf("%d is negative or zero.", num);
}
return 0;
}
Output
-5 is negative or zero.