我在使用以下代码时遇到麻烦:

//Program 6.12
public class Ex6_12 {
    public static void printChars(char ch1, char ch2, int numberPerLine) {
      for (int i = ch1; i>ch2; i++) {
        for (int j = 0; j<=numberPerLine; j++) {
          System.out.printf("%c ", (char)(i));
        }
        System.out.println("");
      }
    }
    public static void main (String[] args) {
      printChars('1', 'Z', 10);
    }
}


前面的代码什么都不打印,我希望它以每行选定的字符数将选定的字符打印为不同的选定字符。不确定我在哪里犯了错误。

对于此输入,我需要输出:

1 2 3 4 5 6 7 8 9 :
; < = > ? @ A B C D
E F G H I J K L M N
O P Q R S T U V W X
Y


(范围是从第一个传递的char到小于最后一个的,且与行中的char一样多)

最佳答案

您不需要两个循环。由于在内部循环中使用的是i,但是从不对其进行递增,因此得到的相同字母的印刷numberPerLine次数。只需检查一下numberPerLine的模数是否等于numberPerLine - 1(如果已打印numberPerLine个元素):

public static void printChars(char ch1, char ch2, int numberPerLine) {
     for (char i = ch1; i<ch2; i++) {
         System.out.printf("%c ", i);
         if((i-ch1) % numberPerLine == numberPerLine-1) {
              System.out.println("");
         }
     }
}


这将给:

1 2 3 4 5 6 7 8 9 :
; < = > ? @ A B C D
E F G H I J K L M N
O P Q R S T U V W X
Y

09-11 17:25