一、输入
① input()函数
input函数中可以包含向用户输出的内容,在要求用户输入前提示用户信息。
在python2.7中,与input()对应的函数是raw_input()
variable = input("some words for users ")
message = input("Please enter your name: ")
print(message)
Please enter your name: 15
15
1. input()添加多行字符串提示
prompt = "Your name is essential for this program."
prompt += "\nPlease input your name: "
message = input(prompt)
print("Hello, " + message + "!" )
Your name is essential for this program.
Please input your name: Herman
Hello, Herman!
2.字符串转列表输入
string.split()用法可以将字符串输入转化为单词列表,配合int()对列表中单个单词的解析法处理可以获取全为int的list
txt = "1 2 5 77"
x = txt.split()
y =[int (n) for n in txt.split()]
print(x)
print(y)
具体的用法:
move= input("请输入坐标系原点相对参考坐标系原点平移的x、y、z分量:") #输入一个一维数组,每个数之间使空格隔开
move = [int(n) for n in move.split()]
print(move)
处理技巧: map()
map可以方便地处理映射关系,根据提供的函数对指定序列做映射
map(function, iterable, …)
def x_multiplied_y(x, y):
return x * y
a = [1, 2, 3, 4, 5]
b = [3, 4, 5, 6, 7]
c = map(x_multiplied_y, a, b) # 返回的是迭代器
print(c)
d = list(map(x_multiplied_y, a, b)) # 迭代器转为list
print(d)
这意味着可以使用map函数来调用对应的函数,来方便地转化序列元素,而无需使用for循环
text = "1.414 14 58.0 23"
float_text = list(map(float, text.split()))
print(float_text)
二、输出
标准化输出法1:
a = 15
b = 23
print("a=%d, b=%d." % (a, b))
标准化输出法2:
print("Discriminant of this equation is {.3f}".format(d))
优先使用.format()方法,因为它无需理会数据的类型
print("Discriminant of this equation is {}".format(d))