我有以下输入:
Value1|Value2|Value3|Value4@@ Value5|Value6|Value7|Value8@@ Value9|etc...
在我的bash脚本中,我想用换行符替换@@
。我用sed尝试了各种各样的东西,但我没有运气:
line=$(echo ${x} | sed -e $'s/@@ /\\\n/g')
最终我需要将整个输入解析为行和值。也许我错了。我打算用换行符替换@@
,然后通过设置IFS='|'
来循环输入以分割值。如果有更好的方法请告诉我,我仍然是shell脚本的初学者。
答案 0 :(得分:7)
这将有效
sed 's/@@ /\n/g' filename
用新行替换@@
答案 1 :(得分:4)
使用纯BASH字符串操作:
eol=$'\n'
line="${line//@@ /$eol}"
echo "$line"
Value1|Value2|Value3|Value4
Value5|Value6|Value7|Value8
Value9|etc...
答案 2 :(得分:3)
我建议使用tr功能
echo "$line" | tr '@@' '\n'
例如:
[itzhaki@local ~]$ X="Value1|Value2|Value3|Value4@@ Value5|Value6|Value7|Value8@@"
[itzhaki@local ~]$ X=`echo "$X" | tr '@@' '\n'`
[itzhaki@local ~]$ echo "$X"
Value1|Value2|Value3|Value4
Value5|Value6|Value7|Value8
答案 3 :(得分:2)
最后得到它:
sed 's/@@ /'\\\n'/g'
在\\ n周围添加单引号似乎无论出于何种原因都有帮助
答案 4 :(得分:2)
如果你不介意使用perl:
echo $line | perl -pe 's/@@/\n/g'
Value1|Value2|Value3|Value4
Value5|Value6|Value7|Value8
Value9|etc
答案 5 :(得分:1)
怎么样:
for line in `echo $longline | sed 's/@@/\n/g'` ; do
$operation1 $line
$operation2 $line
...
$operationN $line
for field in `echo $each | sed 's/|/\n/g'` ; do
$operationF1 $field
$operationF2 $field
...
$operationFN $field
done
done
答案 6 :(得分:0)
这包含使用perl来完成它,并提供一些简单的帮助。
$ echo "hi\nthere"
hi
there
$ echo "hi\nthere" | replace_string.sh e
hi
th
re
$ echo "hi\nthere" | replace_string.sh hi
there
$ echo "hi\nthere" | replace_string.sh hi bye
bye
there
$ echo "hi\nthere" | replace_string.sh e super all
hi
thsuperrsuper
#!/bin/bash
ME=$(basename $0)
function show_help()
{
IT=$(cat <<EOF
replaces a string with a new line, or any other string,
first occurrence by default, globally if "all" passed in
usage: $ME SEARCH_FOR {REPLACE_WITH} {ALL}
e.g.
$ME : -> replaces first instance of ":" with a new line
$ME : b -> replaces first instance of ":" with "b"
$ME a b all -> replaces ALL instances of "a" with "b"
)
echo "$IT"
exit
}
if [ "$1" == "help" ]
then
show_help
fi
if [ -z "$1" ]
then
show_help
fi
STRING="$1"
TIMES=${3:-""}
WITH=${2:-"\n"}
if [ "$TIMES" == "all" ]
then
TIMES="g"
else
TIMES=""
fi
perl -pe "s/$STRING/$WITH/$TIMES"