In place replacement of text in a file in Python

后端 未结 3 1039
借酒劲吻你
借酒劲吻你 2021-01-15 14:51

I am using the following code to upload a file on server using FTP after editing it:

import fileinput

file = open(\'example.php\',\'rb+\')

for line in file         


        
相关标签:
3条回答
  • 2021-01-15 15:18

    1) The code adds the replaced text at the end and the text in original place is unchanged.

    You can't replace in the body of the file because you're opening it with the + signal. This way it'll append to the end of the file.

    file = open('example.php','rb+')
    

    But this only works if you want to append to the end of the document.

    To bypass this you may use seek() to navigate to the specific line and replace it. Or create 2 files: an input_file and an output_file.


    2) Also, instead of just the replaced text, it prints out the whole line.

    It's because you're using:

    file.write( line.replace('Original', 'Replacement'))
    

    Free Code:

    I've segregated into 2 files, an inputfile and an outputfile.

    First it'll open the ifile and save all lines in a list called lines.

    Second, it'll read all these lines, and if 'Original' is present, it'll replace it.

    After replacement, it'll save into ofile.

    ifile = 'example.php'
    ofile = 'example_edited.php'
    
    with open(ifile, 'rb') as f:
        lines = f.readlines()
    
    with open(ofile, 'wb') as g:
        for line in lines:
            if 'Original' in line:
                g.write(line.replace('Original', 'Replacement'))
    

    Then if you want to, you may os.remove() the non-edited file with:


    More Info: Tutorials Point: Python Files I/O

    0 讨论(0)
  • 2021-01-15 15:20

    The second error is how the replace() method works.

    It returns the entire input string, with only the specified substring replaced. See example here.

    To write to a specific place in the file, you should seek() to the right position first.

    I think this issue has been asked before in several places, I would do a quick search of StackOverflow.

    Maybe this would help?

    0 讨论(0)
  • 2021-01-15 15:21

    Replacing stuff in a file only works well if original and replacement have the same size (in bytes) then you can do

    with open('example.php','rb+') as f:
        pos=f.tell()
        line=f.readline()
        if b'Original' in line:
            f.seek(pos)
            f.write(line.replace(b'Original',b'Replacement'))
    

    (In this case b'Original' and b'Replacement' do not have the same size so your file will look funny after this)

    Edit:

    If original and replacement are not the same size, there are different possibilities like adding bytes to fill the hole or moving everything after the line.

    0 讨论(0)
提交回复
热议问题