我正在尝试编写一个 C 程序来打印菱形图案,其中边长(以 @ 符号测量)由用户提供。该程序应遵循以下规则:
边长最大为20,最小边长为1。 该模式按照特定顺序在 @、. 和 o 之间交替。 例如,对于不同的长度,输出应该是这样的:
Length 1 @:
@
Length 2 @'s:
@
@.@
@
Length 5 @'s:
@
@.@
@.o.@
@.o.o.@
@[email protected].@
@.o.o.@
@.o.@
@.@
@
Length 6 @'s:
@
@.@
@.o.@
@.o.o.@
@[email protected].@
@.o.@[email protected].@
@[email protected].@
@.o.o.@
@.o.@
@.@
@
这就是我现在所拥有的:
#include <stdio.h>
int main(){
int length;
int counter;
printf("¿Length of the rhombus?: ");
scanf("%d", &length);
if(length > 20 || length < 1){
printf("The length must be at least 1 and maximum 20.");
return 1;
}
else if(length == 1){
printf("@");
return 0;
}
else{
/*-- Create as many lines as "length" value --*/
for(int i = 1; i <= length; i++){
/* Upper left triangle */
/* -------------------------------------------------------- */
/* Create enough blank spaces before the character sequence */
for(int j = 1; j <= length-i; j++){
printf(" ");
}
/* Create the sequence "@.o.@" */
counter = 0;
for(int j = 1; j <= i; j++){
if(counter % 4 == 0){
printf("@");
}
else if(counter % 4 == 1){
printf(".");
}
else if(counter % 4 == 2){
printf("o");
}
else{
printf(".");
}
counter++;
}
/* -------------------------------------------------------- */
/* Upper right triangle*/
/* -------------------------------------------------------- */
//I don't know what to do here
/* -------------------------------------------------------- */
printf("\n");
}
}
}
我可以添加什么来构建菱形的右侧部分? (如果有任何建议可以改进我对未来问题的推理方式,我将不胜感激)
让我们两个一起结婚吧。假设我们已经有一个
length
变量,这就是你可以继续的方式:
int i, j, limit = 0;
//rows
for (i = 0; i <= 2 * length; i++) {
char alternating[] = {'.', 'o'};
int alternatingIndex = 0;
//columns
for (j = 0; j <= 2 * length; j++) {
//out of bounds
if ((j < length - limit) || (j > length + limit)) printf(" ");
//on bounds
else if ((j == length - limit) || (j == length + limit)) printf("@");
//alternating characters
else {
//display current character
printf("%c", alternating[alternatingIndex]);
//alternate to the next, since 1 - 0 = 1 and 1 - 1 = 0
alternatingIndex = 1 - alternatingIndex;
}
}
//moving limit to the right direction
limit += ((i < length) ? 1 : -1) * 1;
//newline
printf("\n");
}
评论在字里行间。我不确定在非绑定位置显示
@
的标准是什么,所以我忽略了该部分,直到得到进一步的澄清。所以,当长度为 10 时,这就是我们看到的:
@
@.@
@.o.@
@.o.o.@
@.o.o.o.@
@.o.o.o.o.@
@.o.o.o.o.o.@
@.o.o.o.o.o.o.@
@.o.o.o.o.o.o.o.@
@.o.o.o.o.o.o.o.o.@
@.o.o.o.o.o.o.o.o.o.@
@.o.o.o.o.o.o.o.o.@
@.o.o.o.o.o.o.o.@
@.o.o.o.o.o.o.@
@.o.o.o.o.o.@
@.o.o.o.o.@
@.o.o.o.@
@.o.o.@
@.o.@
@.@
@
如果您可以从中找出@还要显示在哪里,请在评论中告诉我。如果您无法实现它,请用简单的语言指定它。