我认为我的问题很简单,但更清楚的是我只是想知道,我有这个:
class MyBrowser(QWebPage):
''' Settings for the browser.'''
def __init__(self):
QWebPage.__init__(self)
pass
def userAgentForUrl(self, url=None):
''' Returns a User Agent that will be seen by the website. '''
return "Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.15 (KHTML, like Gecko) Chrome/24.0.1295.0 Safari/537.15"
还有一些在同一个文件中的不同类,我希望得到这个用户代理。
mb = MyBrowser()
user_agent = mb.userAgentForUrl()
print user_agent
我试图做这样的事情:
print MyBrowser.userAgentForUrl()
但得到了这个错误:
TypeError: unbound method userAgentForUrl() must be called with MyBrowser instance as first argument (got nothing instead)
所以我希望你得到我所要求的东西,有时候我不想创建一个实例,而是从这种函数中检索数据。所以问题是可以做或不做,如果是,请给我一些指导如何实现这一点。
答案 0 :(得分:15)
这称为静态方法:
class MyBrowser(QWebPage):
''' Settings for the browser.'''
def __init__(self):
QWebPage.__init__(self)
pass
@staticmethod
def userAgentForUrl(url=None):
''' Returns a User Agent that will be seen by the website. '''
return "Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.15 (KHTML, like Gecko) Chrome/24.0.1295.0 Safari/537.15"
print MyBrowser.userAgentForUrl()
当然,您不能在其中使用self
。
答案 1 :(得分:3)
添加staticmethod
decorator,然后删除self
参数:
@staticmethod
def userAgentForUrl(url=None):
装饰器也将为您处理实例调用的情况,因此您实际上可以通过对象实例调用此方法,但通常不鼓励这种做法。 (静态调用静态方法,而不是通过实例。)