我有两个文件: file1 和 file2 。
file2 中的任何匹配都应附加" -W"到file1中的单词。
File1中:
Verb=Applaud,Beg,Deliver
Adjective=Bitter,Salty,Minty
Adverb=Quickly,Truthfully,Firmly
file2的:
Gate
Salty
Explain
Quickly
Hook
Deliver
Earn
Jones
Applaud
Take
输出:
Verb=Applaud-W,Beg,Deliver-W
Adjective=Bitter,Salty-W,Minty
Adverb=Quickly-W,Truthfully,Firmly
尝试但不工作,可能需要很长时间:
for i in `cat file2` ; do
nawk -v DEE="$i" '{gsub(DEE, DEE"-W")}1' file1 > newfile
mv newfile file1
done
答案 0 :(得分:2)
这应该有效:
sed 's=^=s/\\b=;s=$=\\b/\&-W/g=' file2 | sed -f- file1
输出:
Verb=Applaud-W,Beg,Deliver-W
Adjective=Bitter,Salty-W,Minty
Adverb=Quickly-W,Truthfully,Firmly
进行更改:
sed 's=^=s/\\b=;s=$=\\b/\&-W/g=' file2 | sed --in-place -f- file1
答案 1 :(得分:1)
你的方法并不是那么糟糕,但我更喜欢sed
,因为它有一个就位选项。
while read i
do
sed -i "s/$i/$i-W/g" file1
done < file2
答案 2 :(得分:0)
这是一个使用纯粹的bash:
#!/bin/bash
while read line
do
while read word
do
if [[ $line =~ $word ]]; then
line="${line//$word/$word-W}"
fi
done < file2
echo $line
done < file1
答案 3 :(得分:0)
awk
:
awk 'BEGIN{FS=OFS=",";RS="=|\n"}
NR==FNR{a[$1]++;next}
{
for (i=1;i<=NF;i++){
$i=($i in a) ? $i"-W":$i
}
printf("%s%s",$0,FNR%2?"=":"\n")
}' file2 file1
<强>结果
Verb=Applaud-W,Beg,Deliver-W
Adjective=Bitter,Salty-W,Minty
Adverb=Quickly-W,Truthfully,Firmly