我收到了这个错误,我不知道为什么。我尝试过一些不同的东西,比如从(!(flag... then == '+'
开始,用==
开始,这也是do语句正下方的行也会出错的地方。有谁看到了问题?我现在试图获得的主要目标是重复打印绳索的for循环,并将旗帜放在左右不同的位置。
package program2;
import java.util.Scanner;
import java.lang.Math;
public class Program2 {
public static int MAX_LENGTH = 21;
public static int MIN_LENGTH = 5;
public static void main(String[] args) {
Scanner keyboard = new Scanner(System.in);
System.out.print("Enter the length of the rope: ");
int ropeLength = keyboard.nextInt();
while (ropeLength < MIN_LENGTH || ropeLength > MAX_LENGTH || ropeLength % 2 != 1) {
System.out.println("Thats not a valid length (odd number between 5 and 21)");
System.out.print("Enter the length of the rope: ");
ropeLength = keyboard.nextInt();
}
char a;
String flag = "+";
for (int i = 0; i < ropeLength / 2; i += 1) {
System.out.print("-");
}
System.out.print(flag);
for (int i = 0; i < ropeLength / 2; i += 1) {
System.out.print("-");
}
System.out.println("");
do {
//a = flag.charAt(ropeLength);
double rand = Math.random();
if (rand > 0.5) {
for (int i = 0; i < (ropeLength / 2) - 1; i++) {
System.out.print("-");
}
System.out.print(flag);
for (int i = 0; i < (ropeLength / 2) + 1; i++) {
System.out.print("-");
}
if (rand < 0.5) {
for (int i = 0; i < (ropeLength / 2) + 1; i++) {
System.out.print("-");
}
System.out.print(flag);
for (int i = 0; i < (ropeLength / 2) - 1; i++) {
System.out.print("-");
}
}
}
} while (flag.charAt(0) != '+' || flag.charAt(ropeLength - 1) != '+');
}
}
对于do while循环,我的for循环似乎只重复了一次或两次。
do {
//a = flag.charAt(ropeLength);
double rand = Math.random();
if (rand > 0.5) {
for (int i = 0; i < (ropeLength / 2) - 1; i++) {
System.out.print("-");
}
System.out.print(flag);
for (int i = 0; i < (ropeLength / 2) + 1; i++) {
System.out.print("-");
}
if (rand < 0.5) {
for (int i = 0; i < (ropeLength / 2) + 1; i++) {
System.out.print("-");
}
System.out.print(flag);
for (int i = 0; i < (ropeLength / 2) - 1; i++) {
System.out.print("-");
}
}
}
} while (flag.charAt(0) != '+' || flag.charAt(ropeLength - 1) != '+');
}
还有最后一件事,我是否需要我在do下面注释掉的代码?
答案 0 :(得分:1)
你有:
String flag = "+";
你永远不会修改它。所以当你有条件时:
flag.charAt(ropeLength - 1) != '+'
除非ropeLength等于1,否则它将始终超出范围。
关于代码的实际行为,正如我所提到的,您永远不会修改flag
变量。所以它的第一个字符总是'+'
,因此你的循环总是会被执行一次。
因此,我根据您的目标使用您的代码看到的第一个问题是您使用flag
和print/println
方法的方式。如果您想知道'+'
的位置,可以这样使用StringBuilder
。
在:
String flag = "+";
for (int i = 0; i < ropeLength / 2; i += 1) {
System.out.print("-");
}
System.out.print(flag);
for (int i = 0; i < ropeLength / 2; i += 1) {
System.out.print("-");
}
System.out.println("");
后:
StringBuilder flag = new StringBuilder( ropeLength );
for (int i = 0; i < ropeLength / 2; i += 1) {
flag.append( '-' );
}
flag.append( '+' );
for (int i = 0; i < ropeLength / 2; i += 1) {
flag.append( '-' );
}
System.out.println( flag.toString() );
// Resetting the StringBuilder for reuse
flag.setLength( 0 );
但是,关于do / while循环,您应该修改整个算法。写这个的方式,如果你使用我上面提到的StringBuilder,'+'
将只会无限期地围绕“绳索”的中心抖动。我很确定这不是真正的意图。