我有一个包含如下文本的文件:
AAAA
BBBB
CCCC
DDDD
1234
5678
9012
3456
EEEE
7890
ETC...
我想将字母行与数字行匹配,所以它们是这样的:
AAAA 1234
BBBB 5678
CCCC 9012
DDDD 3456
EEEE 7890
有谁知道一个简单的方法来实现这一目标?
答案1
在 中awk
,保留空行,假设文件格式良好,但可以添加逻辑来检查文件:
awk -v RS="" '{for(i=1; i<=NF; i++) a[i]=$i
getline
for(i=1; i<=NF; i++) print a[i] " " $i
print ""}' file
答案2
<input sed -nr '/^[A-Z]{4}$/,/^$/w out1
/^[0-9]{4}$/,/^$/w out2'
paste -d' ' out1 out2 |sed 's/^ $//'
或者,一步操作,无需临时文件
paste -d' ' <(sed -nr '/^[A-Z]{4}$/,/^$/p' input) \
<(sed -nr '/^[0-9]{4}$/,/^$/p' input) | sed 's/^ $//'
最后sed
一步删除空行上的分隔符,这是由paste
...引入的
答案3
一种使用方法perl
:
内容script.pl
:
use warnings;
use strict;
## Check arguments.
die qq[Usage: perl $0 <input-file>\n] unless @ARGV == 1;
my (@alpha, @digit);
while ( <> ) {
## Omit blank lines.
next if m/\A\s*\Z/;
## Remove leading and trailing spaces.
s/\A\s*//;
s/\s*\Z//;
## Save alphanumeric fields and fields with
## only digits to different arrays.
if ( m/\A[[:alpha:]]+\Z/ ) {
push @alpha, $_;
}
elsif ( m/\A[[:digit:]]+\Z/ ) {
push @digit, $_;
}
}
## Get same positions from both arrays and print them
## in the same line.
for my $i ( 0 .. $#alpha ) {
printf qq[%s %s\n], $alpha[ $i ], $digit[ $i ];
}
内容infile
:
AAAA
BBBB
CCCC
DDDD
1234
5678
9012
3456
EEEE
7890
像这样运行它:
perl script.pl infile
结果:
AAAA 1234
BBBB 5678
CCCC 9012
DDDD 3456
EEEE 7890
答案4
如果条目按顺序排列,
使用以下命令将输入拆分为字母条目和数字条目
grep
:grep "[[:alpha:]]\+" < file > alpha
grep "[[:digit:]]\+" < file > digit
连接两个生成的文件
alpha
和digit
,使用paste
:paste alpha digit
(您可以添加-d " "
,以便它使用空格而不是制表符)