A pangram is a sentence containing every letter in the English Alphabet (a-z).
Pangram example: The quick brown fox jumps over the lazy dog
Upasana | September 12, 2020 | 2 min read | 3,206 views | Java Coding Challenges
Pack my box with five dozen liquor jugs.
Approach:
Create an boolean array that can hold 26 boolean corresponding to each alphabet in English.
Traverse each character of the sentence and mark corresponding index (a=0, b=1,.. z=26) in the boolean array. Take care of upper and lower case.
Traverse through the entire boolean array and see if all characters are covered. If all positions are set to true then input sentence is a pangram.
public class Pangram {
public boolean checkPangram(String str) {
boolean[] mark = new boolean[26];
int index = 0;
for (int i = 0; i < str.length(); i++) {
// If uppercase character, subtract 'A' to find index.
if ('A' <= str.charAt(i) && str.charAt(i) <= 'Z')
index = str.charAt(i) - 'A';
else if ('a' <= str.charAt(i) && str.charAt(i) <= 'z')
index = str.charAt(i) - 'a';
mark[index] = true;
}
for (int i = 0; i <= 25; i++)
if (!mark[i])
return (false);
return (true);
}
}
A slightly optimized version of the same program can use an integer (has 32 bits) to hold the state of 26 alphabets by use of Bitwise OR and left shift operator.
private void pangramEfficient() {
String s = "The quick brown fox jumps over the lazy dog";
int i = 0;
for (char c : s.toCharArray()) {
int x = Character.toUpperCase(c);
if (x >= 'A' && x <= 'Z') {
i |= 1 << (x - 'A'); (1)
}
}
if (i == (1 << (1 + 'Z' - 'A')) - 1) { (2)
System.out.println("input is a pangram");
} else {
System.out.println("input is not a pangram");
}
}
1 | We are setting nth bit in the integer, where n = 0 for a and n=26 for z. Bitwise ORing can be used to set nth bit of a integer. |
2 | We are checking if first 26 bits (corresponding to each alphabet) are set or not |
No program is complete without a accompanying testcase. Lets write a simple Junit test for Pangram Checker.
import org.junit.Test;
import static org.junit.Assert.assertTrue;
public class PangramTest {
private Pangram pangramChecker = new Pangram();
@Test
public void checkPangram() {
String str = "The quick brown fox jumps over the lazy dog";
assertTrue(pangramChecker.checkPangram(str));
}
}
Thats all.