Einfacher einzeiliger Trick zum Dumping des Arrays
Ich habe einen Wert mit Leerzeichen hinzugefügt:
foo=()
foo[12]="bar"
foo[42]="foo bar baz"
foo[35]="baz"
Ich, für schnell Dump BashArrays oder assoziative Arrays, die ich benutze
Dieser einzeilige Befehl:
paste <(printf "%s\n" "${!foo[@]}") <(printf "%s\n" "${foo[@]}")
Wird rendern:
12 bar
35 baz
42 foo bar baz
Erklärt
printf "%s\n" "${!foo[@]}"
druckt alle durch einen Zeilenumbruch getrennten Schlüssel ,
printf "%s\n" "${foo[@]}"
druckt alle durch einen Zeilenumbruch getrennten Werte ,
paste <(cmd1) <(cmd2)
führt die Ausgabe von cmd1
und cmd2
Zeile für Zeile zusammen.
Tunning
Dies könnte durch -d
Schalter eingestellt werden:
paste -d : <(printf "%s\n" "${!foo[@]}") <(printf "%s\n" "${foo[@]}")
12:bar
35:baz
42:foo bar baz
oder auch:
paste -d = <(printf "foo[%s]\n" "${!foo[@]}") <(printf "'%s'\n" "${foo[@]}")
foo[12]='bar'
foo[35]='baz'
foo[42]='foo bar baz'
Das assoziative Array funktioniert genauso:
declare -A bar=([foo]=snoopy [bar]=nice [baz]=cool [foo bar]='Hello world!')
paste -d = <(printf "bar[%s]\n" "${!bar[@]}") <(printf '"%s"\n' "${bar[@]}")
bar[foo bar]="Hello world!"
bar[foo]="snoopy"
bar[bar]="nice"
bar[baz]="cool"
Problem mit Zeilenumbrüchen oder Sonderzeichen
Leider gibt es mindestens eine Bedingung, die dazu führt, dass dies nicht mehr funktioniert: Wenn Variablen Zeilenumbrüche enthalten:
foo[17]=$'There is one\nnewline'
Der Befehl paste
wird zeilenweise zusammengeführt, sodass die Ausgabe falsch wird:
paste -d = <(printf "foo[%s]\n" "${!foo[@]}") <(printf "'%s'\n" "${foo[@]}")
foo[12]='bar'
foo[17]='There is one
foo[35]=newline'
foo[42]='baz'
='foo bar baz'
Für diese Arbeit können Sie %q
anstelle des %s
zweiten printf
Befehls (und des Whipe-Zitats) Folgendes verwenden:
paste -d = <(printf "foo[%s]\n" "${!foo[@]}") <(printf "%q\n" "${foo[@]}")
Wird perfekt machen:
foo[12]=bar
foo[17]=$'There is one\nnewline'
foo[35]=baz
foo[42]=foo\ bar\ baz
Von man bash
:
%q causes printf to output the corresponding argument in a
format that can be reused as shell input.
(a b c)
, um es in ein Array zu konvertieren.