2

假设我有一个这种格式的文件文件 1:

kk a 1
rf c 3
df g 7
er e 4
es b 3

和另一个文件2:

c
g
e

我想根据文件 2 过滤第二列并输出如下文件:

rf c 3
df g 7
er e 4

linux命令如何处理这个?

4

3 回答 3

2
awk 'NR==FNR{A[$1];next}($2 in A)' file2 file1
于 2013-04-27T11:39:05.523 回答
0

不一定快速或漂亮,但可以做到:

cut -f 2 -d ' ' file1 | while read letter; do grep -n "$letter" file2 | cut -d ':' -f 1 | while read lineNo; do sed $((lineNo+1))'!d' file1; done; done;
于 2013-02-12T22:52:41.710 回答
0

join如果两个文件都已排序或按正确的顺序,您可以使用它。虽然这给出了不同的输出

join --nocheck-order -1 2 -2 1 file1.txt file2.txt

c rf 3
g df 7
e er 4

使用 perl,您可以读取密钥文件,然后检查每一行是否匹配

use strict;
use warnings;

my %keys;
open(my $f1, '<', 'file2.txt') or die("Cannot open file2.txt: $!");
while (<$f1>) {
    chomp;
    $keys{$_} = 1;
}

close($f1);

open(my $f2, '<', 'file1.txt') or die("Cannot open file1.txt: $!");
while (<$f2>) {
    my(undef, $col2, undef) = split(' ', $_);
    print if ($keys{$col2});
}

close($f2);

这将给出所需的

rf c 3
df g 7
er e 4
于 2013-02-12T22:28:09.897 回答