我有一个包含n行的文档A。我还有一个由n 个整数组成的序列,它们都是唯一的并且 < n。我的目标是根据给定的序列创建一个与A内容相同但行重新排序的文档B 。
例子:
答:
Foo
Bar
Bat
顺序:(2,0,1
意思是:先第2行,然后第0行,然后第1行)
输出(乙):
Bat
Foo
Bar
在此先感谢您的帮助
另一种解决方案:
您可以通过以下方式创建序列文件(假设序列以逗号分隔):
echo $sequence | sed s/,/\\n/g > seq.txt
然后,只需执行以下操作:
paste seq.txt A.txt | sort tmp2.txt | sed "s/^[0-9]*\s//"
这是一个bash函数。顺序可以由任何东西分隔。
用法:schwartzianTransform "A.txt" 2 0 1
function schwartzianTransform {
local file="$1"
shift
local sequence="$@"
echo -n "$sequence" | sed 's/[^[:digit:]][^[:digit:]]*/\
/g' | paste -d ' ' - "$file" | sort -n | sed 's/^[[:digit:]]* //'
}
an awk oneliner could do the job:
awk -vs="$s" '{d[NR-1]=$0}END{split(s,a,",");for(i=1;i<=length(a);i++)print d[a[i]]}' file
$s
is your sequence.
take a look this example:
kent$ seq 10 >file #get a 10 lines file
kent$ s=$(seq 0 9 |shuf|tr '\n' ','|sed 's/,$//') # get a random sequence by shuf
kent$ echo $s #check the sequence in var $s
7,9,1,0,5,4,3,8,6,2
kent$ awk -vs="$s" '{d[NR-1]=$0}END{split(s,a,",");for(i=1;i<=length(a);i++)print d[a[i]]}' file
8
10
2
1
6
5
4
9
7
3
一种方法(虽然对于大文件来说不是一种有效的方法):
$ seq="2 0 1"
$ for i in $seq
> do
> awk -v l="$i" 'NR==l+1' file
> done
Bat
Foo
Bar
如果你的文件很大,你可以使用这个:
$ seq='2,0,1'
$ x=$(echo $seq | awk '{printf "%dp;", $0+1;print $0+1> "tn.txt"}' RS=,)
$ sed -n "$x" file | awk 'NR==FNR{a[++i]=$0;next}{print a[$0]}' - tn.txt
第 2 行准备了一个 sed 命令打印指令,然后在第 3 行与 sed 命令一起使用。这仅打印序列中存在的行号,而不是序列的顺序。awk 命令用于根据序列对 sed 结果进行排序。
将文件读入数组,然后使用索引的力量:
echo "Enter the input file name"
read ip
index=0
while read line ; do
NAME[$index]="$line"
index=$(($index+1))
done < $ip
echo "Enter the file having order"
read od
while read line ; do
echo "${NAME[$line]}";
done < $od
[aman@aman sh]$ cat test
Foo
Bar
Bat
[aman@aman sh]$ cat od
2
0
1
[aman@aman sh]$ ./order.sh
Enter the input file name
test
Enter the file having order
od
Bat
Foo
Bar