How to get multiline input from user [duplicate] How to get multiline input from user [duplicate] python python

How to get multiline input from user [duplicate]


In Python 3.x the raw_input() of Python 2.x has been replaced by input() function. However in both the cases you cannot input multi-line strings, for that purpose you would need to get input from the user line by line and then .join() them using \n, or you can also take various lines and concatenate them using + operator separated by \n

To get multi-line input from the user you can go like:

no_of_lines = 5lines = ""for i in xrange(no_of_lines):    lines+=input()+"\n"print(lines)

Or

lines = []while True:    line = input()    if line:        lines.append(line)    else:        breaktext = '\n'.join(lines)


raw_input can correctly handle the EOF, so we can write a loop, read till we have received an EOF (Ctrl-D) from user:

Python 3

print("Enter/Paste your content. Ctrl-D or Ctrl-Z ( windows ) to save it.")contents = []while True:    try:        line = input()    except EOFError:        break    contents.append(line)

Python 2

print "Enter/Paste your content. Ctrl-D or Ctrl-Z ( windows ) to save it."contents = []while True:    try:        line = raw_input("")    except EOFError:        break    contents.append(line)


input(prompt) is basically equivalent to

def input(prompt):    print(prompt, end='', file=sys.stderr)    return sys.stdin.readline()

You can read directly from sys.stdin if you like.

lines = sys.stdin.readlines()lines = [line for line in sys.stdin]five_lines = list(itertools.islice(sys.stdin, 5))

The first two require that the input end somehow, either by reaching the end of a file or by the user typing Control-D (or Control-Z in Windows) to signal the end. The last one will return after five lines have been read, whether from a file or from the terminal/keyboard.