- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
我了解到,在自定义函数参数之前使用 * ,我可以传递多个或不确定数量的数据作为参数。对于添加数字函数或类似的函数,我可以在调用函数时传递无限量的数据。但我想从用户那里获取这些数字。由于我不知道我会得到多少个数字,所以我之前无法为每个数字声明变量。现在,我如何获取许多数字作为输入并将它们与自定义函数添加在一起?我的想法与现实生活中的计算器非常相似。
这是我的代码。我想获取数字作为输入,而不是在编写代码时手动输入它们。如果有人给我有关我正在尝试做的事情的代码,我将不胜感激。
def add_number(*args):
total = 0
for number in args:
total += number
print(total)
add_number(2, 3, 6, 9)
最佳答案
您说您需要使用单个输入。在这种情况下,我们可以使用.split(separator)
分割我们的输入。字符串的方法,返回给定字符串的部分列表。 separator
参数是可选的:如果用户输入由空格字符分隔的数字,则不需要传递此参数,否则需要传递分隔符。
numbers = input("Enter the numbers... ").split() # if numbers are separated by any of whitespace characters ("1 2 3 4")
numbers = input("Enter the numbers... ").split(", ") # if numbers are separated by a comma and a space ("1, 2, 3, 4")
注意:我假设您的数字在答案的下一部分中由空格字符分隔。
如果我们想打印numbers
列表,我们将得到以下输出:
>>> numbers = input("Enter the numbers... ").split()
Enter the numbers... 1 2 3 4
>>> print(numbers)
['1', '2', '3', '4']
正如我们所看到的,列表中的所有项目都是字符串(因为引号: '1'
,而不是 1
)。如果我们尝试将它们连接在一起,我们会得到这样的结果:'1234'
。但是,如果您想将它们作为数字而不是字符串连接在一起,我们需要将它们转换为 int (对于整数)或 float (对于非整数)类型。如果我们有一个号码,就可以轻松完成:int(number)
。但是我们有数字列表,我们需要将每个元素转换为 int
.
我们可以使用map(func, iterable)
功能。它将应用 func
到 iterable
的每一项并返回 map
对象 - 迭代器(不是列表!):
numbers = map(int, numbers)
注意:如果我们想将其表示为列表,我们可以简单地执行以下操作:
numbers = list(map(int, numbers))
虽然这里没有必要。
现在我们可以将所有数字扔给您的 add_number(*args)
使用星号 (*) 的函数 - pack他们:
add_number(*numbers)
注意:您还可以使用sum
函数来添加可迭代中的所有数字 - 在这种情况下,您不需要打包参数,因为它获取单个可迭代的数字:
sum_ = sum(numbers)
然后让我们 print
我们的结果:
print(sum_)
重要说明: sum(iterable)
返回数字之和并且不打印任何内容,而您的 add_number(*args)
函数返回 None 并打印数字(这不是同一件事!)。 Here是一个很好的、详细的解释。
这是我们编写的完整代码:
def add_number(*args):
total = 0
for number in args:
total += number
print(total)
numbers = input("Enter the numbers... ").split() # if numbers are separated by any of whitespace characters ("1 2 3 4")
numbers = map(int, numbers)
add_number(*numbers)
这里有一个单行代码做了同样的事情 - 它使用 sum
函数而不是 add_number
因此代码中不需要任何其他内容:
print(sum(map(int, input("Enter the numbers... ").split())))
关于python - 如何从Python中的单个input()函数获取多个输入?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/60363509/
我是一名优秀的程序员,十分优秀!