- 论坛徽章:
- 0
|
在看《python源码剖析》这本书时,作者提到定长对象和变长对象,他们之间的区别在于:定长对象的不同对象占用的内存大小一样;而变长对象的不同对象占用的内存不一定一样。而py3k中整数int已经统一表示为PyLongObject,该结构如下:
struct _longobject {
PyObject_VAR_HEAD //变长对象头,定长对象头为PyObject_HEAD
digit ob_digit[1];
};
从结构体可以看出,int不再是定长对象了,可以用实际结果验证:定义两个整数a=1,b=123456
python版本信息如下:
Python 3.3a0 (unknown, Apr 19 2011, 16:41:34)
[GCC 4.4.5] on linux2
Type "help", "copyright", "credits" or "license" for more information.
>>> a = 1
>>> b = 123456
>>> a
(add by saylor)Objects/longobject.c - long_to_decimal_string - 1548:
type: int
address: 0x81e4220
refcnt: 412
tp->basicsize: 12, tp->itemsize: 2
sizeof(PyLongObject): 16
1
>>> b
(add by saylor)Objects/longobject.c - long_to_decimal_string - 1548:
type: int
address: 0xb7404830
refcnt: 3
tp->basicsize: 12, tp->itemsize: 2
sizeof(PyLongObject): 16
123456
>>> a.__sizeof__()
(add by saylor)Objects/longobject.c - long_to_decimal_string - 1548:
type: int
address: 0x81e42f0
refcnt: 18
tp->basicsize: 12, tp->itemsize: 2
sizeof(PyLongObject): 16
14
>>> b.__sizeof__()
(add by saylor)Objects/longobject.c - long_to_decimal_string - 1548:
type: int
address: 0x81e4310
refcnt: 26
tp->basicsize: 12, tp->itemsize: 2
sizeof(PyLongObject): 16
16
>>>
a.__sizeof__()返回14, b.__sizeof__()返回16!
但另一方面:b的地址-a的地址=0x81e4310 - 0x81e42f0 = (16)10进制,说明a,b按照16字节对齐了
这说明整数不再是定长对象了?!!
py3k中只有float为定长对象,占16字节! |
|