Array-Elemente ab Index k drucken

Array-Elemente ab Index k drucken

Ich habe ein Bash-Array und möchte die Array-Elemente beginnend beim Index drucken k.

Mit der folgenden Strategie hat es nicht geklappt.

printf "%s\n" "${ar[$j:]}"

Antwort1

Die Syntax lautet ${ar[@]:j}1. Aus dem Parameter ExpansionAbschnitt von man bash:

   ${parameter:offset:length}
   .
   .
   .
          If parameter is an indexed array name subscripted by @ or *, the
          result is the length members of the array beginning  with  ${pa‐
          rameter[offset]}.   A  negative  offset is taken relative to one
          greater than the maximum index of the specified array.  It is an
          expansion error if length evaluates to a number less than zero.

So gegeben

$ ar=("1" "2 3" "4" "5 6" "7 8" "9")

dann (denken Sie daran, dass die Array-Indizierung in Bash 0-basiert ist):

$ j=3; printf '%s\n' "${ar[@]:j}"
5 6
7 8
9

Alternativ können Sie eine For-Schleife im C-Stil verwenden:

for ((i=k;i<${#ar[@]};i++)); do
  printf '%s\n' "${ar[i]}"
done

  1. oder ${ar[@]:$j}wenn Sie es vorziehen - die zweite $ist optional, da die Indizes in einem numerischen Kontext ausgewertet werden, ähnlich wie((...))

verwandte Informationen