我正在python中构建一个与twitter接口的消息传递应用程序我想创建一个全局fifo队列,twitterConnection对象可以访问该队列以插入新消息。
这是该应用的主要部分:
#!/usr/bin/python
from twitterConnector import TwitterConnector
from Queue import deque
#instantiate the request queue
requestQueue = deque()
#instantiate the twitter connector
twitterInterface = TwitterConnector()
#Get all new mentions
twitterInterface.GetMentions()
具体来说,我希望能够调用TwitterConnector类的.GetMentions()方法并处理任何新的提及,并将这些消息放入队列中以便单独处理。
到目前为止,这是twitterConnector类:
class TwitterConnector:
def __init__(self):
self.connection = twitter.Api(consumer_key=self.consumer_key,consumer_secret=self.consumer_secret,access_token_key=self.access_token_key,access_token_secret=self.access_token_secret)
self.mentions_since_id = None
def VerifyCredentials(self):
print self.connection.VerifyCredentials()
def GetMentions(self):
mentions = self.connection.GetMentions(since_id=self.mentions_since_id)
for mention in mentions:
print mention.text
global requestQueue.add(mention) # <- error
非常感谢任何协助。
更新:让我看看我是否可以稍微澄清用例。我的TwitterConnector旨在检索消息,并最终将twitter状态对象转换为包含下游处理所需信息的简化对象。在同一方法中,它将执行一些其他计算以尝试确定其他所需信息。它实际上是我想要放入队列的转换对象。希望这是有道理的。作为简化示例,此方法将twitter状态对象映射到包含以下属性的新对象:origin network(twitter),username,message和location(如果可用)。然后,这个新对象将被放入队列中。
最终会有其他连接器用于执行类似操作的其他邮件系统。他们将收到一条消息,填充新的消息对象并将它们放入同一队列中进行进一步处理。消息完成处理后,将制定响应,然后将其添加到适当的队列进行传输。使用上述新对象,一旦发生推文内容的实际处理,则基于原始网络和用户名,可以通过推特将响应返回给发起者。
我曾想过在承包商中传递对队列的引用(或作为方法的参数)我还想过修改方法以返回新对象的列表并迭代它们以将它们放入排队,但我想确保没有更好或更有效的方法来处理这个问题。我还希望能够使用日志记录对象和数据库处理程序执行相同的操作。想法?
答案 0 :(得分:3)
问题是“全局”应该出现在它自己的一行
上global requestQueue
requestQueue.add(mention)
此外,requestQueue必须出现在定义类的模块中。
如果要从另一个类导入requestQueue符号,则根本不需要全局。
from some_module import requestQueue
class A(object):
def foo(o):
requestQueue.add(o) # Should work
答案 1 :(得分:2)
通常最好避免使用全局;通常存在更好的设计。有关全局变量问题的详细信息,请参阅([1],[2],[3],[4])。
如果通过使用全局变量,您希望在多个requestQueue
实例之间共享一个TwitterConnector
,您还可以将队列传递给其构造函数中的连接器:
class TwitterConnector:
def __init__(self, requestQueue):
self.requestQueue = requestQueue
...
def GetMentions(self):
mentions = self.connection.GetMentions(since_id = self.mentions_since_id)
requestQueue = deque()
for mention in mentions:
print mention.text
self.requestQueue.add(mention)
相应地,您需要将requestQueue
提供给构造函数:
twitterInterface = TwitterConnector(requestQueue)