我不知道如何保持这个简单......我希望有人看看我的代码并告诉我为什么我的功能不能正常工作......
我有一个班级:
class PriorityQueue(object):
'''A class that contains several methods dealing with queues.'''
def __init__(self):
'''The default constructor for the PriorityQueue class, an empty list.'''
self.q = []
def insert(self, number):
'''Inserts a number into the queue, and then sorts the queue to ensure that the number is in the proper position in the queue.'''
self.q.append(number)
self.q.sort()
def minimum(self):
'''Returns the minimum number currently in the queue.'''
return min(self.q)
def removeMin(self):
'''Removes and returns the minimum number from the queue.'''
return self.q.pop(0)
def __len__(self):
'''Returns the size of the queue.'''
return self.q.__len__()
def __str__(self):
'''Returns a string representing the queue.'''
return "{}".format(self.q)
def __getitem__(self, key):
'''Takes an index as a parameter and returns the value at the given index.'''
return self.q[key]
def __iter__(self):
return self.q.__iter__()
我有这个函数,它将获取一个文本文件,并通过我的类中的一些方法运行它:
def testQueue(fname):
infile = open(fname, 'r')
info = infile.read()
infile.close()
info = info.lower()
lstinfo = info.split()
queue = PriorityQueue()
for item in range(len(lstinfo)):
if lstinfo[item] == "i":
queue.insert(eval(lstinfo[item + 1]))
if lstinfo[item] == "s":
print(queue)
if lstinfo[item] == "m":
queue.minimum()
if lstinfo[item] == "r":
queue.removeMin()
if lstinfo[item] == "l":
len(queue)
#if lstinfo[item] == "g":
对我来说不起作用的是我拨打queue.minimum
和queue.removeMin()
的电话。
我完全感到困惑,因为如果我在shell中手动执行它,一切正常,当我正在阅读文件并从我的文件中的字母中获取说明时,它也有效,但是minimum
和removeMin()
不会在shell removeMin()
中显示值,但会从列表中删除最小的数字。
我做错了什么,它没有显示它正在做什么,比如类方法定义?
IE:
def minimum(self):
return min(self.q)
当我从我的函数中调用它时,它不应该显示最小值吗?
答案 0 :(得分:6)
不,def minimum(self): return min(self.q)
在调用时不会显示任何内容。如果您打印输出,它将只显示一些内容,如print(queue.minimum())
中所示。例外情况是从Python提示符/ REPL执行代码时,默认情况下会打印表达式(除非它们是None
)。
答案 1 :(得分:1)
它正常运作。你只是返回一个值。
如果要显示该值,则需要执行以下任一操作:
print queue.minimum()
或
rval = queue.minimum()
print rval
打印未捕获的返回值是大多数解释器的实用功能。你会在javascript控制台中看到相同的行为。