【题目描述】

全字母句 指包含英语字母表中每个字母至少一次的句子。

给你一个仅由小写英文字母组成的字符串 sentence ,请你判断 sentence 是否为 全字母句 。

如果是,返回 true ;否则,返回 false 。

​https://leetcode.cn/problems/check-if-the-sentence-is-pangram/​

【示例】

【LeeCode】1832. 判断句子是否为全字母句_i++

【代码】admin

import java.util.*;

/**
* 2022-12-15
*/

class Solution {
public boolean checkIfPangram(String sentence) {
boolean flag = true;
for (int i = 97; i < 97 + 26; i++){
char c = (char)i;
if (!sentence.contains(c+"")){
flag = false;
}
}
System.out.println(flag);
return flag;
}
}

public class Main {
public static void main(String[] args) {
String str = "thequickbrownfoxjumpsoverthelazydog"; // 输出:true
String str1 = "leetcode"; // 输出:false
new Solution().checkIfPangram(str);
new Solution().checkIfPangram(str1);
}
}


【代码2】可爱抱抱呀

字符串长度小于26,可直接返回false。

import java.util.*;
class Solution {
// 很巧妙的, 基于set来判断是否包含了全部的字符
public boolean checkIfPangram(String sentence) {
Set<Character> set=new HashSet<>();
for(char c:sentence.toCharArray()){set.add(c);}
return set.size()==26;
}
}

public class Main {
public static void main(String[] args) {
String str = "thequickbrownfoxjumpsoverthelazydog"; // 输出:true
String str1 = "leetcode"; // 输出:false
new Solution().checkIfPangram(str);
new Solution().checkIfPangram(str1);
}
}

【代码3】官方

import java.util.*;
class Solution {
public boolean checkIfPangram(String sentence) {
boolean[] exist = new boolean[26];
for (int i = 0; i < sentence.length(); i++) {
char c = sentence.charAt(i);
exist[c - 'a'] = true;
}
for (boolean x : exist) {
if (!x) {
return false;
}
}
return true;
}
}

public class Main {
public static void main(String[] args) {
String str = "thequickbrownfoxjumpsoverthelazydog"; // 输出:true
String str1 = "leetcode"; // 输出:false
new Solution().checkIfPangram(str);
new Solution().checkIfPangram(str1);
}
}