0

我不知道如何保持简单...我希望有人也查看我的代码并告诉我为什么我的功能无法正常工作...

我有一堂课:

 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.minimumand的调用queue.removeMin()

我完全感到困惑,因为如果我在 shell 中手动执行,一切正常,当我读取文件并从文件中的字母中获取指令时,它也可以工作,但minimum不会removeMin()显示 shell 中的值,removeMin()但是会从列表中删除最小的数字。

我做错了什么,它没有显示它在做什么,就像类方法定义的那样?

IE:

 def minimum(self):
     return min(self.q)

当我从我的函数调用它时,它不应该显示最小值吗?

4

2 回答 2

6

不,def minimum(self): return min(self.q)调用时不会显示任何内容。如果您打印输出,它只会显示一些内容,如print(queue.minimum()). 例外情况是从 Python 提示符/REPL 执行代码时,默认情况下会打印表达式(除非它们是None)。

于 2012-09-24T02:45:14.927 回答
1

它正在按应有的方式工作。你只是返回一个值。

如果要显示该值,则需要执行以下任一操作:

print queue.minimum()

或者

rval = queue.minimum()
print rval

打印未捕获的返回值是大多数解释器的实用功能。您将在 javascript 控制台中看到相同的行为。

于 2012-09-24T02:46:36.133 回答