How to find negetive positive and zero numbers in c
Answers
HEY MATE
here is your answer
Logic to check positive, negative or zero
Logic of this program is simple if you know basic maths. Let us have a quick look about number properties.
A number is said negative if it is less than 0 i.e. num < 0.
A number is said positive if it is greater than 0 i.e. num > 0.
We will use the above logic inside if to check number for negative, positive or zero. Step by step descriptive logic to check negative, positive or zero.
Input a number from user in some variable say num.
Check if(num < 0), then number is negative.
Check if(num > 0), then number is positive.
Check if(num == 0), then number is zero.
Program to check positive, negative or zero using simple if
/**
* C program to check positive negative or zero using simple if statement
*/
#include <stdio.h>
int main()
{
int num;
/* Input number from user */
printf("Enter any number: ");
scanf("%d", &num);
if(num > 0)
{
printf("Number is POSITIVE");
}
if(num < 0)
{
printf("Number is NEGATIVE");
}
if(num == 0)
{
printf("Number is ZERO");
}
return 0;
}
The above approach is easiest way to tackle the problem. However, you might think why check three conditions. Instead we can write the above code with two conditions. First check condition for positive number, then if a number is not positive it might be negative or zero. Then check condition for negative number. Finally if a number is neither positive nor negative then definitely it is zero. There is no need to check zero condition explicitly.
Let us re-write our code.
Program to check positive, negative or zero using if...else
/**
* C program to check positive negative or zero using if else
*/
#include <stdio.h>
int main()
{
int num;
/* Input number from user */
printf("Enter any number: ");
scanf("%d", &num);
if(num > 0)
{
printf("Number is POSITIVE");
}
else if(num < 0)
{
printf("Number is NEGATIVE");
}
else
{
printf("Number is ZERO");
}
return 0;
}
Output
Enter any number: 10
Number is POSITIVE