Do A Search-and-replace Across All Files In A Folder Through Python?
Solution 1:
Welcome to StackOverflow. Since you want to learn yourself (+1) I'll just give you a few pointers.
Check out os.walk()
to get at all the files.
Then iterate over each line in the files (for line in currentfile:
comes in handy here).
Now you need to know if you want a "stupid" replace (find/replace each foo
even if it's in the middle of a word (say foobar
- do you want foofoobar
as a result?) or a smart replace.
For the former, look at str.replace()
, for the latter, look at re.sub()
and figure out what r'\bfoo\b'
means.
Solution 2:
Normally I'd whip out the old perl -pi -e 's/foo/foobar/'
for this, but if you want Python:
import os
import re
_replace_re = re.compile("foo")
for dirpath, dirnames, filenames inos.walk("directory/"):
for file in filenames:
file = os.path.join(dirpath, file)
tempfile = file + ".temp"
with open(tempfile, "w") as target:
with open(file) as source:
for line in source:
line = _replace_re.sub("foobar", line)
target.write(line)
os.rename(tempfile, file)
And if you're on Windows, you'll need to add an os.remove(file)
before the os.rename(tempfile, file)
.
Solution 3:
I worked through it and this seems to work, but any errors that can be pointed out would be awesome.
import fileinput, sys, os
def replaceAll(file, findexp, replaceexp):
for line in fileinput.input(file, inplace=1):
if findexp in line:
line = line.replace(findexp, replaceexp)
sys.stdout.write(line)
if __name__ == '__main__':
files = os.listdir("c:/testing/")
for file in files:
newfile = os.path.join("C:/testing/", file)
replaceAll(newfile, "black", "white")
an expansion on this would be to move to folders within folders.
Solution 4:
this is an alternative, since you have various Python solutions presented to you. The most useful utility (according to me), in Unix/Windows, is the GNU find command and replacement tools like sed/awk. to search for files (recursively) and do replacement, a simple command like this does the trick (syntax comes from memory and not tested). this says find all text files and change the word "old" to "new" in their contents, at the same time, use sed
to backup the original files...
$ find /path -type f -iname "*.txt" -exec sed -i.bak 's/old/new/g'"{}" +;
Post a Comment for "Do A Search-and-replace Across All Files In A Folder Through Python?"