如果我的问题看似微不足道,我道歉。我宁愿在聊天室里问这个问题;但是,目前我的声誉太低了,所以我无法在Python聊天室中提出任何问题。我目前正在学习Python课程,老师给了我们一些练习题,让我们开始学习。我正在构建的函数现在采用数字列表并将其转换为字符串。我遇到的问题是我的if语句永远不会评估为true。我已经尝试了几种方法来处理变量,并添加了许多打印语句,以确定它们是否应该相等,但无济于事。再次感谢您的提前。我保证我只是在研究和尝试很多方法后才会问,但现在我不知所措......这是我的代码:
def nlist2string(nlist):
characters = ['a','b','c','d','e','f','g','h','i','j','k','l','m','n','o','p','q','r','s','t','u','v','w','x','y','z']
numbers = ['0','1','2','3','4','5','6','7','8','9','10','11','12','13','14','15','16','17','18','19','20','21','22','23','24','25']
newList = []
nListLen = len(nlist) # var msgLen will be an integer of the length
print 'Number list before conversion: ', nlist
index = 0
while index < nListLen:
print 'Index at: ', nlist[index]
num = nlist[index]
print 'Is num equal to nlist indexed? ', num
newNum = num % 26
i = 0
while i < 26:
num1 = newNum
num2 = numbers[i]
print 'num1 = ', num1
print 'num2 = ', num2
if (num1 == num2):
newList.append(characters[i])
print 'Here is the current newList: ', newList
else:
print 'They never equal each other.'
i = i + 1
index = index + 1
return newList
numMessage = [28, 0, 33]
convertedNumMsg = nlist2string(numMessage)
print 'Number list after conversion: ', convertedNumMsg
答案 0 :(得分:5)
您正在尝试将整数与字符串进行比较,请尝试将numbers
的定义更改为以下内容:
numbers = [0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25]
或者numbers = range(26)
。
目前,在比较num1
和num2
时,您将进行4 == '4'
之类的比较,这将永远不会成立:
>>> 4 == '4'
False
作为更改numbers
列表创建方式的替代方法,您可以在比较之前将num2
转换为整数或num1
转换为字符串,因此num1 == int(num2)
或str(num1) == num2
。
答案 1 :(得分:1)
你有一个字符串列表,数字0-25
在Python中,字符串永远不会等于数字,因此,num1 == num2
始终为False。
所以,它应该是
numbers = [0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25]
更合适(并且会起作用)。
甚至更好
numbers = range(26)
如果您不想编辑numbers
的值,请使用此条件:
if num1 == int(num2):
这会将num2转换为整数,这是你想要做的 此外,在这种情况下,您可以使用map (Built-in Function),以提高可读性:
numbers = map(str, range(26))
答案 2 :(得分:1)
上面的答案正确地解决了这个问题,但作为一般性提示:将值列表缩减为单个值时,请使用reduce
函数。我当然认识到这是一个学习练习,但了解相关的内置功能对于工作非常有用。这使你的功能更短:
def nlist2string(nlist):
def convert_to_alpha(s):
if isinstance(s,str): //check if s is already a string
return s //if it is, return it unchanged
else:
return str(unichr(s+97)) //otherwise, get the corresponding alphabet
//and return that
def reduce_func(x,y):
//convert the numbers to alphabets
//and join the two together
return convert_to_alpha(x) + convert_to_alpha(y)
return reduce(reduce_func, nlist)
例如,输出来自:
l = [7,4,11,11,14]
print nlist2string(l)
是字符串"hello"
。
reduce函数有两个参数,一个用于将列表折叠为单个值的函数和一个列表。
作为reduce
所做的更简单的示例:
function add(x,y):
return x + y
print reduce(add, [1, 4, 3, 10, 5])
//Output: 23
答案 3 :(得分:0)
在Python中,字符串文字和数字是不同类型的对象,并且不比较相等。
1 == "1"
返回False。
您正在遍历您的数字字符串列表,但它不是实际数字列表。
您可以使用range()函数(它是内置的python)来生成数字列表,而不是手动输入。