最好的方法是什么?我不是命令行战士,但我认为有可能使用grep和cat.
我只想替换文件夹和子文件夹中出现的字符串.最好的方法是什么?如果重要的话,我正在运行ubuntu.
-d
find . -type f -print0 | xargs -0 -n 1 sed -i -e 's/from/to/g'
第一部分是find命令,用于查找要更改的文件.您可能需要适当地修改它."xargs"命令获取find找到的每个文件,并对其应用"sed"命令."sed"命令接受"from"的每个实例,并用"to"替换它.这是一个标准的正则表达式,因此请根据需要进行修改.
如果你正在使用svn当心.您的.svn目录也将被搜索和替换.你必须排除那些,例如,像这样:
xargs
要么
sed
正如保罗所说,您希望首先找到要编辑的文件,然后进行编辑.使用find的另一种方法是使用GNU grep(Ubuntu上的默认值),例如:
grep -r -l from . | xargs -0 -n 1 sed -i -e 's/from/to/g'
你也可以使用ack-grep(sudo apt-get install ack-grep或访问http://petdance.com/ack/),如果你知道你只想要某种类型的文件,并且想要忽略版本控制目录.例如,如果你只想要文本文件,
ack -l --print0 --text from | xargs -0 -n 1 sed -i -e 's/from/to/g' # `from` here is an arbitrary commonly occurring keyword
使用sed的另一种方法是使用perl,它可以为每个命令处理多个文件,例如,
grep -r -l from . | xargs perl -pi.bak -e 's/from/to/g'
在这里,perl被告知要编辑到位,先制作.bak文件.
根据您的喜好,您可以将管道的任何左侧与右侧组合.
我将为人们使用另一个例子ag
,The Silver Searcher在多个文件上进行查找/替换操作.
完整的例子:
ag -l "search string" | xargs sed -i '' -e 's/from/to/g'
如果我们打破这个,我们得到的是:
# returns a list of files containing matching string ag -l "search string"
接下来,我们有:
# consume the list of piped files and prepare to run foregoing command # for each file delimited by newline xargs
最后,字符串替换命令:
# -i '' means edit files in place and the '' means do not create a backup # -e 's/from/to/g' specifies the command to run, in this case, # global, search and replace sed -i '' -e 's/from/to/g'