Programming Examples
Java program to check whether the given string is pangram or not.
Pangram :- If a string contains every letter of the English alphabet i.e all 26 alphabets then the string is known as Pangram.
For Example :-
String1 = The quick brown fox jumps over the lazy dog
So as we can see that the given strings contains all letters of English alphabet therefore the string is Pangram.
Solutionclass Pangram
{
public static void main(String[] args)
{
String str = "The quick brown fox jumps over the lazy dog";
boolean[] value = new boolean[26];
int index = 0;
int flag = 1;
for (int i = 0; i < str.length(); i++)
{
if ( str.charAt(i) >= 'A' && str.charAt(i) <= 'Z')
{
index = str.charAt(i) - 'A';
}
else if( str.charAt(i) >= 'a' && str.charAt(i) <= 'z')
{
index = str.charAt(i) - 'a';
}
value[index] = true;
}
for (int i = 0; i <= 25; i++)
{
if (value[i] == false)
flag = 0;
}
if (flag == 1)
System.out.print("The String is a Pangram String.");
else
System.out.print("The String is not a Pangram String.");
}
}
OutputThe String is a Pangram String.
