我尝试了以下命令: awk'/ search-pattern / {print $ 1}' 如何为上述命令编写else部分?
答案 0 :(得分:6)
一种简单的方法是,
/REGEX/ {action-if-matches...}
! /REGEX/ {action-if-does-not-match}
这是一个简单的例子,
$ cat test.txt
123
456
$ awk '/123/{print "O",$0} !/123/{print "X",$0}' test.txt
O 123
X 456
相当于上述内容,但没有违反DRY principle:
awk '/123/{print "O",$0}{print "X",$0}' test.txt
这在功能上等同于awk '/123/{print "O",$0} !/123/{print "X",$0}' test.txt
答案 1 :(得分:6)
awk '{if ($0 ~ /pattern/) {then_actions} else {else_actions}}' file
$0
代表整个输入记录。
Another idiomatic way
基于三元运算符语法selector ? if-true-exp : if-false-exp
awk '{print ($0 ~ /pattern/)?text_for_true:text_for_false}'
awk '{x == y ? a[i++] : b[i++]}'
awk '{print ($0 ~ /two/)?NR "yes":NR "No"}' <<<$'one two\nthree four\nfive six\nseven two'
1yes
2No
3No
4yes
答案 2 :(得分:5)
awk
的默认操作是打印一行。我们鼓励您使用更多惯用的awk
awk '/pattern/' filename
#prints all lines that contain the pattern.
awk '!/pattern/' filename
#prints all lines that do not contain the pattern.
# If you find if(condition){}else{} an overkill to use
awk '/pattern/{print "yes";next}{print "no"}' filename
# Same as if(pattern){print "yes"}else{print "no"}
答案 3 :(得分:4)
根据您要在else
部分中执行的操作以及有关脚本的其他内容,请在以下选项中进行选择:
awk '/regexp/{print "true"; next} {print "false"}'
awk '{if (/regexp/) {print "true"} else {print "false"}}'
awk '{print (/regexp/ ? "true" : "false")}'
答案 4 :(得分:0)