我有一个ArrayList方法,它接受一个ArrayList,需要以相反的顺序返回单词。我知道我需要使用toCharArray,一旦我打印它们后面的词我需要将它添加回ArrayList。代码如下。
示例输出应该是 猫 狗
应该是
TAC 神
public static ArrayList<String> reverseWordLetters(ArrayList<String> textArray)
{
ArrayList<String> results = new ArrayList<String>(textArray.size());
char [] c = new char[textArray.size()];
for(int i = 0; i < textArray.size(); i ++)
{
c = textArray.get(i).toCharArray();
}
return results;
}
答案 0 :(得分:3)
for(String s: textArray) {
results.add(new StringBuilder(s).reverse().toString())
}
答案 1 :(得分:1)
public static String reverse(String string) {
char[] charArray = string.toCharArray();
char tempChar;
for (int i = 0, j = charArray.length - 1 ; i < charArray.length / 2; i++, j--) {
tempChar = charArray[i];
charArray[i] = charArray [j];
charArray[j] = tempChar;
}
return new String(charArray);
}
对于简单的反向(即如果你不关心像Character.MIN_SURROGATE或Character.MAX_SURROGATE这样的东西),那么上面的方法绰绰有余,并且在CPU和CPU方面比使用StringBuilder稍微高效一点。记忆(即如果音量是一个问题)。
<强> CPU:强> 在重复1亿次执行上述反向方法和StringBuilder提供的方法的测试中,上述方法仅花费了StringBuilder所占时间的55%。
<强> MEMORY 强> 在内存方面,上面的方法在Heap中创建了一个较少的对象(未创建StringBuilder对象)
答案 2 :(得分:0)
public static ArrayList<String> foo(ArrayList<String> list){
//if the list is empty or null return
if(list == null || list.isEmpty()){
return list;
}
//go through each string item in the list
for(int i = 0; i < list.size(); i++){
/*
* get the first string and convert it to char
* array so we can reverse the string
*/
String s = list.remove(0);
char c[] = s.toCharArray();
//reverse the string
for(int j = 0; j < c.length/2; j++){
char tmp = c[j];
c[j] = c[c.length-j-1];
c[c.length-j-1] = tmp;
}
/*
* add the reverse string to
* the end of the list
*/
list.add(new String(c));
}
/*
* return the list of strings which will
* be in the same order but the string
* itself will be reversed
*/
return list;
}