3

上一个问题的答案显示 Nexus 实现了一个名为“NxBASIC”的自定义身份验证帮助程序。

如何开始在 python 中实现处理程序?


更新:

根据 Alex 的建议实施处理程序看起来是正确的方法,但无法尝试从 authreq 中提取方案和领域。authreq 的返回值为:

str: NxBASIC realm="Sonatype Nexus Repository Manager API""

AbstractBasicAuthHandler.rx.search(authreq) 只返回一个元组:

tuple: ('NxBASIC', '"', 'Sonatype Nexus Repository Manager API')

所以 scheme,realm = mo.groups() 失败。从我有限的正则表达式知识看来,来自 AbstractBasicAuthHandler 的标准正则表达式应该匹配方案和领域,但似乎不匹配。

正则表达式是:

rx = re.compile('(?:.*,)*[ \t]*([^ \t]+)[ \t]+'
                'realm=(["\'])(.*?)\\2', re.I)

更新 2:从检查 AbstractBasicAuthHandler 来看,默认处理是:

scheme, quote, realm = mo.groups()

更改为此有效。我现在只需要针对正确的领域设置密码。谢谢亚历克斯!

4

1 回答 1

1

如果如上所述,名称和描述是此“NxBasic”和旧的“Basic”之间的唯一区别,那么您基本上可以从 urllib2.py 复制-粘贴-编辑一些代码(不幸的是,它不会将方案名称公开为本身很容易被覆盖),如下(参见urllib2.py的在线资源):

import urllib2

class HTTPNxBasicAuthHandler(urllib2.HTTPBasicAuthHandler):

    def http_error_auth_reqed(self, authreq, host, req, headers):
        # host may be an authority (without userinfo) or a URL with an
        # authority
        # XXX could be multiple headers
        authreq = headers.get(authreq, None)
        if authreq:
            mo = AbstractBasicAuthHandler.rx.search(authreq)
            if mo:
                scheme, realm = mo.groups()
                if scheme.lower() == 'nxbasic':
                    return self.retry_http_basic_auth(host, req, realm)

    def retry_http_basic_auth(self, host, req, realm):
        user, pw = self.passwd.find_user_password(realm, host)
        if pw is not None:
            raw = "%s:%s" % (user, pw)
            auth = 'NxBasic %s' % base64.b64encode(raw).strip()
            if req.headers.get(self.auth_header, None) == auth:
                return None
            req.add_header(self.auth_header, auth)
            return self.parent.open(req)
        else:
            return None

正如您通过检查所看到的,我刚刚将 urrlib2.py 中的两个字符串从“Basic”更改为“NxBasic”(以及小写等效项)(在 http 基本身份验证处理程序类的抽象基本身份验证处理程序超类中) .

尝试使用这个版本——如果它仍然不起作用,至少让它成为你的代码可以帮助你添加打印/记录语句、断点等,以更好地了解什么是中断以及如何中断。祝你好运!(抱歉,我无法提供进一步的帮助,但我没有任何 Nexus 可以试验)。

于 2009-07-05T17:55:26.427 回答