Bash コンソールに三角形を描く

Bash コンソールに三角形を描く

次のようにネストされたループを使用して三角形を描きたいと思いますbash

    /\
   /  \
  /    \
 /      \
/________\

これは私のスクリプトです。

#!/bin/bash
read -r -p "Enter depth of pyramid: " n
echo "You enetered level: $n"
s=0
space=n
for((i=1;i<=n;i++))
do
  space=$((space-1)) #calculate how many spaces should be printed before /
  for((j=1;j<=space;j++))
  do
    echo -n " " #print spaces on the same line before printing /
  done
  for((k=1;k<=i;k++))
  do
    if ((i==1))
    then
      echo -n "/\ " #print /\ on the same line
      echo -n " " #print space after /\ on the same line
    elif((k==1))
    then
      echo -n "/" #print / on the same line
    elif((k==i))
    then
      for((l=1;l<=k+s;l++))
      do
        echo -n " " #print spaces on the same line before printing /\
      done
      s=$((s+1)) #as pyramid expands at bottom, so we need to recalculate inner spaces
      echo -n "\ " #print \ on the same line
    fi
  done
  echo -e #print new line after each row
done

短いバージョンを見つけるのに役立ちます。

答え1

$ ./script.sh
Size: 5
    /\
   /  \
  /    \
 /      \
/________\
#!/bin/bash

read -p 'Size: ' sz

for (( i = 0; i < sz-1; ++i )); do
        printf '%*s/%*s\\\n' "$((sz-i-1))" "" "$((2*i))" ""
done

if [[ $sz -gt 1 ]]; then
        printf '/%s\\\n' "$( yes '_' | head -n "$((2*i))" | tr -d '\n' )"
fi

私は選んだいいえ遅くて不要なので、入れ子になったループを使ってください。三角形の各ビットは、printf現在の行に基づいて文字間の間隔を指定する形式を使用して印刷されます。/\i

一番下の行は特別で、三角形のサイズが許容できる場合にのみ印刷されます。

エマルジョン:

答え2

これが私の試みです。より良い変数名、引用された変数、特別なケースなし、変数突然変異なし(ループカウンタを除く)、コメントの説明はありません。コードが実行し(これがコードの操作であり、コメントは理由を説明するか、言語の弱点を満たす必要があります)、ループが少なくなります。

#!/bin/bash
if (($# == 0))
then
    read -r -p "Enter depth of pyramid: " requested_height
elif (($# == 1))
then
    requested_height="$1"
fi
echo "You enetered level: $requested_height"

left_edge="/"
right_edge=\\

#this procedure can be replaced by printf, but shown here to
#demonstrate what to do if a built in does not already exist.
function draw_padding() {
    width="$1"
    for((i=1;i<=width;i++))
    do
        echo -n " "
    done
}

for((line_number=1;line_number<=requested_height;line_number++))
do
    initial_spaces=$((requested_height-line_number))
    draw_padding "$initial_spaces"

    echo -n "$left_edge"

    middle_spaces="$(((line_number-1) * 2  ))"
    draw_padding "$middle_spaces"

    echo "$right_edge"

done

私がしたこと: - 私が読むことができるようにコードをインデントし、名前をうまく指定しました。 - 条件付き質問:みんな行には a/と a があるので、\変更されることは前の空白と間の空白です。

元の仕様によると、まだ完成していないことを参考にしてください。課題ならもっと練習したはずです。そうしないと、コースの後半に壁にぶつかります。今日は、今回の試みや以前の試みを見ずに、このプログラムを3回作成してみてください。その後、3日間1日1回、次に1週間に1回行います。同様のコーディング課題で練習し続けます。 (その他を学ぶように練習もしなければなりません。)

関連情報