Christopher Louis
Christopher Louis

Reputation: 31

How to get user input for multiline lines in Python 3?

I know that the regular input function can accept single lines, but as soon as you try to write a string paragraph and hit enter for the next line, it terminates. Is there a beginner-friendly way to accept multiline user string inputs as variables?

Upvotes: 2

Views: 16901

Answers (6)

Ashley Sunil
Ashley Sunil

Reputation: 1

[input() for i in range(int(input()))]

for n multiline user inputs, each index in the list will be a new line input from the user.

Upvotes: 0

Be Champzz
Be Champzz

Reputation: 939

import sys
s = sys.stdin.read()
# print(s) # It will print everything 
for line in s.splitlines(): # to read line by line
    print(line)

Upvotes: 0

Jason
Jason

Reputation: 2140

def processString(x):
    print(x.replace('process','whatever'))

lines = ""
while True:
    if lines == "":
        lines = ""
        print("Enter string:")
    x = input()
    if x == "" and lines != "":
        processString(lines)
        break
    else:
        lines += x

# then hit enter once after multi-line string to process it

Upvotes: 0

Rudra
Rudra

Reputation: 51

Line=""

while True:

    x=input()

    Line=Line+" "+x

    if "." in x:

        break

print(Line)

Upvotes: -2

Mk47
Mk47

Reputation: 155

You can do that using sys library

import sys
x = sys.stdin.read()

Upvotes: 1

Amber
Amber

Reputation: 527378

A common way of doing this in programs is to have an "I'm done" string (e.g. a single period), and to keep reading in lines until the line read matches that string.

print("Enter as many lines of text as you want.")
print("When you're done, enter a single period on a line by itself.")

buffer = []
while True:
    print("> ", end="")
    line = input()
    if line == ".":
        break
    buffer.append(line)
multiline_string = "\n".join(buffer)

print("You entered...")
print()
print(multiline_string)

Upvotes: 3

Related Questions