???????在Python中,不需要事先声明变量名及其类型,直接赋值 即可创建各种类型的对象变量。这一点适用于Python任意 类型的对象。
#例如语句
>>> x = 3
#创建了整型变量x,并赋值为3,再例如语句
>>> x = 'Hello world.'
#创建了字符串变量x,并赋值为'Hello world.'。
???? ? Python属于强类型编程语言,Python解释器会根据赋值或 运算来自动推断变量类型。Python还是一种动态类型语言, 变量的类型也是可以随时变化的。
>>> x = 3
>>> print(type(x))
<class 'int'>
>>> x = 'Hello world.'
#查看变量类型
>>> print(type(x))
<class 'str'>
>>> x = [1,2,3]
>>> print(type(x))
<class 'list'>
#测试对象是否是某个类型的实例
>>> isinstance(3, int)
True
>>> isinstance('Hello world', str)
True
??????? 字符串和元组属于不可变序列,不能通过下标的方式来修 改其中的元素值,试图修改元组中元素的值时会抛出异常。
>>> x = (1,2,3)
>>> print(x)
(1, 2, 3)
>>> x[1] = 5
Traceback (most recent call last):
File "<pyshell#7>", line 1, in <module>
x[1] = 5
TypeError: 'tuple' object does not support item
assignment
?????? Python采用的是基于值的内存管理方式,如果为不同变量 赋值为相同值,这个值在内存中只有一份,多个变量指向 同一块内存地址。
>>> x = 3
>>> id(x)
10417624
>>> y = 3
>>> id(y)
10417624
>>> x = [1, 1, 1, 1]
>>> id(x[0]) == id(x[1])
True
|