【版权声明】博客内容由厦门大学数据库实验室拥有版权,未经允许,请勿转载!版权所有,侵权必究!
[返回Python教程首页]
输入
Python利用内置函数input()
来实现标准键盘输入。input()
可以接收一行文本,并将返回该文本。例如:
>>> str=input("Please input your name:")
Please input your name:Mary
>>> print("Your name is",str)
Your name is Mary
输出
Python利用内置函数print()
来实现标准输出。在 Python 中,输出格式化使用与 C 中 sprintf 函数一样的语法。例如:
#!/usr/bin/python3
#三种方式输出字符串,第2和第3种更常用
name = "Mary"
age = 20
print("My name is " + name)
#My name is Mary
print("My name is", name)
#My name is Mary
print("My name is %s, and I am %d years old" % (name, age))
#My name is Mary, and I am 20 years old
转义字符\n
可以换行,而字符串前加上r
或R
可以使字符串原样输出,防止被转义。例如:
>>> print('\nhello') #这里\n被转义为换行
hello
>>> print(r'\nhello') #这里\n被原样输出
\nhello
print()
函数默认会换行,如果想不换行输出可以使用语法print(str,end='')
。
例如:
>>> print("hello") #不加end=''会换行输出
hello
>>> print("hello",end='') #加end=''可不换行
hello>>>
>>> data = [1,2,3,4]
>>> for x in data: #遍历列表
... print(x) #不加end=''会换行输出。注意这里需要先输一个tab
...
1
2
3
4
>>> for x in data:
... print(x,end='') #加end=''可不换行
...
1234>>>