Check if the Sentence Is Pangram LeetCode Solution - The Coding Shala
Home >> LeetCode >> Check if the Sentence is Pangram
Other Posts You May Like
In this post, we will learn how to solve LeetCode's Check if the Sentence Is Pangram Problem and will implement its solution in Java.
Check if the Sentence Is Pangram Problem
A pangram is a sentence where every letter of the English alphabet appears at least once. Given a string sentence containing only lowercase English letters, return true if the sentence is a pangram, or false otherwise.
Example 1:
Input: sentence = "thequickbrownfoxjumpsoverthelazydog"
Output: true
Explanation: sentence contains at least one of every letter of the English alphabet.
Example 2:
Input: sentence = "leetcode"
Output: false
Practice this problem on LeetCode.
LeetCode - Check if the Sentence Is Pangram Java Solution
Approach 1
As we know HashSet contains only unique values. So here we can use a Character HashSet and then check the size of the set if it is 26 then the string is a pangram.
Java Program:
class Solution { public boolean checkIfPangram(String sentence) { Set<Character> set = new HashSet<>(); for(int i = 0; i < sentence.length(); i++) { set.add(sentence.charAt(i)); } return set.size() == 26; } }
- LeetCode - Truncate Sentence
- LeetCode - Goat Latin
- LeetCode - Incremental Memory Leak
- LeetCode - Richest Customer Wealth
- LeetCode - Sorting the Sentence
Comments
Post a Comment