web-dev-qa-db-ja.com

ユーザー入力を取得する

私はこれを実行しています:

import csv
import sys
reader = csv.reader(open(sys.argv[0], "rb"))
for row in reader:
    print row

そして私はこれに応えます:

['import csv']
['import sys']
['reader = csv.reader(open(sys.argv[0]', ' "rb"))']
['for row in reader:']
['    print row']
>>> 

sys.argv[0]の場合は、ファイル名を入力するように要求します。

ファイル名を入力するように指示するにはどうすればよいですか。

Python 3.xでは、input()の代わりにraw_input()を使用してください。

111
Sunny Tambi

raw_input()関数 を使ってユーザからの入力を得る(2.x):

print "Enter a file name:",
filename = raw_input()

あるいは単に:

filename = raw_input('Enter a file name: ')

またはPython 3.xの場合:

filename = input('Enter a file name: ')
202
Dave Webb

sys.argv[0]は最初の引数ではなく、現在実行しているpythonプログラムのファイル名です。 sys.argv[1]が欲しいと思います

27

上記の答えをもう少し再利用可能なものに補足するために、私はこれを思いつきました。それは入力が無効であると考えられるならユーザーにプロンプ​​トを出し続けます。

try:
    input = raw_input
except NameError:
    pass

def Prompt(message, errormessage, isvalid):
    """Prompt for input given a message and return that value after verifying the input.

    Keyword arguments:
    message -- the message to display when asking the user for the value
    errormessage -- the message to display when the value fails validation
    isvalid -- a function that returns True if the value given by the user is valid
    """
    res = None
    while res is None:
        res = input(str(message)+': ')
        if not isvalid(res):
            print str(errormessage)
            res = None
    return res

これは、検証関数とともに、このように使用することができます。

import re
import os.path

api_key = Prompt(
        message = "Enter the API key to use for uploading", 
        errormessage= "A valid API key must be provided. This key can be found in your user profile",
        isvalid = lambda v : re.search(r"(([^-])+-){4}[^-]+", v))

filename = Prompt(
        message = "Enter the path of the file to upload", 
        errormessage= "The file path you provided does not exist",
        isvalid = lambda v : os.path.isfile(v))

dataset_name = Prompt(
        message = "Enter the name of the dataset you want to create", 
        errormessage= "The dataset must be named",
        isvalid = lambda v : len(v) > 0)
8
Kyle Falconer

次の簡単な方法を使用して、プロンプトとしてユーザーデータを対話形式で引数として取得します。

バージョン:Python 3.X

name = input('Enter Your Name: ')
print('Hello ', name)
7
Ezra A.Mosomi