https://blog.csdn.net/lhyhaiyan/article/details/106859878
<link rel="stylesheet" href="https://csdnimg.cn/release/blogv2/dist/mdeditor/css/editerView/ck_htmledit_views-1a85854398.css"> <div id="content_views" class="markdown_views prism-atom-one-light"> <svg xmlns="http://www.w3.org/2000/svg" style="display: none;"> <path stroke-linecap="round" d="M5,0 0,2.5 5,5z" id="raphael-marker-block" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></path> </svg> <pre class="prettyprint"><code class="prism language-python has-numbering" onclick="mdcp.copyCode(event)" style="position: unset;">list1 <span class="token operator">=</span> <span class="token punctuation">[</span><span class="token punctuation">]</span>
use_dict = dict()
for i in range(5):
use_dict[‘num’] = i
list1.append(use_dict)
print(list1)
#输出
[{
‘num’: 4}, {
‘num’: 4}, {
‘num’: 4}, {
‘num’: 4}, {
‘num’: 4}]
这个结果并不如我们所愿。而且经过多次测试后发现,字典中的值是range()范围内的最后一个值。
下面解释我个人理解的原因,欢迎指正!
1. 首先我们需要清楚一点,append()传给列表的是for循环前use_dict的地址,因为只创建了一次字典,所以始终都是相同的地址。
2.在for循环中,use_dict的值是在不断改变的,所以在向列表中加入字典时,每一次加入的值都是在变化的。从下面代码中体会:
list1 = [] use_dict = dict() for i in range(5): use_dict['num'] = i print(use_dict)
#输出
{
‘num’: 0}
{
‘num’: 1}
{
‘num’: 2}
{
‘num’: 3}
{
‘num’: 4}
3.因为只有use_dict一个字典,相应的只能配有一个值,在每次循环之后,字典的值都会改变,最终字典的值是4。
4.因为在向字典传入地址时,是唯一的地址。当这个字典的值发生改变时,之前向列表中的传递的字典的值也会随之改变,并不会始终是一个值。例如:在第一次循环中,字典的值为0;在第二次循环中,字典的值为1。但是在第二次循环时,值已经发生了改变,因为这两个值所占有的是同一个地址,同一个地址不能被赋有两个值,所以字典的值就变为了1,之前值为0的字典,也变为了1。
因此,我们最终才得到了所有字典的值均为4。
list1 = [] for i in range(5): use_dict = dict() use_dict['num'] = i list1.append(use_dict)
print(list1)
#输出
[{
‘num’: 0}, {
‘num’: 1}, {
‘num’: 2}, {
‘num’: 3}, {
‘num’: 4}]