recursively replace every instance of a word in a directory from linux command line

0

1

I have a directory with several subdirectories that all contain text files. In these text files, there is a certain word that occurs over and over again, and I want to replace every instance.

My Question - How would I accomplish this from a linux commandline? I don't want to gedit every file and do a manual search/replace.

(For a bonus - is there a way to do this in a case-insensitive way?)

slightlyparallel

Posted 2010-07-10T19:14:40.630

Reputation: 33

Answers

5

You could use find and perl (via xargs):

find /target/directory -type f | xargs perl -pi -e 's/stringtoreplace/replacement/g'

or if you are already in the right directory

find . -type f | xargs perl -pi -e 's/stringtoreplace/replacement/g'

and if you only want to replace in, say, html files:

find . -type f -name '*html' | xargs perl -pi -e 's/stringtoreplace/replacement/g'

You don't have to use perl of course, any tool that performs search and replace operations will do, and not doubt there are several available that are less resource hungry than starting perl (which is this case is a sledge-hammer to crack a nut, but it is an example I've had stored for ages and I've no reason to find a more efficient version). My original source for the "trick" is http://oreilly.com/pub/h/73

You can use all the options in which-ever tool you choose, so in this case the full power of Perl's regular expressions. The page linked to above has more examples, including how to search in a case in-sensitive manner.

David Spillett

Posted 2010-07-10T19:14:40.630

Reputation: 22 424

4You can use sed -i 's/string/replacement/g' in place of perl in that command. If you're using GNU sed, just add an i after the g to make it case insensitive. – Paused until further notice. – 2010-07-10T21:20:24.543

4Also, unless you know what the names in the directories are like, you should really use the -print0 argument to find, and the -0 argument to xargs. A file with a carriage return, space, or tab in the name could cause you problems otherwise. – Slartibartfast – 2010-07-11T02:51:48.757

1Good point on -print0/-0 - I always avoid such characters in names but even if you do you still need to be careful because others may not. – David Spillett – 2010-07-11T12:53:21.137

1

From your handle I believe you might be interested in a solution using GNU Parallel http ://www.gnu.org/software/parallel/

find /target/directory -type f | parallel perl -pi -e 's/stringtoreplace/replacement/ig'

This solution does the replacing in parallel and it is case insensitive. GNU Parallel does not suffer from the separator problem http ://en.wikipedia.org/wiki/Xargs#The_separator_problem - only if you have file names containing newlines you will need the -print0/-0 combination.

Watch the intro video for GNU Parallel: http://www.youtube.com/watch?v=OpaiGYxkSuQ

Ole Tange

Posted 2010-07-10T19:14:40.630

Reputation: 3 034