如何找到String
中的字符并在字符串上打印字符的位置?例如,我想在此字符串中找到'o'
的位置:"you are awesome honey"
并获得答案= 1 12 17
。
我写了这个,但它不起作用:
public class Pos {
public static void main(String args[]){
String string = ("You are awesome honey");
for (int i = 0 ; i<string.length() ; i++)
if (string.charAt(i) == 'o')
System.out.println(string.indexOf(i));
}
}
答案 0 :(得分:4)
你几乎是对的。问题是你的最后一行。您应该打印i
而不是string.indexOf(i)
:
public class Pos{
public static void main(String args[]){
String string = ("You are awesome honey");
for (int i = 0 ; i<string.length() ; i++)
if (string.charAt(i) == 'o')
System.out.println(i);
}
}
答案 1 :(得分:0)
从第一个字符开始,遍历所有字符,直到结束。在每个步骤测试角色是否为'o'。如果是,那么打印位置。
答案 2 :(得分:0)
static ArrayList<String> getCharPosition(String str, char mychar) {
ArrayList<String> positions = new ArrayList<String>();
if (str.length() == 0)
return null;
for (int i = 0; i < str.length(); i ++) {
if (str.charAt(i) == mychar) {
positions.add(String.valueOf(i));
}
}
return positions;
}
String string = ("You are awesome honey");
ArrayList<String> result = getCharPosition(string, 'o');
for (int i = 0; i < result.size(); i ++) {
System.out.println("char position is: " + result.get(i));
}
<强>输出:强>
char position is: 1
char position is: 12
char position is: 17
答案 3 :(得分:0)
这里是Java:
String s = "you are awesome honey";
char[] array = s.toCharArray();
for(int i = 0; i < array.length; i++){
if(array[i] == 'o'){
System.out.println(i);
}
}
答案 4 :(得分:0)
这是查找字符串
中特定字符的所有位置的函数public ArrayList<Integer> findPositions(String string, char character) {
ArrayList<Integer> positions = new ArrayList<>();
for (int i = 0; i < string.length(); i++){
if (string.charAt(i) == character) {
positions.add(i);
}
}
return positions;
}
并通过
使用它ArrayList<Integer> result = findPositions("You are awesome honey",'o');
// result will contains 1,12,17