String s = gameList[0].toString();
s.replaceFirst(String.valueOf(s.charAt(0)),String.valueOf(Character.toUpperCase(s.charAt(0))) );
并抛出异常
我的另一次尝试是:
String s = gameList[0].toString();
char c = Character.toUpperCase(gameList[0].charAt(0));
gameList[0] = s.subSequence(1, s.length());
这个人也会抛出异常
答案 0 :(得分:13)
/**
* returns the string, the first char lowercase
*
* @param target
* @return
*/
public final static String asLowerCaseFirstChar(final String target) {
if ((target == null) || (target.length() == 0)) {
return target; // You could omit this check and simply live with an
// exception if you like
}
return Character.toLowerCase(target.charAt(0))
+ (target.length() > 1 ? target.substring(1) : "");
}
/**
* returns the string, the first char uppercase
*
* @param target
* @return
*/
public final static String asUpperCaseFirstChar(final String target) {
if ((target == null) || (target.length() == 0)) {
return target; // You could omit this check and simply live with an
// exception if you like
}
return Character.toUpperCase(target.charAt(0))
+ (target.length() > 1 ? target.substring(1) : "");
}
答案 1 :(得分:9)
。 。 。或者在数组中完成所有操作。这是类似的东西。
String titleize(String source){
boolean cap = true;
char[] out = source.toCharArray();
int i, len = source.length();
for(i=0; i<len; i++){
if(Character.isWhitespace(out[i])){
cap = true;
continue;
}
if(cap){
out[i] = Character.toUpperCase(out[i]);
cap = false;
}
}
return new String(out);
}
答案 2 :(得分:2)
关于你的第一次尝试:
String s = gameList[0].toString();
s.replaceFirst(...);
Java字符串是不可变的。您不能在字符串实例上调用方法,并期望该方法修改该字符串。 replaceFirst
会返回 new 字符串。这意味着这些用法是错误的:
s1.trim();
s2.replace("x", "y");
相反,你想要做这样的事情:
s1 = s1.trim();
s2 = s2.replace("x", "y");
至于将CharSequence
的第一个字母更改为大写,这样的内容有效(as seen on ideone.com):
static public CharSequence upperFirst(CharSequence s) {
if (s.length() == 0) {
return s;
} else {
return Character.toUpperCase(s.charAt(0))
+ s.subSequence(1, s.length()).toString();
}
}
public static void main(String[] args) {
String[] tests = {
"xyz", "123 abc", "x", ""
};
for (String s : tests) {
System.out.printf("[%s]->[%s]%n", s, upperFirst(s));
}
// [xyz]->[Xyz]
// [123 abc]->[123 abc]
// [x]->[X]
// []->[]
StringBuilder sb = new StringBuilder("blah");
System.out.println(upperFirst(sb));
// prints "Blah"
}
如果NullPointerException
,这当然会抛出s == null
。这通常是一种恰当的行为。
答案 3 :(得分:0)
我喜欢使用这个更简单的名称解决方案,其中toUp是一个由(“”)分割的全名数组:
for (String name : toUp) {
result = result + Character.toUpperCase(name.charAt(0)) +
name.substring(1).toLowerCase() + " ";
}
此修改后的解决方案可用于仅对大写完整字符串的第一个字母进行大写,同样toUp是字符串列表:
for (String line : toUp) {
result = result + Character.toUpperCase(line.charAt(0)) +
line.substring(1).toLowerCase();
}
希望这有帮助。