I have a multi-line string literal that I want to do an operation on each line, like so.
inputString = """Line 1
Line 2
Line 3"""
I want to do something like the following.
for line in inputString:
doStuff()
I have a multi-line string literal that I want to do an operation on each line, like so.
inputString = """Line 1
Line 2
Line 3"""
I want to do something like the following.
for line in inputString:
doStuff()
inputString.splitlines()
Will give you an array with each item, the splilines() function is designed to split each line into an array element.
Like the others said:
inputString.split('\n') # --> ['Line 1', 'Line 2', 'Line 3']
This is identical to the above, but the string module's functions are deprecated and should be avoided:
import string
string.split(inputString, '\n') # --> ['Line 1', 'Line 2', 'Line 3']
Alternatively, if you want each line to include the break sequence (CR,LF,CRLF), use the splitlines method with a True argument:
inputString.splitlines(True) # --> ['Line 1\n', 'Line 2\n', 'Line 3']