题目描述
给你一个由英文字母组成的字符串 s ,请你找出并返回 s 中的 最好 英文字母。返回的字母必须为大写形式。如果不存在满足条件的字母,则返回一个空字符串。
最好 英文字母的大写和小写形式必须 都 在 s 中出现。
英文字母 b 比另一个英文字母 a 更好 的前提是:英文字母表中,b 在 a 之 后 出现。
示例 1:
输入:s = “lEeTcOdE”
输出:“E”
解释:
字母 ‘E’ 是唯一一个大写和小写形式都出现的字母。
示例 2:
输入:s = “arRAzFif”
输出:“R”
解释:
字母 ‘R’ 是大写和小写形式都出现的最好英文字母。
注意 ‘A’ 和 ‘F’ 的大写和小写形式也都出现了,但是 ‘R’ 比 ‘F’ 和 ‘A’ 更好。
示例 3:
输入:s = “AbCdEfGhIjK”
输出:“”
解释:
不存在大写和小写形式都出现的字母。
提示:
1 <= s.length <= 1000
s 由小写和大写英文字母组成
求解思路&实现代码
- 这道题目不难,简单,思路也非常清晰,就是看模拟代码功力怎么样。
暴力
class Solution {
public String greatestLetter(String s) {
String str="";
int max=0;
for(int i=0;i<s.length();i++){
for(int j=i+1;j<s.length();j++){
if(Math.abs(s.charAt(j)-s.charAt(i))==32){
if(max<(int)(Character.toLowerCase(s.charAt(i)))){
max=(int)(Character.toLowerCase(s.charAt(i)));
str=Character.toUpperCase(s.charAt(i))+"";
}
}
}
}
return str;
}
}
哈希表
class Solution {
public String greatestLetter(String s) {
char c1=' ';
Set<Character> set=new HashSet<>();
Set<Character> set1=new HashSet<>();
for(char c:s.toCharArray()) set.add(c);
for(char c:s.toCharArray()){
if(Character.isUpperCase(c)){
if(set.contains((char)(c+32))){
if(set1.add(c)){
if(c1==' '){
c1=c;
}else{
if(c>c1){
c1=c;
}
}
}
}
}
}
return c1==' '?"":c1+"";
}
}
哈希表+小贪心(逆序)
class Solution {
public String greatestLetter(String s) {
Set<Character> ht = new HashSet<Character>();
for (int i = 0; i < s.length(); i++) {
char c = s.charAt(i);
ht.add(c);
}
for (int i = 25; i >= 0; i--) {
if (ht.contains((char) ('a' + i)) && ht.contains((char) ('A' + i))) {
return String.valueOf((char) ('A' + i));
}
}
return "";
}
}