2

在我开始之前,让我先说我对编程真的很陌生,所以请不要杀了我。

作为练习,我编写了一个脚本,该脚本应该从 txt 中获取十六进制数字列表,将它们转换为十进制并将它们写入另一个文件。这就是我想出的:

hexdata = open(raw_input("Sourcefile:")).read().split(',')
dec_data = []

print hexdata
x = -1
for i in hexdata:
    next_one = hexdata.pop(x+1)
    decimal = int(next_one, 16)
    print "Converting: ", next_one, "Converted:", decimal
    dec_data.append(decimal)

print dec_data

target = open(raw_input("Targetfile: "), 'w')
for n in dec_data:
    output = str(n)
    target.write(output)
    target.write(",")

当我运行脚本时,它会在没有错误的情况下完成,但它只会转换并写入我的源文件中的前 30 个数字并忽略所有其他数字,即使它们已加载到“hexdata”列表中。我尝试了几种变体,但它从不适用于所有数字(48)。我究竟做错了什么?

4

2 回答 2

6

您的第一个循环试图迭代 hexdata,同时使用 hexdata.pop() 将值从列表中拉出。只需将其更改为:

for next_one in hexdata:
    decimal = int(next_one, 16)
    print "Converting: ", next_one, "Converted:", decimal
    dec_data.append(decimal)
于 2012-05-03T21:31:50.870 回答
1

迭代列表时的原则是不要修改您正在迭代的列表。如果必须,您可以制作列表的副本以进行迭代。

for i in hexdata[:]: # this creates a shallow copy, or a slice of the entire list
    next_one = hexdata.pop(x+1)
    decimal = int(next_one, 16)
    print "Converting: ", next_one, "Converted:", decimal
    dec_data.append(decimal)

copy.deepcopy您也可以使用hexdata[:].

于 2012-05-03T21:34:00.977 回答