要确定用户代理是否与 Safari 相关,必须查找 Safari 的存在,而不是 Chrome 的存在。我还假设这需要不区分大小写。
我试图在 Python 中使用正则表达式来做到这一点,而无需随后遍历组来匹配字符串。
解决此问题的一种方法是:
r1 = re.compile ("Safari", re.I)
r2 = re.compile ("Chrome", re.I)
if len(r1.findall (userAgentString)) > 0 and len(r2.findall(userAgentString)) <=0):
print "Found Safari"
我也尝试过使用
r = re.compile ("(?P<s>Safari)|(?P<c>Chrome)", re.I)
m = r.search (userAgentString)
if (m.group('s') and not m.group('c')):
print "Found Safari"
这不起作用,因为在找到“Chrome”或“Safari”之一的第一个实例后搜索将停止(对于 Regex-Gurus 来说可能很明显......)。
我可以使用 re.finditer() 函数让它稍微有效地工作,如下所示:
r = re.compile ("(?P<s>Safari)|(?P<c>Chrome)", re.I)
safari = chrome = False
for i in r.finditer (userAgentString):
if i.group('s'):
safari = True
if i.group('c'):
chrome = True
if safari and not chrome:
print "Found Safari"
有没有更有效的方法来做到这一点?(请注意,我正在寻找效率而不是方便)。谢谢。
示例用户代理:
Safari : "Mozilla/5.0 (iPad; CPU OS 6_0 like Mac OS X) AppleWebKit/536.26 (KHTML, like Gecko) Version/6.0 Mobile/10A5355d Safari/8536.25"
Chrome:“Mozilla/5.0 (Windows NT 6.2; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/32.0.1667.0 Safari/537.36”
值得一提的是,我对它进行了计时,jwodder 以简单的“lower()”和“in”的效率达到了目标。结果比预编译的正则表达式快 10 倍。除非我在 setup/timeit 中做错了什么..
import timeit
setup = '''
import re
r = re.compile ('(?P<m>MSIE)|(?P<c>Chrome)|(?P<s>Safari)', re.I)
def strictBrowser (userAgentString):
c=s=m=False
for f in r.finditer(userAgentString):
if f.group('m'):
m = True
if f.group('c'):
c = True
if f.group('s'):
s = True
# msie or (safari but not chrome)
# all chromes us will have safari in them..
return m or (s and not c)
'''
print timeit.timeit(
'strictBrowser ("Mozilla/5.0 (iPad; CPU OS 6_0 like Mac OS X) AppleWebKit/536.26 (KHTML, like Gecko) Version/6.0 Mobile/10A5355d Safari/8536.2")',
setup=setup, number=100000
)
setup = '''
def strictBrowser (userAgentString):
userAgentString = userAgentString.lower()
if (
'msie' in userAgentString or
('safari' in userAgentString and 'chrome' not in userAgentString)
):
return True
return False
'''
print timeit.timeit(
'strictBrowser ("Mozilla/5.0 (iPad; CPU OS 6_0 like Mac OS X) AppleWebKit/536.26 (KHTML, like Gecko) Version/6.0 Mobile/10A5355d Safari/8536.2")',
setup=setup, number=100000
)
Output :
0.0778814506637
0.00664118263765