-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy pathPangram.c
56 lines (50 loc) · 1.69 KB
/
Pangram.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
#include <stdio.h>
#include <ctype.h> //ctype.h is very usefull c library when you are working with the characters
#define False 0 //define macro for False and True
#define True 1
int is_pangram(char *s)
{
/*
This function takes a string and returns True if string is a pangram
rturn False else.
"A string is called a Pangram if it contains every letter from 'a'-'z' or 'A'-'Z' atleast ontime."
*/
int arr[26]; //declare a array for corresponding 26 letters of english
int i = 0;
for (i = 0; i < 26; i++)
//initialize the whole array as False
arr[i] = False;
while (*s)
{
//check for the position of the character and push 'True' at that position
if (*s != " ")
{
if (islower(*s))
arr[*s - 'a'] = True; //finds position of lowercase charcters i.e. for 'b' it will 2
if (isupper(*s))
arr[*s - 'A'] = True; //finds position of uppercase charcters i.e. for 'B' it will 2
}
s++;
}
for (i = 0; i < 26; i++)
//check the array for any missing position
if (arr[i] == False)
//if there is any missing position than the string is not a pangram
return False;
//if there is not any missing position than string is a pangram
return True;
}
int main(void)
{
char str[50];
printf("Enter any string : ");
gets(str);
printf("\n\nYou have entered : \n");
puts(str);
if (is_pangram(str))
printf("\nThe string is a Pangram..!!");
else
printf("\nThe string is not a Pangram..!!");
printf("\nThanks..!!");
return 0;
}