我想将字符串的第一个字符转换为大写字母,其余字符转换为小写字母。我该怎么做?
示例:
String inputval="ABCb" OR "a123BC_DET" or "aBcd"
String outputval="Abcb" or "A123bc_det" or "Abcd"
答案 0 :(得分:104)
尝试使用此尺寸:
String properCase (String inputVal) {
// Empty strings should be returned as-is.
if (inputVal.length() == 0) return "";
// Strings with only one character uppercased.
if (inputVal.length() == 1) return inputVal.toUpperCase();
// Otherwise uppercase first letter, lowercase the rest.
return inputVal.substring(0,1).toUpperCase()
+ inputVal.substring(1).toLowerCase();
}
它基本上首先处理空字符和单字符字符串的特殊情况,否则正确地处理一个双字符字符串。并且,正如评论中所指出的那样,功能不需要单字符特殊情况,但我仍然喜欢明确,特别是如果它导致更少的无用调用,例如子字符串以获得空字符串,更低的外壳它,然后附加它。
答案 1 :(得分:14)
String a = "ABCD"
使用此
a.toLowerCase();
所有字母都将转换为简单,“abcd”
使用这个
a.toUpperCase()
所有字母都将转换为Capital,“ABCD”
这是汇总给首都的第一封信:
a.substring(0,1).toUpperCase()
这个转换其他字母简单
a.substring(1).toLowerCase();
我们可以得到这两个的总和
a.substring(0,1).toUpperCase() + a.substring(1).toLowerCase();
结果= “Abcd”
答案 2 :(得分:10)
WordUtils.capitalizeFully(str)
具有所需的确切语义。
答案 3 :(得分:8)
String inputval="ABCb";
String result = inputval.substring(0,1).toUpperCase() + inputval.substring(1).toLowerCase();
将“ABCb”更改为“Abcb”
答案 4 :(得分:3)
我认为这比任何先前的正确答案都简单。我也会投入javadoc。 : - )
/**
* Converts the given string to title case, where the first
* letter is capitalized and the rest of the string is in
* lower case.
*
* @param s a string with unknown capitalization
* @return a title-case version of the string
*/
public static String toTitleCase(String s)
{
if (s.isEmpty())
{
return s;
}
return s.substring(0, 1).toUpperCase() + s.substring(1).toLowerCase();
}
长度为1的字符串不需要被视为特殊情况,因为s.substring(1)
在s
长度为1时返回空字符串。
答案 5 :(得分:-5)
/* This code is just for convert a single uppercase character to lowercase
character & vice versa.................*/
/* This code is made without java library function, and also uses run time input...*/
import java.util.Scanner;
class CaseConvert {
char c;
void input(){
//@SuppressWarnings("resource") //only eclipse users..
Scanner in =new Scanner(System.in); //for Run time input
System.out.print("\n Enter Any Character :");
c=in.next().charAt(0); // input a single character
}
void convert(){
if(c>=65 && c<=90){
c=(char) (c+32);
System.out.print("Converted to Lowercase :"+c);
}
else if(c>=97&&c<=122){
c=(char) (c-32);
System.out.print("Converted to Uppercase :"+c);
}
else
System.out.println("invalid Character Entered :" +c);
}
public static void main(String[] args) {
// TODO Auto-generated method stub
CaseConvert obj=new CaseConvert();
obj.input();
obj.convert();
}
}
/*OUTPUT..Enter Any Character :A Converted to Lowercase :a
Enter Any Character :a Converted to Uppercase :A
Enter Any Character :+invalid Character Entered :+*/