read and write on same csv file

前端 未结 5 1104
隐瞒了意图╮
隐瞒了意图╮ 2020-11-30 11:00

I am trying to read and write on the same CSV file:

file1 = open(file.csv, \'rb\')
file2 = open(file.csv, \'wb\')
read         


        
相关标签:
5条回答
  • 2020-11-30 11:24

    If your csv file is not big enough(to explode the memory), read it all into memory and close the file before open it in write mode.

    Or you should consider writing to a new file rather than the same one.

    0 讨论(0)
  • 2020-11-30 11:26

    You can't open a file in both read and write modes at once.

    Your code could be modified as follows:-

    # Do the reading
    file1 = open(file.csv, 'rb')
    reader = csv.reader(file1)
    new_rows_list = []
    for row in reader:
       if row[2] == 'Test':
          new_row = [row[0], row[1], 'Somevalue']
          new_rows_list.append(new_row)
    file1.close()   # <---IMPORTANT
    
    # Do the writing
    file2 = open(file.csv, 'wb')
    writer = csv.writer(file2)
    writer.writerows(new_rows_list)
    file2.close()
    

    As Jason points out, if your CSV is too big for your memory, then you'll need to write to a different filename and then rename it. This will likely be a bit slower.

    0 讨论(0)
  • 2020-11-30 11:28

    It is not possible to open the same file in two different modes in python.You have to release one of the file pointers with file_name.close() before opening the file in another mode!

    0 讨论(0)
  • 2020-11-30 11:41

    You should use different output file name. Even if you want the name to be the same, you should use some temporary name and finally rename file.

    When you open file in 'w' (or 'wb') mode this file is "cleared" -- whole file content disappears. Python documentation for open() says:

    ... 'w' for only writing (an existing file with the same name will be erased), ...

    So your file is erased before csv functions start parsing it.

    0 讨论(0)
  • 2020-11-30 11:42

    This code could work:

    import csv
    with open(file,"r+") as file:
        break
    

    Note: I found that 'write' was affected since the previous value wasn't deleted before adding the next value so it would look something like this(writing='Hello'):

    >>>['Hello']

    >>>['HelloHello']

    I would suggest this:

    def writing(file,'what to write'):  
        with open(file, "w") as wfile:
            break
    
    def reading(file):
         with open(file, "r") as rfile:
            break
    
    0 讨论(0)
提交回复
热议问题