Python“列表分配索引超出范围”

时间:2015-11-06 03:18:29

标签: python list file indexing numbers

我是Python的新手(以及一般的编程)。

我应该创建一个python程序,打开两个包含随机数的文件,并创建一个新文件,其中的数字从最低到最高排序。

所以我制作了这个代码,迭代使用两个for循环遍历所有数字,搜索最低,非常基本的东西,而不是存储数字及其位置,附加到将保存在最终文件中的Lmix列表和存储数字位置以从该列表中删除它,以便再次找不到它。

变量是葡萄牙语,但我在评论中将它们翻译出来,其余的都是不言自明的。

arq1 = open("nums1.txt","r")
arq2 = open("nums2.txt","r")

arqmix = open("numsord.txt","w")

L1 = arq1.readlines()
L2 = arq2.readlines()
Lmix = []

L1 = list(map(int,L1)) # converts lists into int
L2 = list(map(int,L2))

cont = 0

menor = L1[0]  # "Menor" is the variable that stores the lowest number it finds
menorpos = 0   # "Menorpos" is the position of that variable in the list, so it can delete later
listdec = 0    # "listdec" just stores which list the number was from to delete.

while cont != (len(L1)+len(L2)):   

# while loops that finds the lowest number, stores the number and position, appends to the Lmix and deletes from the list so it won't be found on next   iteration

    n = 0
    for n,x in enumarate(L1):
        m = 0
        for m,y in enumarate(L2):
            if x<menor:
                menor = x
                menorpos = n
                listdec = 0
            elif y<menor:
                menor = y
                menorpos = m
                listdec = 1
            m += 1
        n += 1

    Lmix.append(menor)
    if listdec == 0:
        del L1[menorpos]
    elif listdec == 1:
        del L2[menorpos]
    cont += 1

for x in Lmix:
    arqmix.write("%d\n"%x)

arq1.close()
arq2.close()
arqmix.close()

但每次我运行它时,都会出现此错误:

追踪(最近一次通话): 文件“C:/Users/Danzmann-Notebook/PycharmProjects/untitled/aula18.py”,第41行,in del L2 [menorpos] IndexError:列表分配索引超出范围

我知道这意味着什么,但我无法理解为什么会发生这种情况,我该如何解决呢。

任何帮助都将不胜感激。

提前致谢,对不起任何语法错误,英语不是我的母语。

2 个答案:

答案 0 :(得分:1)

您不需要显式增加m和n。这已经在为你做了。这可能导致索引超出范围。

    m += 1
n += 1

答案 1 :(得分:0)

为了调试这个,我在while循环中添加了两个print语句 - 这就是我所看到的:

Cont: 0  L1 [9, 2, 6, 4, 7]  L2 [3, 15, 5, 8, 12]  Lmix []
  Found menor 2 menorpos 1 listdec 0

Cont: 1  L1 [9, 6, 4, 7]  L2 [3, 15, 5, 8, 12]  Lmix [2]
  Found menor 2 menorpos 1 listdec 0

Cont: 2  L1 [9, 4, 7]  L2 [3, 15, 5, 8, 12]  Lmix [2, 2]
  Found menor 2 menorpos 1 listdec 0

Cont: 3  L1 [9, 7]  L2 [3, 15, 5, 8, 12]  Lmix [2, 2, 2]
  Found menor 2 menorpos 1 listdec 0

Cont: 4  L1 [9]  L2 [3, 15, 5, 8, 12]  Lmix [2, 2, 2, 2]
  Found menor 2 menorpos 1 listdec 0

Traceback (most recent call last):
  File "<pyshell#30>", line 29, in <module>
    del L1[menorpos]
IndexError: list assignment index out of range

第一次循环,它正常工作 - 它找到任一列表中的最低项,为menor,menorpos和listdec指定正确的值,并删除该值。

第二次循环,它失败,因为menor已经是最低值 - 它找不到更低的值,因此它永远不会更新menor,menorpos和listdec的值。它使用以前的值(现在不正确)。

重复使用错误的值,直到删除的列表太短;然后它会抛出一个错误。

问题可以更简单地解决:

def loadnums(filename):
    with open(filename) as inf:
        nums = [int(line) for line in inf]
    return nums

nums = loadnums("num1.txt") + loadnums("num2.txt")
nums.sort()

with open("numsord.txt", "w") as outf:
    outf.write("\n".join(str(num) for num in nums))