Deleting carriage returns caused by line reading

前端 未结 3 1644
一向
一向 2021-02-18 17:41

I have a list:

Cat
Dog
Monkey
Pig

I have a script:

import sys
input_file = open(\'list.txt\', \'r\')
for line in input_file:
           


        
相关标签:
3条回答
  • 2021-02-18 18:03

    str.rstrip or simply str.strip is the right tool to split carriage return (newline) from the data read from the file. Note str.strip will strip of whitespaces from either end. If you are only interested in stripping of newline, just use strip('\n')

    Change the line

     sys.stdout.write('"' + line + '",')
    

    to

    sys.stdout.write('"' + line.strip() + '",')
    

    Note in your case, a more simplistic solution would had been

    >>> from itertools import imap
    >>> with open("list.txt") as fin:
        print ','.join(imap(str.strip, fin))
    
    
    Cat,Dog,Monkey,Pig
    

    or Just using List COmprehension

    >>> with open("test.txt") as fin:
        print ','.join(e.strip('\n') for e in  fin)
    
    
    Cat,Dog,Monkey,Pig
    
    0 讨论(0)
  • 2021-02-18 18:05

    First of all, in order to make it all appear on one line you should get rind of the '\n'. I find line.rstrip('\n') to work nicely.

    In order to get rid of the ',' at the end I would put all of the words in a list adding the quotation marks. Then using join(), join all of the words in the list with ","

    temp = []
    for line in file:
        i = line.rstrip('\n')
        word = '"'+i+'"'
        temp.append(word)
    print ",".join(temp)
    

    That should get the desired output

    0 讨论(0)
  • 2021-02-18 18:08

    You can use .rstrip() to remove newlines from the right-hand side of a string:

    line.rstrip('\n')
    

    or you can tell it to remove all whitespace (including spaces, tabs and carriage returns):

    line.rstrip()
    

    It is a more specific version of the .strip() method which removes whitespace or specific characters from both sides of the string.

    For your specific case, you could stick with a simple .strip() but for the general case where you want to remove only the newline, I'd stick with `.rstrip('\n').

    I'd use a different method to write your strings though:

    with open('list.txt') as input_file:
        print ','.join(['"{}"'.format(line.rstrip('\n')) for line in input_file])
    

    By using ','.join() you avoid the last comma, and using the str.format() method is easier on the eyes than a lot of string concatenation (not to mention faster).

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