我希望用户输入一个String,然后以选定的间隔在字符之间添加一个空格。
示例:用户输入:hello
然后每2个字母问一个空格。
输出= he_ll_o_
import java.util.Scanner;
public class stackOverflow {
public static void main(String[] args) {
System.out.println("enter a string");
Scanner input = new Scanner(System.in);
String getInput = input.nextLine();
System.out.println("how many spaces would you like?");
Scanner space = new Scanner(System.in);
int getSpace = space.nextInt();
String toInput2 = new String();
for(int i = 0; getInput.length() > i; i++){
if(getSpace == 0) {
toInput2 = toInput2 + getInput.charAt(i);
}
else if(i % getSpace == 0) {
toInput2 = toInput2 + getInput.charAt(i) + "_"; //this line im having trouble with.
}
}
System.out.println(toInput2);
}
}
到目前为止,这就是我的代码,它可能是解决它的完全错误的方法,所以如果我做错了,请更正我。提前致谢 :)
最佳答案
我认为您可能希望将循环主体编写如下:
for(int i = 0; getInput.length() > i; i++) {
if (i != 0 && i % getSpace == 0)
toInput2 = toInput2 + "_";
toInput2 = toInput2 + getInput.charAt(i);
}
但是,有一种使用正则表达式的简单方法:
"helloworld".replaceAll(".{3}", "$0_") // "hel_low_orl_d"