leetcode 520.检测大写字母判断单词是否正确

原题如下

leetcode 520.检测大写字母判断单词是否正确_第1张图片
—————————————————分割线—————————————————————

方法一

单词长度为1返回true,因为一个字母无所谓大小写;单词长度为2时,只有在小大写时为false;单词长度大于2时有三种为false的情况:1、第一位小写,后边凡出现大写的;2、前两位大小写,后边出现小写的;3、前两位都大写,后边凡是出现小写的;
其他情况都返回true

class Solution {
    public boolean detectCapitalUse(String word) {
           if(word.length()==1){
               return true;
           }
           else if(word.length()==2){
            if(Character.isLowerCase(word.charAt(0))&&Character.isUpperCase(word.charAt(1))){
                return false;
            }
           }
           else {
               if(Character.isLowerCase(word.charAt(0))){
                   for(int i=1;i<word.length();i++){
                       if(Character.isUpperCase(word.charAt(i))){
                           return false;
                       }
                   }
               }
                else if(Character.isUpperCase(word.charAt(0))&&Character.isLowerCase(word.charAt(1))){
                    for(int j=2;j<word.length();j++){
                        if(Character.isUpperCase(word.charAt(j))){
                            return false;
                        }
                    }
                    
                }
                else if(Character.isUpperCase(word.charAt(0))&&Character.isUpperCase(word.charAt(1))){
                   for(int k=2;k<word.length();k++){
                       if(Character.isLowerCase(word.charAt(k))){
                           return false;
                       }
                   }
                }
           }return true;
    }    
}

在答案区看见一个巧妙的思路:
单词可分两种情况,一种是全部都是大写,返回true;另一种是不考虑首字母的大小写(因为大小写都可以),其余都是小写就返回true,否则false

我按照其思路试着编了一下,算是部分剽窃吧

//此思路剽窃了VincentWang-zh的思路,并且剽窃了部分其代码判断方式
//return word.toUpperCase().equals(word)? true: (word.substring(1).toLowerCase().equals(word.substring(1))? true: false);
class Solution {
    public boolean detectCapitalUse(String word) {
           if(word.toUpperCase().equals(word)){
               return true;               
           }
           else if(word.substring(1).toLowerCase().equals(word.substring(1))){
               return true;
           }
           return false;
    }    
}

你可能感兴趣的:(可爱宝宝做leetcode)