awk NR 变量未按预期工作,在请求第一个字段时获取整行

awk NR 变量未按预期工作,在请求第一个字段时获取整行
echo cat:
cat Records.txt
echo ""
echo Using a digit for the second record:
record_id=$(awk 'NR==2{print $1; exit}' Records.txt)
echo $record_id
echo ""
a=2
echo a is set to $a
echo ""
echo Using a variable and single quotes:
record_id=$(awk 'NR==$a{print $1; exit}' Records.txt)
echo $record_id
echo Using a variable and double quotes:
record_id=$(awk "NR==$a{print $1; exit}" Records.txt)
echo $record_id

输出

cat:
Apples 1000 happy worms
Carrots 10 happy bunnies

Using a digit for the second record:
Carrots

a is set to 2

Using a variable and single quotes:

Using a variable and double quotes:
Carrots 10 happy bunnies

我知道使用变量需要双引号,但为什么它不再仅限于输出第一个字段?我只想要 Carrots 这个词。

答案1

当您使用单引号时,$ashell 不会扩展 ,因此 awk 会将其视为文字NR=$a。由于awk 变量 a未初始化,相当于NR=$0将当前记录号与价值的记录。

使用双引号时,$a $1被 shell 扩展,并且表达式变成NR==2{print ; exit}因为$1在你的交互式 shell 中是空的 - 这就是它打印整个记录的原因。

这里有几种将 shell 变量值传递给 awk 的方法,同时避免了 shell 扩展的棘手性:

awk -v a="$a" 'NR==a{print $1; exit}'

或者

export a
awk 'NR==ENVIRON["a"]{print $1; exit}'

(你可以使用双引号来允许扩展$a,然后$1通过额外的引用/转义来防止扩展,例如,awk "NR==$a{print \$1; exit}" Records.txt但我建议不要这样做。)

答案2

您可以简单地使用双引号并转义$打印语句,以便 bash 将其忽略为

awk "NR==2{print \$1; exit}"

相关内容