我有“我爱Suzi和Marry”,我想把“Suzi”改成“Sara”。

firstString="I love Suzi and Marry"
secondString="Sara"

预期的结果:

firstString="I love Sara and Marry"

当前回答

对于Dash,之前的所有帖子都不起作用

POSIX sh兼容的解决方案是:

result=$(echo "$firstString" | sed "s/Suzi/$secondString/")

这将替换每一行输入中的第一个出现的位置。添加/g标记替换所有出现的情况:

result=$(echo "$firstString" | sed "s/Suzi/$secondString/g")

其他回答

试试这个:

ls *.ext | awk '{print "mv "$1" "$1".newext"}' | sed "s/.ext.newext/.newext/" | parallel {}

纯POSIX shell方法,与Roman Kazanovskyi基于sed的答案不同,它不需要外部工具,只需要shell自己的本地参数展开。注意,长文件名被最小化,所以代码更适合一行:

f="I love Suzi and Marry"
s=Sara
t=Suzi
[ "${f%$t*}" != "$f" ] && f="${f%$t*}$s${f#*$t}"
echo "$f"

输出:

I love Sara and Marry

工作原理:

Remove Smallest Suffix Pattern. "${f%$t*}" returns "I love" if the suffix $t "Suzi*" is in $f "I love Suzi and Marry". But if t=Zelda, then "${f%$t*}" deletes nothing, and returns the whole string "I love Suzi and Marry". This is used to test if $t is in $f with [ "${f%$t*}" != "$f" ] which will evaluate to true if the $f string contains "Suzi*" and false if not. If the test returns true, construct the desired string using Remove Smallest Suffix Pattern ${f%$t*} "I love" and Remove Smallest Prefix Pattern ${f#*$t} "and Marry", with the 2nd string $s "Sara" in between.

因为我不能添加评论。为了使示例更具可读性,可以这样写

full_string="I love Suzy and Mary"
search_string="Suzy"
replace_string="Sara"
my_string=${full_string/$search_string/$replace_string}
or
my_string=${full_string/Suzy/Sarah}

我认为这是你用例中最简洁的形式:

firstString="${firstString//Suzi/$secondString}"

如果字符串包含正则表达式字符,那么使用Bash比使用sed更好。

echo ${first_string/Suzi/$second_string}

它可以移植到Windows,并且至少可以与Bash 3.1兼容。

为了表明你不需要太担心逃跑,让我们把这个:

/home/name/foo/bar

到这个:

~/foo/bar

但前提是/home/name在开头。我们不需要sed!

假设Bash给了我们神奇的变量$PWD和$HOME,我们可以:

echo "${PWD/#$HOME/\~}"

感谢Mark Haferkamp在评论中提到引用/转义~.*

注意变量$HOME包含斜杠,但这并没有破坏任何东西。

进一步阅读:高级bash脚本编写指南。 如果必须使用sed,请确保转义每个字符。