# 1832. Check if the Sentence Is Pangram

#### Easy

***

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* `sentence` *is a **pangram**, or* `false` *otherwise.*

&#x20;

**Example 1:**

<pre><code>Input: sentence = "thequickbrownfoxjumpsoverthelazydog"
<strong>Output:
</strong> true
<strong>Explanation:
</strong> sentence contains at least one of every letter of the English alphabet.
</code></pre>

**Example 2:**

<pre><code>Input: sentence = "leetcode"
<strong>Output:
</strong> false
</code></pre>

&#x20;

**Constraints:**

* `1 <= sentence.length <= 1000`
* `sentence` consists of lowercase English letters.

```python
class Solution:
    def checkIfPangram(self, sentence: str) -> bool:
        return True if len(Counter(sentence)) == 26 else False
```
