????????经过第二节课程的学习,学习了我们的第一个python程序。是经典的温度单位换算。其中使用了input,print,eval,if,else,elif等常见函数。接下来结合课程学习以及课后自习讨论对input(),print()与eval()的个人理解。
input()
input()函数 # 作用: 获取用户的输入,返回输入的内容 ? ,也可以用于暂停程序的运行。 # 影响: 调用此函数,程序会立即暂停,等待用户输入。 #?注意:input()的返回值是一个字符串。 # input() 函数可以设置一个字符串作为参数,即提示文字。
举例:提示用户输入用户名
username = input('请输入你的用户名:')
print()
print()函数 #作用:用于打印输出,是python中最常见的一个函数。
#举例 print("Hello World")
#字符串类型可以直接输出
运行结果如下:
?eval()
eval()函数
#作用:将字符串str当成有效的表达式来求值并返回计算结果。
可以把list,tuple,dict和string相互转化。
#################################################
字符串转换成列表
>>>a = "[[1,2], [3,4], [5,6], [7,8], [9,0]]"
>>>type(a)
<type 'str'>
>>> b = eval(a)
>>> print b
[[1, 2], [3, 4], [5, 6], [7, 8], [9, 0]]
>>> type(b)
<type 'list'>
#################################################
字符串转换成字典
>>> a = "{1: 'a', 2: 'b'}"
>>> type(a)
<type 'str'>
>>> b = eval(a)
>>> print b
{1: 'a', 2: 'b'}
>>> type(b)
<type 'dict'>
#################################################
字符串转换成元组
>>> a = "([1,2], [3,4], [5,6], [7,8], (9,0))"
>>> type(a)
<type 'str'>
>>> b = eval(a)
>>> print b
([1, 2], [3, 4], [5, 6], [7, 8], (9, 0))
>>> type(b)
<type 'tuple'>
|