Delete Newline / Return Carriage In File Output
Solution 1:
>>>string = "testing\n">>>string
'testing\n'
>>>string = string[:-1]>>>string
'testing'
This basically says "chop off the last thing in the string" The :
is the "slice" operator. It would be a good idea to read up on how it works as it is very useful.
EDIT
I just read your updated question. I think I understand now. You have a file, like this:
aqua:test$ cat wordlist.txt
Testing
This
Wordlist
WithReturnsBetween
Lines
and you want to get rid of the empty lines. Instead of modifying the file while you're reading from it, create a new file that you can write the non-empty lines from the old file into, like so:
# script
rf = open("wordlist.txt")
wf = open("newwordlist.txt","w")
for line in rf:
newline = line.rstrip('\r\n')
wf.write(newline)
wf.write('\n') # remove to leave out line breaks
rf.close()
wf.close()
You should get:
aqua:test$ cat newwordlist.txt
Testing
This
Wordlist
WithReturnsBetween
Lines
If you want something like
TestingThisWordlistWithReturnsBetweenLines
just comment out
wf.write('\n')
Solution 2:
You can use a string's rstrip method to remove the newline characters from a string.
>>>'something\n'.rstrip('\r\n')>>>'something'
Solution 3:
The most efficient is to not specify a strip value
'\nsomething\n'.split()
will strip all special characters and whitespace from the string
Solution 4:
simply use, it solves the issue.
string.strip("\r\n")
Solution 5:
Remove empty lines in the file:
#!/usr/bin/env pythonimport fileinput
for line in fileinput.input("wordlist.txt", inplace=True):
if line != '\n':
print line,
The file is moved to a backup file and standard output is directed to the input file.
Post a Comment for "Delete Newline / Return Carriage In File Output"